Как программно применить купон в Woocommerce?
В Woocommerce я пытаюсь найти способ применить скидку 10% ко всему заказу клиента, если вес в корзине превышает 100 фунтов. Я-часть пути к достижению этой цели. На следующем этапе я ищу способ программно применить код купона с помощью функций action / hook through.РНР.
Похоже, что для этого я могу использовать функцию woocommerce_ajax_apply_coupon ( http://docs.woothemes.com/wc-apidocs/function-woocommerce_ajax_apply_coupon.html ) но я есть не знаю, как им пользоваться.
До сих пор я модифицировал cart.php чтобы получить общий вес всех товаров в корзине, я создал купон, который применяет скидку (если она введена вручную), и я добавил некоторый код к функциям.php для проверки веса и отображения сообщения пользователю.
EDIT: частичный код удален, завершенный код включен в Решение ниже.
Спасибо за руководство Френи. Вот рабочий конечный результат, который успешно применяет купон на скидку когда условие выполнено, а также удаляет его, когда оно больше не выполняется:
/* Mod: 10% Discount for weight greater than 100 lbs
Works with code added to child theme: woocommerce/cart/cart.php lines 13 - 14: which gets $total_weight of cart:
global $total_weight;
$total_weight = $woocommerce->cart->cart_contents_weight;
*/
add_action('woocommerce_before_cart_table', 'discount_when_weight_greater_than_100');
function discount_when_weight_greater_than_100( ) {
global $woocommerce;
global $total_weight;
if( $total_weight > 100 ) {
$coupon_code = '999';
if (!$woocommerce->cart->add_discount( sanitize_text_field( $coupon_code ))) {
$woocommerce->show_messages();
}
echo '<div class="woocommerce_message"><strong>Your order is over 100 lbs so a 10% Discount has been Applied!</strong> Your total order weight is <strong>' . $total_weight . '</strong> lbs.</div>';
}
}
/* Mod: Remove 10% Discount for weight less than or equal to 100 lbs */
add_action('woocommerce_before_cart_table', 'remove_coupon_if_weight_100_or_less');
function remove_coupon_if_weight_100_or_less( ) {
global $woocommerce;
global $total_weight;
if( $total_weight <= 100 ) {
$coupon_code = '999';
$woocommerce->cart->get_applied_coupons();
if (!$woocommerce->cart->remove_coupons( sanitize_text_field( $coupon_code ))) {
$woocommerce->show_messages();
}
$woocommerce->cart->calculate_totals();
}
}
3 ответа:
Сначала создайте купон на скидку (через http://docs.woothemes.com/document/create-a-coupon-programatically/):
$coupon_code = 'UNIQUECODE'; // Code - perhaps generate this from the user ID + the order ID $amount = '10'; // Amount $discount_type = 'percent'; // Type: fixed_cart, percent, fixed_product, percent_product $coupon = array( 'post_title' => $coupon_code, 'post_content' => '', 'post_status' => 'publish', 'post_author' => 1, 'post_type' => 'shop_coupon' ); $new_coupon_id = wp_insert_post( $coupon ); // Add meta update_post_meta( $new_coupon_id, 'discount_type', $discount_type ); update_post_meta( $new_coupon_id, 'coupon_amount', $amount ); update_post_meta( $new_coupon_id, 'individual_use', 'no' ); update_post_meta( $new_coupon_id, 'product_ids', '' ); update_post_meta( $new_coupon_id, 'exclude_product_ids', '' ); update_post_meta( $new_coupon_id, 'usage_limit', '1' ); update_post_meta( $new_coupon_id, 'expiry_date', '' ); update_post_meta( $new_coupon_id, 'apply_before_tax', 'yes' ); update_post_meta( $new_coupon_id, 'free_shipping', 'no' );
Затем примените этот купон к вашему заказу:
if (!$woocommerce->cart->add_discount( sanitize_text_field( $coupon_code ))) $woocommerce->show_messages();
Эта последняя функция возвращает значение BOOL: TRUE, если скидка была успешной, FALSE, если она потерпела неудачу по любой из множества причин.
Я использовал это решение, но оно содержит ошибку, как написал ОП. Если пользователь пропускает предварительный просмотр корзины и переходит прямо к форме оформления заказа, он не применяет купон. Вот мое решение.
// Independence day 2013 coupon auto add // Add coupon when user views cart before checkout (shipping calculation page). add_action('woocommerce_before_cart_table', 'add_independence_day_2013_coupon_automatically'); // Add coupon when user views checkout page (would not be added otherwise, unless user views cart first). add_action('woocommerce_before_checkout_form', 'add_independence_day_2013_coupon_automatically'); // Check if php function exists. If it doesn't, create it. if (!function_exists('add_independence_day_2013_coupon_automatically')) { function add_independence_day_2013_coupon_automatically() { global $woocommerce; $coupon_code = 'independencedaysale'; $bc_coupon_start_date = '2013-06-30 17:00:00'; $bc_coupon_end_date = '2013-07-08 06:59:59'; // Only apply coupon between 12:00am on 7/1/2013 and 11:59pm on 7/7/2013 PST. if ((time() >= strtotime($bc_coupon_start_date)) && (time() <= strtotime($bc_coupon_end_date))) { // If coupon has been already been added remove it. if ($woocommerce->cart->has_discount(sanitize_text_field($coupon_code))) { if (!$woocommerce->cart->remove_coupons(sanitize_text_field($coupon_code))) { $woocommerce->show_messages(); } } // Add coupon if (!$woocommerce->cart->add_discount(sanitize_text_field($coupon_code))) { $woocommerce->show_messages(); } else { $woocommerce->clear_messages(); $woocommerce->add_message('Independence day sale coupon (10%) automatically applied'); $woocommerce->show_messages(); } // Manually recalculate totals. If you do not do this, a refresh is required before user will see updated totals when discount is removed. $woocommerce->cart->calculate_totals(); } else { // Coupon is no longer valid, based on date. Remove it. if ($woocommerce->cart->has_discount(sanitize_text_field($coupon_code))) { if ($woocommerce->cart->remove_coupons(sanitize_text_field($coupon_code))) { $woocommerce->show_messages(); } // Manually recalculate totals. If you do not do this, a refresh is required before user will see updated totals when discount is removed. $woocommerce->cart->calculate_totals(); } } } }
Я считаю, что это расширение может делать то, что вы хотите: https://awodev.com/products/wordpress/awocoupon
У меня было похожее приложение, и я связался с разработчиком, и они добавили функцию, которую я искал в течение нескольких часов. Очень дружелюбный и я настоятельно рекомендую покупать у этого разработчика!