如何在Woocommerce中以编程方式安排销售日期

时间:2020-05-27 22:29:37

标签: php wordpress woocommerce product hook-woocommerce

我正在尝试保存(发布)帖子时安排woocommerce的销售期限。

我在下面尝试了两种方法,但是它们都不起作用。该代码在正确的时间被调用,只是不更新​​post meta。

这两种方法都无法更新销售时间表。

add_action('save_post_product', array($this, 'knpv_new_product_from_draft'), 10, 2);
add_action('edit_post_product', array($this, 'knpv_new_product_from_draft'), 10, 2);
public function knpv_new_product_from_draft($post_id, $post){   


    //Get todays date and the date 15 days from now
    $datefrom = strtotime(date('Y-m-d'));
    $dateto = strtotime(date('Y-m-d', strtotime('+15 days',$datefrom)));

    //Method 1
    $product = wc_get_product($post_id);

    if( !empty(get_post_meta($post_id, '_sale_price', true)) ){         
        $product->set_date_on_sale_from( $datefrom );
        $product->set_date_on_sale_to( $dateto );
    }

    $product->save();       

    //Method 2    
    $var = update_post_meta($post_id, '_sale_price_dates_from', $datefrom);
    $var2 = update_post_meta($post_id, '_sale_price_dates_to',   $dateto);

}   

2 个答案:

答案 0 :(得分:1)

您可以使用以下方式之一:

第一种方法-自WooCommerce 3以来:

add_action( 'woocommerce_admin_process_product_object', array($this, 'save_wc_product_meta_data') );
public function save_wc_product_meta_data($product) {   

    if( isset( $_POST['_sale_price'] ) && $_POST['_sale_price'] >= 0 ){
        $product->set_date_on_sale_from( strtotime(date('Y-m-d')));
        $product->set_date_on_sale_to( strtotime( date('Y-m-d', strtotime('+15 days'))));
    }
} 

第二种方法-旧方法:

add_action( 'woocommerce_process_product_meta', array($this, 'save_wc_product_meta_data') );
public function save_wc_product_meta_data($product_id) {   

    if( get_post_meta($product_id, '_sale_price', true) >= 0 ){
        update_post_meta($product_id, '_sale_price_dates_from', strtotime(date('Y-m-d')));
        update_post_meta($product_id, '_sale_price_dates_to', strtotime( date('Y-m-d', strtotime('+15 days'))));
    }
} 

代码进入活动子主题(或活动主题)的functions.php文件中。两种方法都可以。


添加:

要使此情况仅当发布状态设置为“发布” 时,您可以将以下内容添加到 IF 语句现有条件中: / p>

&& isset($_POST['post_status']) && $_POST['post_status'] === 'publish'

答案 1 :(得分:0)

之所以不起作用,是因为在meta_save_post操作完成后正在更新元。所以我在更新元数据,然后表单中的空值也在更新它们并清除它们。

所以我是这样做的。

add_action('save_post_product', array($this, 'knpv_new_product_from_draft'), 10, 2);
add_action('edit_post_product', array($this, 'knpv_new_product_from_draft'), 10, 2);
public function knpv_new_product_from_draft($post_id, $post){  
  //If the post is being published. 
  if (get_post_status($post_id) == 'publish') {

    //Set the values from the posted form data.
    $_POST['_sale_price_dates_from'] = date('Y-m-d');
    $_POST['_sale_price_dates_to'] = date('Y-m-d', strtotime($datefrom.' +15 days'));

  }
} 
相关问题