我正在尝试创建一个循环,显示一个帖子列表,其中的标签与循环所在的页面标题相匹配。
例如,我有一个名为“国家/地区”的自定义帖子类型列表,在每个国家/地区我都有最近的帖子列表。对于每个国家/地区,我想显示带有与该国家/地区相关的标记的帖子。因此,如果帖子中包含“UK”标签,则只有这些帖子应显示在“UK”页面上。
到目前为止,这是我的代码,根本不起作用......
$country_tag = get_the_title();
global $wp_query;
$args = array(
'tag__in' => 'post_tag', //must use tag id for this field
'posts_per_page' => -1); //get all posts
$posts = get_posts($args);
foreach ($posts as $post) :
//do stuff
if ( $posts = $country_tag ) {
the_title();
}
endforeach;
答案 0 :(得分:2)
假设您在$country_tag
中获得了正确的值,并且假设(根据您的问题)$country_tag
是标记< em> name (而不是标签slug或ID),那么你必须在get_posts中使用Taxonomy Parameters,或者首先获取标签的ID或slug。您可以使用get_term_by
此外,在您对帖子进行操作之前,您需要致电setup_postdata。
我建议先使用get_term_by
,这样你就可以先检查标签是否存在,如果不存在,则输出一条消息。
$country_tag = get_the_title();
$tag = get_term_by( 'name', $country_tag, 'post_tag' );
if ( ! $country_tag || ! $tag ) {
echo '<div class="error">Tag ' . $country_tag . ' could not be found!</div>';
} else {
// This is not necessary. Remove it...
// global $wp_query;
$args = array(
'tag__in' => (int)$tag->term_id,
'posts_per_page' => -1
);
$posts = get_posts( $args );
// be consistent - either use curly braces OR : and endif
foreach( $posts as $post ) {
// You can't use `the_title`, etc. until you do this...
setup_postdata( $post );
// This if statement is completely unnecessary, and is incorrect - it's an assignment, not a conditional check
// if ( $posts = $country_tag ) {
the_title();
// }
}
}
上面我建议使用get_term_by
方法,因为它允许您首先验证是带有该名称的标记。如果您100%确信始终存在与页面标题对应的标记,则可以使用分类法参数(如下所示):
$country_tag = get_the_title();
$args = array(
'tax_query' => array(
array(
'taxonomy' => 'post_tag',
'field' => 'name',
'terms' => $country_tag
)
),
'posts_per_page' => -1
);
$posts = get_posts( $args );
foreach( $posts as $post ) {
setup_postdata( $post );
the_title();
}