Скрыть НДС для определенных ролей пользователей в WooCommerce


В WooCommerce У меня есть специальный код для скрытия НДС для определенных ролей пользователей, и он отлично работает для всех ролей, за исключением одной под названием Platinum, где он не скрывает НДС, но остается как все роли пользователей по умолчанию.

Что мне нужно, так это чтобы этот код также скрывал НДС для platinum - он подходит для других ролей, которые я перечислил

Как я могу заставить его работать и для моей "платиновой" роли пользователя?

Это код, который я использую:

/**
 * Function that will check for user role and turn off VAT/tax for that role
 */
function wc_diff_rate_for_user() {

    // check for the user role
    if ( is_user_logged_in() && current_user_can( 'bronze', 'sølv', 'guld', 'platinum' ) ) {

        // set the customer object to have no VAT
        WC()->customer->is_vat_exempt = true;
    }

}
add_action( 'template_redirect', 'wc_diff_rate_for_user', 1 );

/**
 * Function that filters the variable product hash based on user
 */
function wc_get_variation_prices_hash_filter( $hash, $item, $display ) {

    // check for the user role
    if ( is_user_logged_in() && current_user_can( 'bronze', 'sølv', 'guld', 'platinum' ) ) {

        // clear key 2, which is where taxes are
        $hash['2'] = array();
    }

    // return the hash
    return $hash;
}
add_filter( 'woocommerce_get_variation_prices_hash', 'wc_get_variation_prices_hash_filter', 1, 3 );

/**
 * Function that removes the price suffix (inc. Tax) from variable products based on role
 */
function wc_get_price_suffix_filter( $price_display_suffix, $item ) {

    // check for the user role
    if ( is_user_logged_in() && current_user_can( 'bronze', 'sølv', 'guld', 'platinum' ) ) {

        // return blank if it matches
        return '';
    }

    // return if unmatched
    return $price_display_suffix;
}
add_filter( 'woocommerce_get_price_suffix', 'wc_get_price_suffix_filter', 10, 2 );

//B2B Roller
add_role('bronze', __(
 'Bronze'),
 array(
 'read' => false, // Allows a user to read
 'create_posts' => false, // Allows user to create new posts
 'edit_posts' => false, // Allows user to edit their own posts
 )
);

add_role('sølv', __(
 'Sølv'),
 array(
 'read' => false, // Allows a user to read
 'create_posts' => false, // Allows user to create new posts
 'edit_posts' => false, // Allows user to edit their own posts
 )
);

add_role('guld', __(
 'Guld'),
 array(
 'read' => false, // Allows a user to read
 'create_posts' => false, // Allows user to create new posts
 'edit_posts' => false, // Allows user to edit their own posts
 )
);

add_role('platinum', __(
 'Platinum'),
 array(
 'read' => false, // Allows a user to read
 'create_posts' => false, // Allows user to create new posts
 'edit_posts' => false, // Allows user to edit their own posts
 )
);
Author: eMikkelsen, 2017-10-11

2 answers

Обновление 2

1) Ваша условная функция

Первый current_user_can() не рекомендуется использовать с ролями пользователей напрямую и может иметь только одну возможность (или в вашем случае одну роль пользователя) в то время...

Также в WooCommerce 3+ вам придется использовать WC()->customer->set_is_vat_exempt( true ); вместо того, чтобы WC()->customer->is_vat_exempt = true;

Вы используете повторяющуюся условную функцию, основанную на ваших специальных ролях пользователя, 3 раза. Поэтому я установил обычай условная функция, которая должна работать идеально:

## The (repetitive) conditional function based on your "special" user roles 
function is_special_user_role(){
    if ( ! is_user_logged_in() ) return false;

    $user = wp_get_current_user(); // current user
    $user_roles = $user->roles; // It's always an array (as a user can have many roles)

    // HERE your defined user roles
    $defined_user_roles = array( 'bronze', 'sølv', 'guld', 'platinum' );

    if ( count( array_intersect( $user_roles, $defined_user_roles ) ) > 0 ) return true;
    else return false; // ==> Added update here
}

И (ваши другие функции):

## Function that will check for user role and turn off VAT/tax for that role
add_action( 'template_redirect', 'wc_diff_rate_for_user', 1 );
function wc_diff_rate_for_user() {
    // check for the user role and set the customer object to have no VAT
    if ( is_special_user_role() )
        WC()->customer->set_is_vat_exempt( true ); // Updated HERE
}

## Function that filters the variable product hash based on user
add_filter( 'woocommerce_get_variation_prices_hash', 'wc_get_variation_prices_hash_filter', 1, 3 );
function wc_get_variation_prices_hash_filter( $hash, $item, $display ) {
    // check for the user role and clear key 2, which is where taxes are
    if ( is_special_user_role() )
        $hash['2'] = array();

    return $hash; // return the hash
}

## Function that removes the price suffix (inc. Tax) from variable products based on role
add_filter( 'woocommerce_get_price_suffix', 'wc_get_price_suffix_filter', 10, 2 );
function wc_get_price_suffix_filter( $price_display_suffix, $item ) {
    // check for the user role return blank if it matches
    if ( is_special_user_role() )
        $price_display_suffix = '';

    return $price_display_suffix;
}

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

Весь код протестирован и работает.


2) Для создания ролей пользователей

Вместо этого вы можете использовать отличный и очень полный Редактор ролей пользователя (бесплатный) плагин , который позволит вам создать пользователя роли, точно настраивайте и проверяйте их возможности (для каждой созданной роли).

Для кода создания ролей пользователей вы должны запустить его только один раз. Я пересмотрел его, внес некоторые изменения и уплотнил.

## Special user roles creation ==> this should be runned just once!
function special_ser_role_creation(){
    // Your "Special" user roles slug / name pairs
    $special_roles_array = array(
        'bronze'   => __( 'Bronze' ),
        'sølv'     => __( 'Sølv' ),
        'guld'     => __( 'Guld' ),
        'platinum' => __( 'Platinum' ),
    );
    $roles_caps = array(
        'read'          => false, // Allows a user to read
        'create_posts'  => false, // Allows user to create new posts
        'edit_posts'    => false, // Allows user to edit their own posts
    );

    $existing_user_roles = array_keys( wp_roles()->get_names() );

    // Iterating through each user roles and create them
    foreach( $special_roles_array as $role_slug => $role_name ){
        // If user role doesn't exist yet we create it
        if (! in_array( $role_slug, $existing_user_roles) )
            add_role( $role_slug, $role_name, $roles_caps );
    }
}
// Run the function once (then comment it or remove it)
special_ser_role_creation();

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

 3
Author: LoicTheAztec, 2017-10-11 09:10:04

Не уверен, как работает код, потому что функция current_user_can принимает один параметр: функция current_user_can для текущего пользователя

Я бы переписал все разделы с помощью этого кода:

    if ( is_user_logged_in() && current_user_can( 'bronze', 'sølv', 'guld', 'platinum' ) ) {

К чему-то вроде этого:

    if ( is_user_logged_in() && ( current_user_can( 'bronze' ) || current_user_can( 'sølv' ) || current_user_can( 'guld' ) || current_user_can( 'platinum' ) ) ) {
 0
Author: seyi, 2017-10-11 00:29:18