投稿者が投稿できないこと、そして意図的にWPが投稿者ドロップダウンリストに投稿者を表示しないことを知っています(これについてはここで説明しました: 投稿者ドロップダウンリストにない投稿者 )投稿者がドロップダウンメニューに投稿者を強制的に表示する方法を探しています。作成者は、投稿者が特定の投稿者のコンテンツの作成を開始できるようにコンテンツを作成します。
可能?
これは、元の作者のメタボックスを削除し、それを似たような、しかしカスタマイズされたバージョンのcontributor
ロールを持つものに置き換えるソリューションです。
作成者メタボックスを追加/削除するためのロジックは、コアから直接取得されます。メタボックス表示コールバックもコアから複製されますが、ドロップダウンに含めるロールを指定できる wp_dropdown_users()
のrole__in
パラメータを使用します。
/**
* Removes the original author meta box and replaces it
* with a customized version.
*/
add_action( 'add_meta_boxes', 'wpse_replace_post_author_meta_box' );
function wpse_replace_post_author_meta_box() {
$post_type = get_post_type();
$post_type_object = get_post_type_object( $post_type );
if ( post_type_supports( $post_type, 'author' ) ) {
if ( is_super_admin() || current_user_can( $post_type_object->cap->edit_others_posts ) ) {
remove_meta_box( 'authordiv', $post_type, 'core' );
add_meta_box( 'authordiv', __( 'Author', 'text-domain' ), 'wpse_post_author_meta_box', null, 'normal' );
}
}
}
/**
* Display form field with list of authors.
* Modified version of post_author_meta_box().
*
* @global int $user_ID
*
* @param object $post
*/
function wpse_post_author_meta_box( $post ) {
global $user_ID;
?>
<label class="screen-reader-text" for="post_author_override"><?php _e( 'Author', 'text-domain' ); ?></label>
<?php
wp_dropdown_users( array(
'role__in' => [ 'administrator', 'author', 'contributor' ], // Add desired roles here.
'name' => 'post_author_override',
'selected' => empty( $post->ID ) ? $user_ID : $post->post_author,
'include_selected' => true,
'show' => 'display_name_with_login',
) );
}
メタボックスを作成する代わりにwp_dropdown_users_args
フィルタを使用することができます。
add_filter('wp_dropdown_users_args', 'display_administrators_and_subscribers_in_author_dropdown', 10, 2);
function display_administrators_and_subscribers_in_author_dropdown($query_args, $r)
{
if (isset($r['name']) && $r['name'] === 'post_author_override') {
if (isset($query_args['who'])) {
unset($query_args['who']);
}
$query_args['role__in'] = array('administrator', 'subscriber');
}
return $query_args;
}