mal*_*dev 1 php wordpress product woocommerce hook-woocommerce
我试图在“添加到购物车”按钮上的Woocommerce中设置功能,以仅允许将特定产品添加到购物车一次。
首次将特定产品添加到购物车后,需要隐藏“添加到购物车”。
在购物车中,我可以有任意数量的产品-每个产品最多只能有数量1。
我正在研究,发现可以使用woocommerce_add_to_cart_validation钩子。但是不知道如何开始。
如何允许将特定产品添加到购物车一次?
如果产品在使用woocommerce_is_purchasable挂钩的购物车中,请禁用添加到购物车按钮:
add_filter( 'woocommerce_is_purchasable', 'disable_add_to_cart_if_product_is_in_cart', 10, 2 );
function disable_add_to_cart_if_product_is_in_cart ( $is_purchasable, $product ){
// Loop through cart items checking if the product is already in cart
foreach ( WC()->cart->get_cart() as $cart_item ){
if( $cart_item['data']->get_id() == $product->get_id() ) {
return false;
}
}
return $is_purchasable;
}
Run Code Online (Sandbox Code Playgroud)
代码进入您的活动子主题(或活动主题)的function.php文件中。经过测试和工作(即使是可变产品中的产品变化)。
原始答案:
这是一个使用woocommerce_add_to_cart_validation钩子的示例,它将成功解决这个问题(防止添加到购物车操作并在需要时显示自定义通知),并使用自定义实用程序功能来删除您所定义的特定产品ID的数量字段:
add_filter( 'woocommerce_add_to_cart_validation', 'limit_cart_items_from_category', 10, 3 );
function limit_cart_items_from_category ( $passed, $product_id, $quantity ){
// HERE define your product ID
$targeted_product_id = 37;
// Check quantity and display notice
if( $quantity > 1 && $targeted_product_id == $product_id ){
wc_add_notice( __('Only one item quantity allowed for this product', 'woocommerce' ), 'error' );
return false;
}
// Loop through cart items checking if the product is already in cart
foreach ( WC()->cart->get_cart() as $cart_item ){
if( $targeted_product_id == $product_id && $cart_item['data']->get_id() == $targeted_product_id ) {
wc_add_notice( __('This product is already in cart (only one item is allowed).', 'woocommerce' ), 'error' );
return false;
}
}
return $passed;
}
// Checking and removing quantity field for a specific product
add_filter( 'woocommerce_quantity_input_args', 'custom_quantity_input_args', 10, 2 );
function custom_quantity_input_args( $args, $product ) {
// HERE define your product ID
$targeted_product_id = 37;
if( $targeted_product_id == $product->get_id() )
$args['min_value'] = $args['max_value'] = $args['input_value'] = 1;
return $args;
}
Run Code Online (Sandbox Code Playgroud)
代码进入您的活动子主题(或活动主题)的function.php文件中。经过测试和工作。