1

我试图显示购物车中最高的运费。我为此找到了一个不错的小片段:

function only_show_most_expensive_shipping_rate( $rates, $package ) {
    $most_expensive_method = '';
    $new_rates = array();
    // Loop through shipping rates
    if ( is_array( $rates ) ) {
        foreach ( $rates as $key => $rate ) {   
         // Set variables when the rate is more expensive than the one saved
         if ( empty( $most_expensive_method ) || $rate->cost > $most_expensive_method->cost ){
            $most_expensive_method = $rate;
         }

        }
    }
    // Return the most expensive rate when possible
    if ( ! empty( $most_expensive_method ) ){
       /**  
        ** Keep local pickup if it's present.
        **/
        foreach ( $rates as $rate_id => $rate ) {
            if ('local_pickup' === $rate->method_id ) {
                $new_rates[ $rate_id ] = $rate;
                break;
            }
        }
        return array( $most_expensive_method->id => $most_expensive_method );
    }
    return $rates;
}
add_action('woocommerce_package_rates', 'only_show_most_expensive_shipping_rate', 10, 2); 

但是,此代码段也隐藏了“本地取货”运输方式。

为什么上面的方法不起作用?现在它只显示最高的运输等级/价格,并隐藏所有其他的,包括提货方式。

是因为两个数组吗?我没有看到任何错误弹出。

非常感谢任何帮助!

4

1 回答 1

2

以下将保持最高运费统一费率成本和本地取货运输方式:

add_action('woocommerce_package_rates', 'keep_highest_flat_rate_cost', 10, 2);
function keep_highest_flat_rate_cost( $rates, $package ) {
    $flat_rate_costs = [];

    // Loop through shipping methods rates
    foreach ( $rates as $key_rate => $rate ) {
        // Targeting only "Flat rate" type shipping methods
        if ( ! in_array( $rate->method_id, ['local_pickup', 'free_shipping'] ) ) {
            // Store the Rate ID keys with corresponding costs in an indexed array
            $flat_rate_costs[$key_rate] = $rate->cost;
        }
    }
    // Sorting "Flat rate" costs in DESC order
    arsort($flat_rate_costs);

    // Remove the highest cost from the array
    array_shift($flat_rate_costs);

    // Loop through remaining "Flat rate" shipping methods to remove them all
    foreach ( $flat_rate_costs as $key_rate => $cost){
        unset($rates[$key_rate]);
    }
    return $rates;
}

代码位于您的活动子主题(或活动主题)的 function.php 文件中。测试和工作。

您应该需要刷新运输缓存:
1) 首先确保代码已保存在您的 function.php 文件中。
2)在运输设置中,输入运输区域:禁用任何运输方式并“保存”,然后重新启用并“保存”。你完成了。

于 2019-01-02T21:58:14.697 回答