当订单状态更改为“正在处理”时,我会触发此操作。 此代码会导致一个问题:购买后购物车未清空。
我发现导致此问题的行是:
wc_update_product_stock( $product, $product_stock , 'set' );
但我不知道如何解决它。还有其他方法可以更新产品库存吗?为什么会出现这种情况?
重要:仅发生在购买时立即获得“处理”状态的订单。 如果订单设置为“暂停”,然后我编辑订单并将状态手动更改为“处理中”,则不会发生此问题。
add_action('woocommerce_order_status_changed', 'so_status_completed', 10, 3);
function so_status_completed($order_id, $old_status, $new_status){
if($new_status == 'processing' || $new_status == 'on-hold'){
// in previous lines I fetch the $product_sku
$product_id = wc_get_product_id_by_sku( $product_sku );
$product = wc_get_product($product_id);
$product_stock = 100000;
update_post_meta($product_id, '_manage_stock', 'yes');
wc_update_product_stock( $product, $product_stock , 'set' ); // THIS LINE CAUSES THE ISSUE
}// close if($new_status == 'processing'){
}
希望这会有所帮助:
购买后购物车未清除的问题可能与您的函数中使用
wc_update_product_stock()
有关。此函数用于直接设置产品的库存数量,并且您设置它的方式(设置为较大的固定值,如 100000
)将覆盖 WooCommerce 的正常库存管理流程。这可能会干扰 WooCommerce 处理订单的流程,尤其是从“暂停”转向“处理”时。
手动更改状态时为何有效: 下订单时,WooCommerce 会自动减少商品库存,但当您将
wc_update_product_stock()
与特定库存编号(如 100000
)一起使用时,它可能会绕过该机制。当您手动更改订单状态时,WooCommerce 的内部逻辑会以不同的方式启动,因此不会干扰库存处理。
解决方案选项:
wc_update_product_stock()
或 'set'
选项调整库存,而不是使用 'increase'
和 'decrease'
参数(将库存设置为绝对值),这可能会更好地保留 WooCommerce 的库存管理逻辑。以下是如何修改函数以调整库存的示例:
add_action('woocommerce_order_status_changed', 'so_status_completed', 10, 3);
function so_status_completed($order_id, $old_status, $new_status){
if($new_status == 'processing' || $new_status == 'on-hold'){
// Fetch the product SKU or any necessary logic before this
$product_sku = ''; // Replace with your method to fetch SKU
$product_id = wc_get_product_id_by_sku( $product_sku );
$product = wc_get_product($product_id);
// Ensure that stock management is enabled
update_post_meta($product_id, '_manage_stock', 'yes');
// Instead of setting an absolute stock value, try adjusting it
$stock_adjustment = 10; // Increase by 10 units as an example
wc_update_product_stock($product, $stock_adjustment, 'increase'); // Use 'increase' or 'decrease'
// 'increase' will add to the existing stock
// 'decrease' will subtract from the existing stock
}
}
此方法不会覆盖整个库存价值,而是增量调整它,从而避免在购买过程中干扰 WooCommerce 的内部库存减少流程。
wc_update_product_stock()
并让 WooCommerce 管理它。如果您想确保库存管理已打开,但让 WooCommerce 处理实际的库存减少,您可以仅保留
update_post_meta()
行:
add_action('woocommerce_order_status_changed', 'so_status_completed', 10, 3);
function so_status_completed($order_id, $old_status, $new_status){
if($new_status == 'processing' || $new_status == 'on-hold'){
// Fetch the product SKU
$product_sku = ''; // Replace with your method to fetch SKU
$product_id = wc_get_product_id_by_sku( $product_sku );
// Ensure that stock management is enabled for this product
update_post_meta($product_id, '_manage_stock', 'yes');
}
}
通过删除直接库存更新,WooCommerce 的自动库存管理系统将在下订单时减少库存。
结论: 该问题源于将
wc_update_product_stock()
与 'set'
选项一起使用,这会覆盖 WooCommerce 的内部库存处理逻辑。尝试使用 'increase'
或 'decrease'
,或者完全删除库存调整行并让 WooCommerce 自动处理。
如果您需要更多细节或进一步调整,请告诉我!