应用优惠券时,将 WooCommerce 购物车中的产品销售价格更改为正常价格,但不包括某些类别

Change product sale price to regular price in WooCommerce cart when a coupon is applied, but exclude certain categories

使用优惠券时(属于某个类型)我通过以下方式将产品折扣价更改为正常价格:

add_action( 'woocommerce_before_calculate_totals', 'add_custom_price', 10, 1);
function add_custom_price( $cart_object) {

    global $woocommerce;

    if ( is_admin() && ! defined( 'DOING_AJAX' ) )
        return;

    $coupon = False;

    if ($coupons = WC()->cart->get_applied_coupons()  == False ) 
      $coupon = False;
    else {
        foreach ( WC()->cart->get_applied_coupons() as $code ) {
          $coupons1 = new WC_Coupon( $code );
          if ($coupons1->type == 'percent_product' || $coupons1->type == 'percent')
            $coupon = True;
        }
    }

    if ($coupon == True)
        foreach ( $cart_object->get_cart() as $cart_item ) 
        {
            $price = $cart_item['data']->regular_price;
            $cart_item['data']->set_price( $price );
        }
}

但是,如果我排除了某个类别,代码就会出错,因为它会将购物车中的价格从促销更改为普通,并且不会添加折扣。

如何解决这个问题,使排除的类别不会更改为正常价格?

要排除某些类别,您可以在循环浏览购物车商品时使用 has_term()

所以你得到:

function action_woocommerce_before_calculate_totals( $cart ) {
    if ( is_admin() && ! defined( 'DOING_AJAX' ) ) return;

    if ( did_action( 'woocommerce_before_calculate_totals' ) >= 2 ) return;
    
    // Specific categories: the term name/term_id/slug. Several could be added, separated by a comma
    $excluded_categories = array( 63, 15, 'categorie-1' );

    // Initialize
    $coupon_flag = false;

    // Loop through applied coupons
    foreach ( $cart->get_applied_coupons() as $coupon_code ) {
        // Get an instance of the WC_Coupon Object
        $coupon = new WC_Coupon( $coupon_code );
        
        // Only for certain types, several can be added, separated by a comma
        if ( in_array( $coupon->get_discount_type(), array( 'percent', 'percent_product' ) ) ) {
            $coupon_flag = true;
            break;
        }
    }
    
    // True
    if ( $coupon_flag ) {
        // Loop through cart items
        foreach ( $cart->get_cart() as $cart_item ) {
            // Get product ID in
            $product_id = $cart_item['product_id'];

            // NOT contains the definite term
            if ( ! has_term( $excluded_categories, 'product_cat', $product_id ) ) {
                // Get regular price
                $regular_price = $cart_item['data']->get_regular_price();
                
                // Set new price
                $cart_item['data']->set_price( $regular_price );
            }
        }
    }
}
add_action( 'woocommerce_before_calculate_totals', 'action_woocommerce_before_calculate_totals', 10, 1 );