0

我的问题是:我有3 个自定义分类法,比如说'author'、'title' 和 'editor',每一个都适用于常规帖子。假设我的 post_1 在“作者”字段中具有“jorge borges”,而 post_2 在“ray bradbury”中。

我正在尝试使用包含三个分类法和一个文本字段的下拉菜单的搜索表单,这样如果我选择“作者”并搜索“豪尔赫博尔赫斯”,结果将是 post_1。

其他两个分类法也应该像这样工作。

我找不到任何类似的东西,因为许多问题都涉及创建一个包含所有分类实例的下拉菜单,这不是我想要的。我想要一个带有分类类别的下拉菜单,而不是值。

4

1 回答 1

0

好的,这是我想出并在我的网站上测试过的东西。

请注意,这是非常原始的(即没有样式),您可能需要为其添加一些弹性,以防万一您得到一些意想不到的结果,但恐怕这完全取决于您。

这是搜索表格。我没有添加,action因为我不知道您要将表单重定向到哪里。但是,默认情况下,您将被引导回同一页面,因此您可以在那里查询帖子。

<form method="POST">
    <h3>Search for posts</h3>
<?php
    $taxonomies[] = get_taxonomy('author');
    $taxonomies[] = get_taxonomy('title');
    $taxonomies[] = get_taxonomy('editor');
    $options = array();

    if(!empty($taxonomies)) : foreach($taxonomies as $taxonomy) :
            if(empty($taxonomy)) : continue; endif;
            $options[] = sprintf("\t".'<option value="%1$s">%2$s</option>', $taxonomy->name, $taxonomy->labels->name);
        endforeach;
    endif;

    if(!empty($options)) :
        echo sprintf('<select name="search-taxonomy" id="search-taxonomy">'."\n".'$1%s'."\n".'</select>', join("\n", $options));
        echo '<input type="text" name="search-text" id="search-text" value=""></input>';
        echo '<input type="button" name="search" id="search" value="Search"></input>';
    endif;
?>
</form>

现在,在你输出你的帖子之前添加这个 -

if(!empty($_POST['search-text'])) :
    $args = get_search_args();
    query_post($args);
endif;

最后,将此添加到您的function.php,以便您可以获取相关的$args

function get_search_args(){

    /** First grab all of the Terms from the selected taxonomy */
    $terms = get_terms($_POST['search-taxonomy'], $args);
    $needle = $_POST['search-text'];

    /** Now get the ID of any terms that match the text search */
    if(!empty($terms)) : foreach($terms as $term) :

            if(strpos($term->name, $needle) !== false || strpos($term->slug, $needle) !== false) :
                $term_ids[] = $term->term_id;
            endif;

        endforeach;
    endif;

    /** Construct the args to use for quering the posts */
    $args = array(
        'order'         => ASC,
        'orderby'       => 'name',
        'post_status'   => 'publish',
        'post_type'     => 'post',
        'tax_query'     => array(
            array(
                'taxonomy'  => $_POST['search-taxonomy'],
                'field'     => 'term_id',
                'terms'     => $term_ids,
                'operator'  => 'IN'
            )
        )
    );

    return $args();

}
于 2014-01-30T11:01:46.217 回答