计算 Woocommerce 中某个变体的订单数量

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

我已经找到了一种方法来做到这一点,但我发现我的查询花费的时间太长,Woocmerce 中的订单越多,我们添加的变体越多,查询花费的时间就越长...

我希望 WC 或 WP 中有一种方法可以只查询订单的变体 ID,但可惜的是,我还没有找到它。 我需要按变化做销售报告。

//get number of orders per variation_id
function getOrdersfromVariation($variation_id){
    $numberOfOrders = 0;
    ip_write_log("getOrdersfromVariation varid: $variation_id");

    // rewrite with wc_get_orders
    $args = array(
      'status' => array(  'processing', 'completed'),
        'limit' => -1,
    );
    $orders = wc_get_orders( $args );
    if(isset($orders)){
    //TODO: Get order count - $total_orders = $orders->total;

       foreach ($orders as $order){
           foreach ($order->get_items() as $key => $lineItem) {
               $item_data = $lineItem->get_data();

               if ($item_data['variation_id'] == $variation_id) {
                  $numberOfOrders++;

               }
           }
        }
        if(isset($numberOfOrders)){
           return $numberOfOrders;
        }
     }
  return;
}
php sql woocommerce orders product-variations
2个回答
2
投票

您可以使用以下函数中嵌入的这个非常简单的 SQL 查询,从变体 ID 中获取特定订单状态的订单数:

function count_orders_from_variation($variation_id){
    global $wpdb;

    // DEFINE below your orders statuses
    $statuses = array('wc-completed', 'wc-processing');

    $statuses = implode("','", $statuses);

    return $wpdb->get_var("
        SELECT count(p.ID) FROM {$wpdb->prefix}woocommerce_order_items AS woi
        JOIN {$wpdb->prefix}woocommerce_order_itemmeta AS woim ON woi.order_item_id = woim.order_item_id
        JOIN {$wpdb->prefix}posts AS p ON woi.order_id = p.ID
        WHERE p.post_type = 'shop_order' AND p.post_status IN ('$statuses')
        AND woim.meta_key LIKE '_variation_id' AND woim.meta_value = $variation_id
    ");
}

代码位于活动子主题(或活动主题)的 function.php 文件中。已测试且有效。

使用示例(显示变体 ID 41的订单数)

echo '<p>Orders count: ' . count_orders_from_variation(41) . '</p>';

0
投票

您可以在活动子主题(或主题)的 function.php 文件或任何插件文件中使用以下代码。

function get_all_orders_items_from_a_product_variation( $variation_id ){

    global $wpdb;

    // Getting all Order Items with that variation ID
    $item_ids_arr = $wpdb->get_col( $wpdb->prepare( "
        SELECT `order_item_id` 
        FROM {$wpdb->prefix}woocommerce_order_itemmeta 
        WHERE meta_key LIKE '_variation_id' 
        AND meta_value = %s
    ", $variation_id ) );

    return $item_ids_arr; // return the array of orders items ids    
}

下面的代码将显示此变体 ID 的订单项目 ID 列表以及一些数据。

$items_ids = get_all_orders_items_from_a_product_variation( 41 );


foreach( $items_ids as $item_id ){


    $item_color = wc_get_order_item_meta( $item_id, 'pa_color', true );

    // Displaying some data related to the current order item
    echo 'Item ID: '. $item_id . ' with color "' . $item_color .'"<br>';
}

希望这对您有用。

© www.soinside.com 2019 - 2024. All rights reserved.