问题描述

我正在尝试输出音乐标题列表,并希望排序忽略 (但仍然显示) 标题的初始文章。

例如,如果我有一个乐队列表,它将按照字母顺序在 WordPress 中显示,如下所示:

  • 黑安息日

  • 齐柏林飞艇

  • 平克·弗洛伊德 (乐队名

  • 披头士

  • 扭结

  • 滚石乐队

  • 薄丽的

相反,我想按字母顺序显示,忽略最初的文章’The’,像这样:

  • 披头士

  • 黑安息日

  • 扭结

  • 齐柏林飞艇

  • 平克·弗洛伊德 (乐队名

  • 滚石乐队

  • 薄丽的

我在 a blog entry from last year 中遇到了一个解决方案,建议 functions.php 中的以下代码:

function wpcf_create_temp_column($fields) {
  global $wpdb;
  $matches = 'The';
  $has_the = " CASE
      WHEN $wpdb->posts.post_title regexp( '^($matches)[[:space:]]' )
        THEN trim(substr($wpdb->posts.post_title from 4))
      ELSE $wpdb->posts.post_title
        END AS title2";
  if ($has_the) {
    $fields .= ( preg_match( '/^(s+)?,/', $has_the ) ) ? $has_the : ", $has_the";
  }
  return $fields;
}

function wpcf_sort_by_temp_column ($orderby) {
  $custom_orderby = " UPPER(title2) ASC";
  if ($custom_orderby) {
    $orderby = $custom_orderby;
  }
  return $orderby;
}

然后用 add_filter 包装查询和 remove_filter 之后。

我已经尝试过这个,但我在网站上收到以下错误:

WordPress database error: [Unknown column ‘title2’ in ‘order clause’]

SELECT wp_posts.* FROM wp_posts WHERE 1=1 AND wp_posts.post_type = ‘release’ AND (wp_posts.post_status = ‘publish’ OR wp_posts.post_status = ‘private’) ORDER BY UPPER(title2) ASC

我不会撒谎,我对 WordPress 的 php 部分很新,所以我不确定为什么我得到这个错误。我可以看到它与’title2’ 列有关,但我的理解是,第一个函数应该照顾它。此外,如果有一个更聪明的方式来做到这一点,我都是耳朵。我一直在搜索这个网站,但我并没有真正找到很多解决方案。

如果有任何帮助,我使用过滤器的代码如下所示:

<?php
    $args_post = array('post_type' => 'release', 'orderby' => 'title', 'order' => 'ASC', 'posts_per_page' => -1, );

    add_filter('post_fields', 'wpcf_create_temp_column'); /* remove initial 'The' from post titles */
    add_filter('posts_orderby', 'wpcf_sort_by_temp_column');

    $loop = new WP_Query($args_post);

    remove_filter('post_fields', 'wpcf_create_temp_column');
    remove_filter('posts_orderby', 'wpcf_sort_by_temp_column');

        while ($loop->have_posts() ) : $loop->the_post();
?>

最佳解决方案

问题

我认为那里有一个错字:

过滤器的名称是 posts_fields,不是 post_fields

这可以解释为什么 title2 字段是未知的,因为它的定义不会添加到生成的 SQL 字符串。

替代 – 单过滤器

我们可以将其重写为仅使用一个过滤器:

add_filter( 'posts_orderby', function( $orderby, WP_Query $q )
{
    // Do nothing
    if( '_custom' !== $q->get( 'orderby' ) )
        return $orderby;

    global $wpdb;

    $matches = 'The';   // REGEXP is not case sensitive here

    // Custom ordering (SQL)
    return sprintf(
        "
        CASE
            WHEN {$wpdb->posts}.post_title REGEXP( '^($matches)[[:space:]]+' )
                THEN TRIM( SUBSTR( {$wpdb->posts}.post_title FROM %d ))
            ELSE {$wpdb->posts}.post_title
        END %s
        ",
        strlen( $matches ) + 1,
        'ASC' === strtoupper( $q->get( 'order' ) ) ? 'ASC' : 'DESC'
    );

}, 10, 2 );

您现在可以使用_custom orderby 参数激活自定义排序:

$args_post = array
    'post_type'      => 'release',
    'orderby'        => '_custom',    // Activate the custom ordering
    'order'          => 'ASC',
    'posts_per_page' => -1,
);

$loop = new WP_Query($args_post);

while ($loop->have_posts() ) : $loop->the_post();

替代 – 递归 TRIM()

我们来实现 Pascal Birchler,commented here 的递归思想:

add_filter( 'posts_orderby', function( $orderby, WP_Query $q )
{
    if( '_custom' !== $q->get( 'orderby' ) )
        return $orderby;

    global $wpdb;

    // Adjust this to your needs:
    $matches = [ 'the ', 'an ', 'a ' ];

    return sprintf(
        " %s %s ",
        wpse_sql( $matches, " LOWER( {$wpdb->posts}.post_title) " ),
        'ASC' === strtoupper( $q->get( 'order' ) ) ? 'ASC' : 'DESC'
    );

}, 10, 2 );

我们可以在这里构建递归函数:

function wpse_sql( &$matches, $sql )
{
    if( empty( $matches ) || ! is_array( $matches ) )
        return $sql;

    $sql = sprintf( " TRIM( LEADING '%s' FROM ( %s ) ) ", $matches[0], $sql );
    array_shift( $matches );
    return wpse_sql( $matches, $sql );
}

这意味着

$matches = [ 'the ', 'an ', 'a ' ];
echo wpse_sql( $matches, " LOWER( {$wpdb->posts}.post_title) " );

会产生:

TRIM( LEADING 'a ' FROM (
    TRIM( LEADING 'an ' FROM (
        TRIM( LEADING 'the ' FROM (
            LOWER( wp_posts.post_title)
        ) )
    ) )
) )

替代 – MariaDB

一般来说,我喜欢使用 MariaDB 而不是 MySQL 。那么它更容易,因为 MariaDB 10.0.5 supports REGEXP_REPLACE

/**
 * Ignore (the,an,a) in post title ordering
 *
 * @uses MariaDB 10.0.5+
 */
add_filter( 'posts_orderby', function( $orderby, WP_Query $q )
{
    if( '_custom' !== $q->get( 'orderby' ) )
        return $orderby;

    global $wpdb;
    return sprintf(
        " REGEXP_REPLACE( {$wpdb->posts}.post_title, '^(the|a|an)[[:space:]]+', '' ) %s",
        'ASC' === strtoupper( $q->get( 'order' ) ) ? 'ASC' : 'DESC'
    );
}, 10, 2 );

次佳解决方案

更简单的方法可能是通过并改变那些需要它的帖子 (在帖子写作屏幕上的标题下),然后只是使用它来排序而不是标题。

即。使用 post_name 不用 post_title 进行排序…

这也意味着如果您在永久链接结构中使用%postname%,您的永久链接可能会有所不同,这可能是额外的好处。

例如。给出 http://example.com/rolling-stones/不是 http://example.com/the-rolling-stones/

编辑:更新现有的插件的代码,从 post_name 列中删除不需要的前缀…

global $wpdb;
$posttype = 'release';
$stripprefixes = array('a-','an-','the-');

$results = $wpdb->get_results("SELECT ID, post_name FROM ".$wpdb->prefix."posts" WHERE post_type = '".$posttype."' AND post_status = 'publish');
if (count($results) > 0) {
    foreach ($results as $result) {
        $postid = $result->ID;
        $postslug = $result->post_name;
        foreach ($stripprefixes as $stripprefix) {
            $checkprefix = strtolower(substr($postslug,0,strlen($stripprefix));
            if ($checkprefix == $stripprefix) {
                $newslug = substr($postslug,strlen($stripprefix),strlen($postslug));
                // echo $newslug; // debug point
                $query = $wpdb->prepare("UPDATE ".$wpdb->prefix."posts SET post_name = '%s' WHERE ID = '%d'", $newslug, $postid);
                $wpdb->query($query);
            }
        }
    }
}

第三种解决方案

EDIT

我已经改进了一些代码。所有代码块都相应更新。在刚刚进入 「原始答案」 中的更新之前,我已经设置了代码,使用以下内容

  • 自定义帖子类型 – > release

  • 自定义分类法 – > game

确保根据您的需要进行设置

原始答案

除了 @birgire 指出的其他答案和打字错误外,这里还有另一种方法。

首先,我们将标题设置为隐藏的自定义字段,但是我们将首先删除我们想要排除的 the 等字样。在我们这样做之前,我们需要先创建一个帮助函数,以便从术语名称和帖子标题中删除被禁止的单词

/**
 * Function get_name_banned_removed()
 *
 * A helper function to handle removing banned words
 *
 * @param string $tring  String to remove banned words from
 * @param array  $banned Array of banned words to remove
 * @return string $string
 */
function get_name_banned_removed( $string = '', $banned = [] )
{
    // Make sure we have a $string to handle
    if ( !$string )
        return $string;

    // Sanitize the string
    $string = filter_var( $string, FILTER_SANITIZE_STRING );

    // Make sure we have an array of banned words
    if (    !$banned
         || !is_array( $banned )
    )
        return $string;

    // Make sure that all banned words is lowercase
    $banned = array_map( 'strtolower', $banned );

    // Trim the string and explode into an array, remove banned words and implode
    $text          = trim( $string );
    $text          = strtolower( $text );
    $text_exploded = explode( ' ', $text );

    if ( in_array( $text_exploded[0], $banned ) )
        unset( $text_exploded[0] );

    $text_as_string = implode( ' ', $text_exploded );

    return $string = $text_as_string;
}

现在我们已经覆盖了,我们来看看这段代码来设置我们的自定义字段。一旦你加载了任何页面,你必须完全删除这个代码。如果你有一个庞大的站点大量的帖子,你可以将 posts_per_page 设置为 100,并运行脚本几次,直到所有帖子的自定义字段已设置为所有帖子

add_action( 'wp', function ()
{
    add_filter( 'posts_fields', function ( $fields, WP_Query $q )
    {
        global $wpdb;

        remove_filter( current_filter(), __FUNCTION__ );

        // Only target a query where the new custom_query parameter is set with a value of custom_meta_1
        if ( 'custom_meta_1' === $q->get( 'custom_query' ) ) {
            // Only get the ID and post title fields to reduce server load
            $fields = "$wpdb->posts.ID, $wpdb->posts.post_title";
        }

        return $fields;
    }, 10, 2);

    $args = [
        'post_type'        => 'release',       // Set according to needs
        'posts_per_page'   => -1,              // Set to execute smaller chucks per page load if necessary
        'suppress_filters' => false,           // Allow the posts_fields filter
        'custom_query'     => 'custom_meta_1', // New parameter to allow that our filter only target this query
        'meta_query'       => [
            [
                'key'      => '_custom_sort_post_title', // Make it a hidden custom field
                'compare'  => 'NOT EXISTS'
            ]
        ]
    ];
    $q = get_posts( $args );

    // Make sure we have posts before we continue, if not, bail
    if ( !$q )
        return;

    foreach ( $q as $p ) {
        $new_post_title = strtolower( $p->post_title );

        if ( function_exists( 'get_name_banned_removed' ) )
            $new_post_title = get_name_banned_removed( $new_post_title, ['the'] );

        // Set our custom field value
        add_post_meta(
            $p->ID,                    // Post ID
            '_custom_sort_post_title', // Custom field name
            $new_post_title            // Custom field value
        );
    } //endforeach $q
});

现在,自定义字段设置为所有帖子,并且上面的代码被删除,我们需要确保我们将此自定义字段设置为所有新帖子或每当我们更新帖子标题。为此,我们将使用 transition_post_status 钩。以下代码可以进入插件 (我推荐) 或 functions.php

add_action( 'transition_post_status', function ( $new_status, $old_status, $post )
{
    // Make sure we only run this for the release post type
    if ( 'release' !== $post->post_type )
        return;

    $text = strtolower( $post->post_title );

    if ( function_exists( 'get_name_banned_removed' ) )
        $text = get_name_banned_removed( $text, ['the'] );

    // Set our custom field value
    update_post_meta(
        $post->ID,                 // Post ID
        '_custom_sort_post_title', // Custom field name
        $text                      // Custom field value
    );
}, 10, 3 );

查询你的位置

您可以正常运行查询,无需任何自定义过滤器。您可以查询和排序您的帖子如下

$args_post = [
    'post_type'      => 'release',
    'orderby'        => 'meta_value',
    'meta_key'       => '_custom_sort_post_title',
    'order'          => 'ASC',
    'posts_per_page' => -1,
];
$loop = new WP_Query( $args );

参考文献

注:本文内容整合自 Google/Baidu/Bing 辅助翻译的英文资料结果。如果您对结果不满意,可以加入我们改善翻译效果:薇晓朵技术论坛。