在 WooCommerce 中应用特定优惠券时添加免费产品

Add free product when a certain coupon is applied in WooCommerce

当通过 woocommerce_applied_coupon 挂钩和 add_to_cart() 函数使用特定优惠券时,我可以将产品添加到购物车

add_action('woocommerce_applied_coupon', 'apply_product_on_coupon');
function apply_product_on_coupon( ) {
    global $woocommerce;
    $coupon_id = 'mybday';
    $free_product_id = 131468;

    if(in_array($coupon_id, $woocommerce->cart->get_applied_coupons())){
        $woocommerce->cart->add_to_cart($free_product_id, 1);
    }
}

我的问题:有没有办法在同一个回调函数中也将其打折为 0?

您当前的代码包含一些错误或可以优化:

  • global $woocommerce可以换成WC()
  • $woocommerce->cart->get_applied_coupons()不需要,因为已经申请的优惠券会传递给回调函数。

而是使用 WC_Cart::add_to_cart() 方法中的最后一个可用参数,这将允许您添加任何自定义购物车项目数据。然后您将能够轻松地从购物车对象中获取该数据。

所以你得到:

function action_woocommerce_applied_coupon( $coupon_code ) {
    // Settings
    $product_id = 131468;
    $quantity = 1;
    $free_price = 0;
    $coupon_codes = array( 'coupon1', 'mybday' );

    // Compare
    if ( in_array( $coupon_code, $coupon_codes ) ) {
        // Add product to cart
        WC()->cart->add_to_cart( $product_id, $quantity, 0, array(), array( 'free_price' => $free_price ) );
    }
}
add_action( 'woocommerce_applied_coupon', 'action_woocommerce_applied_coupon', 10, 1 );

// Set free price from custom cart item data
function action_woocommerce_before_calculate_totals( $cart ) {
    if ( is_admin() && ! defined( 'DOING_AJAX' ) ) return;

    if ( did_action( 'woocommerce_before_calculate_totals' ) >= 2 ) return;

    // Loop through cart contents
    foreach ( $cart->get_cart_contents() as $cart_item ) {       
        if ( isset( $cart_item['free_price'] ) ) {
            $cart_item['data']->set_price( $cart_item['free_price'] );
        }
    }
}
add_action( 'woocommerce_before_calculate_totals', 'action_woocommerce_before_calculate_totals', 10, 1 );

注意:除了使用woocommerce_applied_coupon,还必须使用woocommerce_removed_coupon,因为优惠券被移除时,产品也会被移除

function action_woocommerce_removed_coupon( $coupon_code ) {
    // Settings
    $product_id = 131468;
    $coupon_codes = array( 'coupon1', 'mybday' );

    // Compare
    if ( in_array( $coupon_code, $coupon_codes ) ) {
        // Loop through cart contents
        foreach ( WC()->cart->get_cart_contents() as $cart_item_key => $cart_item ) {
            // When product in cart
            if ( $cart_item['product_id'] == $product_id ) {
                // Remove cart item
                WC()->cart->remove_cart_item( $cart_item_key );
                break;
            }
        }
    }
}
add_action( 'woocommerce_removed_coupon', 'action_woocommerce_removed_coupon', 10, 1 );