web-dev-qa-db-ja.com

カスタム投稿テーブルに列を追加する方法

カスタム投稿タイプを作成しました。カスタム投稿タイプにメタボックスも追加しました。今したいのは、カスタム投稿テーブルの列としてメタボックスを追加することです。

私のカスタム投稿

add_action( 'init', 'create_post_type' );
// Create my custom post
function create_post_type() {
    register_post_type( 'spark_stars', 
        array('labels' => 
            array(
                'name' => __( 'Stars' ),
           'singular_name' => __( 'Star' )),
           'public' => true,
           'has_archive' => true,
           'supports' => array( 'title', 'editor', 'thumbnail'),
        )
    );
 }

add_action('add_meta_boxes','stars_meta_box');
// Create my meta box
function stars_meta_box(){
    global $post;
    add_meta_box('first_name_meta_box','First Name',
        'first_name_meta_box_html','spark_stars','normal','default');
}
// Create meta box html
function first_name_meta_box_html(){
    wp_nonce_field('first_name','first_name_meta_box_nonce');
    $value = get_post_meta(get_the_ID(), 'first_name_meta_box_key', true ); ?>
    <label>First Name: </label>
        <input type="text" name="fname" 
            value="<?php echo esc_attr($value); ?>"/>
<?php { 

add_action('manage_spark_stars_posts_columns',.....) // is this the function?
add_filter('manage_spark_stars_posts_columns',.....) // is this the function?

このメタボックスをカスタム投稿テーブルの列として取得する方法や、各投稿のサムネイルをカスタム投稿テーブルの列として取得する方法はありますか。

2
Femi

manage_{$post_type}_posts_columns フィルターが探しているものだと思います。その後、 manage_posts_custom_column アクションを使用して、投稿リストビューの各列のコンテンツを管理できます。

編集::

カスタム投稿タイプにカスタム列を追加するには、 manage_{$post_type}_posts_columns を使用して出力される列をフィルタリングする必要があります。ここで$post_typeはカスタム投稿タイプの登録に使用した名前です。あなたの場合、それはspark_starsになります。

$columns変数は、現在の列の配列です。必要に応じて、完全にオーバーライドして追加できます。

add_filter('manage_spark_stars_posts_columns','filter_cpt_columns');

function filter_cpt_columns( $columns ) {
    // this will add the column to the end of the array
    $columns['first_name'] = 'First Name';
    //add more columns as needed

    // as with all filters, we need to return the passed content/variable
    return $columns;
}

次のステップは、列に表示する必要があるコンテンツをWordPressに伝えることです。これは manage_posts_custom_column アクションで実行できます。以下のメソッドは、投稿メタが存在する場合はFirst Nameを出力し、存在しない場合はデフォルトの文字列を出力します。

add_action( 'manage_posts_custom_column','action_custom_columns_content', 10, 2 );
function action_custom_columns_content ( $column_id, $post_id ) {
    //run a switch statement for all of the custom columns created
    switch( $column_id ) { 
        case 'first_name':
            echo ($value = get_post_meta($post_id, 'first_name_meta_box_key', true ) ) ? $value : 'No First Name Given';
        break;

        //add more items here as needed, just make sure to use the column_id in the filter for each new item.

   }
}

うまくいけば、これはより明確です!

7
Welcher