How to get orders by user meta data in WooCommerce

1.4k Views Asked by At

I wanted to know, how i am able to see all orders with:

  • user meta key: friseur
  • user meta value: TestFriseur

This is my code:

// Users query
$user_ids = (array) get_users([
    'role'       => 'customer',
    'number'     => - 1,
    'fields'     => 'ID',
    'meta_query' => [
        'relation' => 'OR',
        [
            'key'     => 'TestFriseur',
            'compare' => '!=',
            'value'   => 1
        ],
        [
            'key'     => 'TestFriseur',
            'compare' => 'NOT EXISTS'
        ]
    ],
]);

// Orders query (using the users IDs from the user query)
$orders = wc_get_orders([
    'limit'       => - 1,
    'status'      => ['on-hold','processing','completed'],
    'customer_id' => $user_ids,
]);

// Loop through Order IDs
foreach( $orders as $order ) {
    // Get the Order ID
    echo $order_id = $order->get_id();

    // And so on …
}

But unfortunately without the desired result. Any advice?

1

There are 1 best solutions below

0
On

To get orders by user meta data, you can use a custom SQL Query with the WPDB class like:

global $wpdb;

// Settings
$meta_key = 'friseur';
$meta_value = 'TestFriseur';

$order_ids = $wpdb->get_col( "
    SELECT DISTINCT ID
    FROM {$wpdb->prefix}posts o
    INNER JOIN {$wpdb->prefix}postmeta om
        ON o.ID = om.post_id
    INNER JOIN {$wpdb->prefix}usermeta um
        ON om.meta_value = um.user_id           
    WHERE o.post_type = 'shop_order'
    AND o.post_status IN ( 'wc-on-hold','wc-processing','wc-completed' )
    AND om.meta_key = '_customer_user'
    AND um.meta_key = '$meta_key'
    AND um.meta_value = '$meta_value'
");

// Loop through order IDs
foreach( $order_ids as $order_id ) {
    echo '<p>Order id = ' . $order_id . '</p>';
    
    // Get an instance of the WC_Order Object
    $order = wc_get_order( $order_id );

    // And so on …
}