如何在 WooCommerce“我的帐户”订单表的新列中显示产品名称

问题描述 投票:0回答:1

我在最近的订单表中添加了一个新列。我想在此栏中显示产品名称。

我正在使用下面的 php 代码。是否可以对此代码进行一些更改以显示产品名称?

**
 * Adds a new column to the "My Orders" table in the account.
 *
 * @param string[] $columns the columns in the orders table
 * @return string[] updated columns
 */
function th_wc_add_my_account_orders_column( $columns ) {

    $new_columns = array();

    foreach ( $columns as $key => $name ) {

        $new_columns[ $key ] = $name;

        // add ship-to after order status column
        if ( 'order-status' === $key ) {
            $new_columns['new-data'] = __( 'New Data', 'textdomain' );
        }
    }

    return $new_columns;
}
add_filter( 'woocommerce_my_account_my_orders_columns', 'th_wc_add_my_account_orders_column' );

 /**
 * Adds data to the custom "new-data" column in "My Account > Orders".
 *
 * @param \WC_Order $order the order object for the row
 */
function th_wc_my_orders_new_data_column( $order ) {

    $new_data = get_post_meta( $order->get_id(), 'new_data', true ); // Get custom order meta
    echo ! empty( $new_data ) ? $new_data : '–';
    
}
add_action( 'woocommerce_my_account_my_orders_column_new-data', 'th_wc_my_orders_new_data_column' );
php wordpress woocommerce product orders
1个回答
4
投票

woocommerce_account_orders_columns
过滤器允许我们添加或调整此列表中包含的列,以便我们可以添加新列。

将触发

woocommerce_my_account_my_orders_column_{$column_id}
操作,让您填充刚刚添加内容的列。

  • 列 ID 将是您在上一步中添加的数组键,在本例中为
    order-products

因此要显示订单包含的产品,您可以使用以下命令:

// Adds a new column to the "My Orders" table in the account.
function filter_woocommerce_account_orders_columns( $columns ) {
    // Empty array
    $new_columns = array();

    // Loop trough existing columns
    foreach ( $columns as $key => $name ) {

        $new_columns[ $key ] = $name;

        // Add after order status column
        if ( $key === 'order-status' ) {
            $new_columns['order-products'] = __( 'Products', 'woocommerce' );
        }
    }

    return $new_columns;
}
add_filter( 'woocommerce_account_orders_columns', 'filter_woocommerce_account_orders_columns', 10, 1 );

// Adds data to the custom "order-products" column in "My Account > Orders"
function action_woocommerce_my_account_my_orders_column_order( $order ) {    
    // Loop through order items
    foreach ( $order->get_items() as $item_key => $item ) {
        // Get a an instance of product object related to the order item
        $product = $item->get_product();
        
        // Instanceof
        if ( $product instanceof WC_Product ) {
            // Output
            echo '<div class="product"><a href="' . $product->get_permalink() . '">' . $product->get_name() . '</a></div>';
        }
    }
}
add_action( 'woocommerce_my_account_my_orders_column_order-products', 'action_woocommerce_my_account_my_orders_column_order', 10, 1 );

结果:

new-product-column

最新问题
© www.soinside.com 2019 - 2025. All rights reserved.