0

我创建了两种不同的自定义帖子类型:“视频”和“位置”。
然后,我创建了一个名为“Video_Categories”的自定义分类法。
我已将此自定义分类法分配给两种自定义帖子类型。

我想要做的是在位置上显示彼此具有相同术语的视频。

例如:

视频帖子:

  • 名称:视频1;Video_Category:昆士兰布里斯班;
  • 名称:视频2;Video_Category:昆士兰黄金海岸;
  • 名称:视频3;Video_Category:昆士兰州阳光海岸;

位置贴:

  • 名称:布里斯班;Video_Category:布里斯班;

我想从查看此帖子的分类并返回具有相同分类的视频帖子的位置页面创建一个查询。

在上面的示例中,“视频 1”视频帖子将被返回并显示在位置页面上。

4

1 回答 1

3

好问题,这与获取相关类别或标签有点不同,尽管仍然使用类似的前提。有几种方法可以做到这一点,但最简单的方法之一可能是使用自定义函数,该函数利用WP_Query. 将以下代码添加到您的functions.php文件中。

// Create a query for the custom taxonomy
function related_posts_by_taxonomy( $post_id, $taxonomy, $args=array() ) {
    $query = new WP_Query();
    $terms = wp_get_object_terms( $post_id, $taxonomy );

    // Make sure we have terms from the current post
    if ( count( $terms ) ) {
        $post_ids = get_objects_in_term( $terms[0]->term_id, $taxonomy );
        $post = get_post( $post_id );
        $post_type = get_post_type( $post );

        // Only search for the custom taxonomy on whichever post_type
        // we AREN'T currently on
        // This refers to the custom post_types you created so
        // make sure they are spelled/capitalized correctly
        if ( strcasecmp($post_type, 'locations') == 0 ) {
            $type = 'videos';
        } else {
            $type = 'locations';
        }

        $args = wp_parse_args( $args, array(
                'post_type' => $type,
                'post__in' => $post_ids,
                'taxonomy' => $taxonomy,
                'term' => $terms[0]->slug,
            ) );
        $query = new WP_Query( $args );
    }

    // Return our results in query form
    return $query;
}

显然,您可以更改此函数中的任何内容以获得您正在寻找的确切结果。查看http://codex.wordpress.org/Class_Reference/WP_Query以供进一步参考。

有了它,您现在可以访问该related_posts_by_taxonomy()功能,您可以在其中传递您想要查找相关帖子的任何分类。因此,在您single.php或任何用于自定义帖子类型的模板中,您可以执行以下操作:

<h4>Related Posts</h3>
<ul>
<?php $related =  related_posts_by_taxonomy( $post->ID, 'Video_Categories' );
    while ( $related->have_posts() ): $related->the_post(); ?>
        <li><?php the_title(); ?></li>
    <?php endwhile; ?>
</ul>
于 2012-09-04T06:30:50.043 回答