我正在使用WooCommerce在WordPress开发一个网站。我还在使用WC付费列表和WooCommerce订阅插件来处理我的工作。
问题是当用"订户"的用户;主动订阅登录的角色每次都必须选择一个包裹,即使他有活跃的订阅,他也会尝试发布内容。
是否有人想知道如何检测用户是否具有Active sublcription ,如果它返回true,则跳过了步骤选择软件包?
更新(2019)
- 使用WooCommerce订阅
wcs_user_has_subscription()
的新条件函数。 - 使用更轻的代码版本(SQL查询)。 的新条件函数
- 基于改进的WP_QUERY的原始增强条件功能。
以下自定义条件函数具有可选的参数 $user_id
(定义的user_id),并且将返回 true
当当前用户(或定义的用户)具有活动订阅时。
so 现在可以使用3种不同的方法(做同样的事情):
1)使用WooCommerce订阅专用条件功能wcs_user_has_subscription()
:
function has_active_subscription( $user_id='' ) {
// When a $user_id is not specified, get the current user Id
if( '' == $user_id && is_user_logged_in() )
$user_id = get_current_user_id();
// User not logged in we return false
if( $user_id == 0 )
return false;
return wcs_user_has_subscription( $user_id, '', 'active' );
}
2)与较轻的SQL查询(2019年3月添加):
function has_active_subscription( $user_id=null ) {
// When a $user_id is not specified, get the current user Id
if( null == $user_id && is_user_logged_in() )
$user_id = get_current_user_id();
// User not logged in we return false
if( $user_id == 0 )
return false;
global $wpdb;
// Get all active subscriptions count for a user ID
$count_subscriptions = $wpdb->get_var( "
SELECT count(p.ID)
FROM {$wpdb->prefix}posts as p
JOIN {$wpdb->prefix}postmeta as pm
ON p.ID = pm.post_id
WHERE p.post_type = 'shop_subscription'
AND p.post_status = 'wc-active'
AND pm.meta_key = '_customer_user'
AND pm.meta_value > 0
AND pm.meta_value = '$user_id'
" );
return $count_subscriptions == 0 ? false : true;
}
代码在您的活动子主题(或主题)或任何插件文件中的function.php文件中。
3)原始增强代码也将执行相同的操作:
function has_active_subscription( $user_id=null ) {
// When a $user_id is not specified, get the current user Id
if( null == $user_id && is_user_logged_in() )
$user_id = get_current_user_id();
// User not logged in we return false
if( $user_id == 0 )
return false;
// Get all active subscriptions for a user ID
$active_subscriptions = get_posts( array(
'numberposts' => 1, // Only one is enough
'meta_key' => '_customer_user',
'meta_value' => $user_id,
'post_type' => 'shop_subscription', // Subscription post type
'post_status' => 'wc-active', // Active subscription
'fields' => 'ids', // return only IDs (instead of complete post objects)
) );
return sizeof($active_subscriptions) == 0 ? false : true;
}
代码在您的活动子主题(或主题)或任何插件文件中的function.php文件中。
用法更新:
1)当前用户的用法:
if( has_active_subscription() ){ // Current user has an active subscription
// do something … here goes your code
// Example of displaying something
echo '<p>I have active subscription</p>';
}
2)定义的用户ID的用法:
if( has_active_subscription(26) ){ // Defined User ID has an active subscription
// do something … here goes your code
// Example of displaying something
echo '<p>User ID "26" have an active subscription</p>';
}
此代码已测试并起作用
相关答案:
- WooCommerce订阅 - 检查产品是否已经具有活性订户
- WooCommerce-在开始/结束日期之间的列表中获取主动订阅
使用wcs_user_has_subscription()
$has_sub = wcs_user_has_subscription( '', '', 'active' );
if ( $has_sub) {
// User have active subscription
}