web-dev-qa-db-ja.com

分類法に各種の機能を設定する方法それ自体も既存の分類法を再登録するには?

デフォルトの分類法、カテゴリー。デフォルトでは、edit_posts機能を持つ人だけが投稿作成/編集中にカテゴリを割り当てることができます。

私は非常に限られた能力で役割を担っています。このロールのユーザにカスタムポストタイプの作成/編集中にカテゴリを割り当てさせたいのですが、edit_posts機能を与えることはできず、分類を編集することはできず、割り当てるだけです。

これどうやってするの? 'assign_terms' => 'read'の設定は1つの選択肢ですが、分類を再登録しなくてもその値を設定する方法を教えてください。

あるいは、分類法を割り当てるための下位レベルの役割の許可をどのように付与できますか?

2
sker

これはうまくいくはずです

add_action( 'init', 'register_category_again', 1 );

function register_category_again() {
  $user = wp_get_current_user();
  if ( $user->roles[0] != 'your_custom_role' ) return;
  global $wp_taxonomies;
  unset( $wp_taxonomies['category'] );
  global $wp_rewrite;
  $rewrite = array(
    'hierarchical' => true,
    'slug' => get_option('category_base') ? get_option('category_base') : 'category',
    'with_front' => ! get_option('category_base') || $wp_rewrite->using_index_permalinks(),
    'ep_mask' => EP_CATEGORIES,
  );
  register_taxonomy( 'category', 'post', array(
    'hierarchical' => true,
    'query_var' => 'category_name',
    'rewrite' => $rewrite,
    'public' => true,
    'capabilities' => array(
      'manage_terms'=> 'manage_categories',
      'edit_terms'=> 'manage_categories',
      'delete_terms'=> 'manage_categories',
      'assign_terms' => 'read'
    ),
    'show_ui' => true,
    'show_admin_column' => true,
    '_builtin' => true,
  ) );
}
3
gmazzap

私はちょうどこの質問を見つけました、そして、それはうまくいくかもしれませんが、私は解決策に満足しませんでした。分類を再度登録せずに、これを実行するためのより良い方法がなければなりませんでした。そしてより良い解決策があります、私は今私のCPTプラグインで使用しています。

public function wpse_108219_set_taxonomy_caps( $taxonomy, $object_type, $args ) {
    global $wp_taxonomies;

    if ( 'category' == $taxonomy && 'cpt_item' == $object_type ) {
        $wp_taxonomies[ $taxonomy ]->cap->assign_terms = 'edit_cpt_items';
    }

}

add_filter( 'registered_taxonomy', 'wpse_108219_set_taxonomy_caps' ), 10, 3 );

この例では、カスタム投稿タイプassign_termscpt_item機能をカスタム機能edit_cpt_itemsに設定しています。

このきれいな解決策があなたにも役立つことを私は願っています。

1
2ndkauboy

分類法を登録する前にコアのカテゴリ引数をフィルタリングすることもできます。

<?php
/*
 * Set the capabilities for the category taxonomy before it's registered.
 *
 * @param array  $args        Array of arguments for registering a taxonomy.
 * @param array  $object_type Array of names of object types for the taxonomy.
 * @param string $taxonomy    Taxonomy key.
 */
function wpse_108219_register_taxonomy_args( $args, $taxonomy, $object_type ) {

    if ( 'category' === $taxonomy ) {

        $args['capabilities'] = array(
            'manage_terms' => 'manage_categories',
            'edit_terms'   => 'manage_categories',
            'delete_terms' => 'manage_categories',
            'assign_terms' => 'read',
        );

    }

    return $args;
}

add_filter( 'register_taxonomy_args', 'wpse_108219_register_taxonomy_args', 10, 3 );
0
James