Избегайте добавления в корзину для определенных категорий товаров, если пользователь не заблокирован в Woocommerce. - PullRequest
0 голосов
/ 29 октября 2018

В Woocommerce я пытаюсь отключить определенные категории продуктов для добавления в корзину для пользователей, которые не вошли в систему. Я ищу решение последние пару дней и после разочарованного удаления последнего кода, который я нашел это, но также не делает работу.

Я использую определенный плагин (вкладки продуктов TZ), чтобы показывать товары на других страницах (не только на странице категорий и товаров (это я знаю, как отключить))

add_action( 'woocommerce_after_shop_loop_item', 'remove_add_to_cart_buttons', 1 );

function remove_add_to_cart_buttons() {
    // replace a_category and another_category with the slugs of the categories you'd like to have the button removed from
    if( is_product_category( array( 'gekoelde-bier', 'bierkoerier'))) { 
        remove_action( 'woocommerce_after_shop_loop_item', 'woocommerce_template_loop_add_to_cart' );            
    // add_filter( 'woocommerce_is_purchasable', false );
    }
}

Ссылка от https://gist.github.com/rynaldos/560c621714b9680433cddf18e6a50305

Мое лучшее предположение - проверять категорию товара, когда нажата кнопка «добавить в корзину», исходя из того, можно ли добавлять товар в корзину или нет.

Заранее спасибо.

Ответы [ 2 ]

0 голосов
/ 30 октября 2018

Условный тег is_product_category() только для целевых категорий страниц архивных страниц. Вместо этого вы можете использовать условную функцию WordPress has_term().

Существует 2 способа избежать добавления определенных товаров в корзину , если пользователь не вошел в систему ...

1) Использование Добавить в корзину проверочный крюк:

// Avoid add to cart conditionally
add_filter( 'woocommerce_add_to_cart_validation', 'avoid_add_to_cart_conditionally', 20, 3 );
function avoid_add_to_cart_conditionally( $passed, $product_id, $quantity) {
    // HERE your product categories (can be IDs, slugs or names terms)
    $terms = array( 'gekoelde-bier', 'bierkoerier');

    if( has_terms( $terms, 'product_cat', $product_id ) && ! is_user_logged_in() ){
        // Displaying a custom notice (optional)
        wc_add_notice( __('Only logged in users are allowed to purchase this item. Please register.'), 'error' );

        $passed = false;
    }

    return $passed;
}

Код помещается в файл function.php вашей активной дочерней темы (или активной темы). Проверено и работает.

enter image description here


2) Использование is_purchasable свойства продукта (удаляется кнопка добавления в корзину) :

add_filter('woocommerce_is_purchasable','conditional_purchasable_products', 20, 2);
function conditional_purchasable_products( $is_purchasable, $product ) {
    // HERE your product categories (can be IDs, slugs or names terms)
    $terms = array( 'gekoelde-bier', 'bierkoerier');

    $product_id = $product->get_id(); // The product ID

    if( has_terms( $terms, 'product_cat', $product_id ) && ! is_user_logged_in() ){
        $is_purchasable = false;
    }

    return $is_purchasable;
}

Код помещается в файл function.php вашей активной дочерней темы (или активной темы). Проверено и работает.


Таргетинг и для родительских категорий товаров.

Вы будете использовать следующую пользовательскую условную функцию для замены has_term() Функция Wordpress:

// Custom conditional function that checks for parent product categories too
function has_product_categories( $categories, $product_id ) {
     // Initializing
    $parent_term_ids = $categories_ids = array();
    $taxonomy        = 'product_cat';

    // Convert categories term names and slugs to categories term ids
    foreach ( $categories as $category ){
        if( is_numeric( $category ) ) {
            $categories_ids[] = (int) $category;
        } elseif ( term_exists( sanitize_title( $category ), $taxonomy ) ) {
            $categories_ids[] = get_term_by( 'slug', sanitize_title( $category ), $taxonomy )->term_id;
        }
    }

    // Loop through the current product category terms to get only parent main category term
    foreach( get_the_terms( $product_id, $taxonomy ) as $term ){
        if( $term->parent > 0 ){
            $parent_term_ids[] = $term->parent; // Set the parent product category
            $parent_term_ids[] = $term->term_id; // (and the child)
        } else {
            $parent_term_ids[] = $term->term_id; // It is the Main category term and we set it.
        }
    }
    return array_intersect( $categories_ids, array_unique($parent_term_ids) ) ? true : false;
}

Затем для обеих подключенных функций вы замените следующую строку:

if( has_terms( $terms, 'product_cat', $product_id ) && ! is_user_logged_in() ){

По этой строке:

if( has_product_categories( $terms, $product_id ) && ! is_user_logged_in() ){

Код помещается в файл function.php вашей активной дочерней темы (или активной темы). Проверено и работает.

0 голосов
/ 30 октября 2018

woocommerce_is_purchasable фильтр может сделать эту работу. Он проверяет, можно ли купить товар или нет. Если товар нельзя приобрести, кнопка «добавить в корзину» удаляется и не может быть приобретена.

Итак, перед тем, как отключить возможность покупки, вам необходимо проверить, вошел ли пользователь в систему и относится ли продукт к определенной категории.

Вот как вы можете это сделать:

function wpso9800_remove_cart_button( $is_purchasable, $product ) {
    //when logged in
    if ( is_user_logged_in() ) {
        return $is_purchasable;
    }

    //get categories
    $categories = get_the_terms( $product->id, 'product_cat');
    $my_terms_ids = array ( 1, 2 );//product category IDs

    if ($categories && !is_wp_error($categories)) {
        foreach ($categories as $cat) {
            if ( in_array($cat->term_id, $my_terms_ids ) ) {
                return false;
            }
            return $is_purchasable;
        }
    }
}
add_filter('woocommerce_is_purchasable','wpso9800_remove_cart_button', 10, 2);

** Это проверено и работает.

Примечание. По умолчанию для $is_purchasable установлено значение true. Вам нужно будет вернуть false, если вы хотите отключить покупку.

...