当前位置: 首页 > 知识库问答 >
问题:

如果产品已在购物车中,禁用Woocommerce add to cart按钮

仇飞鹏
2023-03-14

我试图将Woocommerce中的Add to Cart按钮的功能设置为只允许将特定产品添加到Cart中一次。

一旦第一次将特定产品添加到cart中,就需要隐藏添加到cart中的内容。

在推车我可以有任何数量的产品-只是一个最大的数量为每一个产品1。

如何允许将特定产品添加到购物车中一次?

共有1个答案

田马鲁
2023-03-14

如果使用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;
}

代码放在您的活动子主题(或活动主题)的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;
}
 类似资料: