web-dev-qa-db-ja.com

Wp-adminでIDで投稿を検索する方法

管理領域の投稿一覧に移動すると、投稿のタイトルまたはコンテンツでのみ検索できます。

投稿またはページIDで検索する機能を追加して、編集者が探している投稿を見つけやすくします。

プラグインフォルダに実装する必要があります。何か案は?どこから始めればいいのかわかりません。みんなありがとう!

enter image description here 

2
Nobody

解決策1

これはpre_get_postsアクションを使用して元の検索クエリを上書きし、代わりに投稿IDで検索するソリューションです。これは私が一般的にお勧めするアプローチです。

/**
 * Allows posts to be searched by ID in the admin area.
 * 
 * @param WP_Query $query The WP_Query instance (passed by reference).
 */
add_action( 'pre_get_posts','wpse_admin_search_include_ids' );
function wpse_admin_search_include_ids( $query ) {
    // Bail if we are not in the admin area
    if ( ! is_admin() ) {
        return;
    }

    // Bail if this is not the search query.
    if ( ! $query->is_main_query() && ! $query->is_search() ) {
        return;
    }   

    // Get the value that is being searched.
    $search_string = get_query_var( 's' );

    // Bail if the search string is not an integer.
    if ( ! filter_var( $search_string, FILTER_VALIDATE_INT ) ) {
        return;
    }

    // Set WP Query's p value to the searched post ID.
    $query->set( 'p', intval( $search_string ) );

    // Reset the search value to prevent standard search from being used.
    $query->set( 's', '' );
}

解決策2

これは、管理領域で数値を使用して検索が行われたときにSQLを直接変更するためにposts_searchフィルターを使用する代替ソリューションです。

/**
 * Modify search SQL enabling searching by post ID.
 *
 * @param string   $search Search SQL for WHERE clause.
 * @param WP_Query $wp_query   The current WP_Query object.
 */
add_filter( 'posts_search', 'wpse_posts_search_post_id', 10, 2 );
function wpse_posts_search_post_id( $search, $wp_query ) {
    // Bail if we are not in the admin area
    if ( ! is_admin() ) {
        return $search;
    }

    // Bail if this is not the search query.
    if ( ! $wp_query->is_main_query() && ! $wp_query->is_search() ) {
        return $search;
    }   

    // Get the value that is being searched.
    $search_string = get_query_var( 's' );

    // Bail if the search string is not an integer.
    if ( ! filter_var( $search_string, FILTER_VALIDATE_INT ) ) {
        return $search;
    }

    // This appears to be a search using a post ID.
    // Return modified posts_search clause.
    return "AND wp_posts.ID = '" . intval( $search_string )  . "'";
}

このコードを使う

スニペットをadmin-search-by-post-id.phpというフォルダー内のadmin-search-by-post-idという名前のファイルに保存することで、これらのソリューションのいずれかを簡単にプラグインに変えることができます。詳細は プラグイン作成に関する開発者ハンドブック を参照してください。

プラグインヘッダの例:

<?php
/*
Plugin Name:  Admin Search by Post ID
Plugin URI:   
Description:  Allows posts to be searched using IDs in the admin area.
Version:      0.0.1
Author:       
Author URI:   
License:      GPL2
License URI:  https://www.gnu.org/licenses/gpl-2.0.html
Text Domain:  your_text_domain
Domain Path:  /languages
*/
3
Dave Romsey