如何获取和修改购物车中第二项的价格?
我想在第二个产品上打折-3%(购物车中的商品已按价格排序,最高价)。
我认为它必须在woocommerce_before_calculate_totals
计算,或者像woocommerce_cart_calculate_fees
中的折扣一样计算?
由于
答案 0 :(得分:1)
已更新 (添加了与Woocommerce 3 +的兼容性)
对于产品项目,最好使用 woocommerce_before_calculate_totals
操作挂钩:
add_action( 'woocommerce_before_calculate_totals', 'discount_on_2nd_cart_item', 10, 1 );
function discount_on_2nd_cart_item( $cart ) {
if ( is_admin() && ! defined( 'DOING_AJAX' ) )
return;
if ( did_action( 'woocommerce_before_calculate_totals' ) >= 2 )
return;
// Initialising
$count = 0;
$percentage = 3; // 3 %
// Iterating though each cart items
foreach ( $cart->get_cart() as $cart_item ) {
$count++;
if( 2 == $count){ // Second item only
$price = $cart_item['data']->get_price(); // product price
$discounted_price = $price * (1 - ($percentage / 100)); // calculation
// Set the new price
$cart_item['data']->set_price( $discounted_price );
break; // stop the loop
}
}
}
或使用购物车折扣(负车费):
add_action( 'woocommerce_cart_calculate_fees', 'discount_on_2nd_cart_item', 10, 1 );
function discount_on_2nd_cart_item( $cart ) {
if ( is_admin() && ! defined( 'DOING_AJAX' ) )
return;
// Initialising
$count = 0;
$percentage = 3; // 3 %
// Iterating though each cart items
foreach ( $cart->get_cart() as $cart_item ) {
$count++;
if( 2 == $count){ // Second item only
$price = $cart_item['data']->get_price(); // product price
$discount = $price * $percentage / 100; // calculation
$second_item = true;
break; // stop the loop
}
}
if( isset($discount) && $discount > 0 )
$cart->add_fee( __("2nd item 3% discount", 'woocommerce'), -$discount );
}
代码放在活动子主题(或主题)的function.php文件中,或者放在任何插件文件中。
此代码经过测试并有效。