Assign a Custom Role to a Custom Post?

I been looking around for this, but couldn’t find a way.
The scenario is:
I have a custom post type ‘Company’, and I’m creating Company type posts through my plugin’s code. When I create a new Company post, I set the author as Admin. Now further down the code, I’m creating a custom role ‘Representative’ and assigning users to this role through my code again. What I want to do is, assign a Representative to a Company Post as an author. But I can’t even see this user(Rep.) in the dropdown for switching authors. Is there any argument that I need to pass to wp_insert_user or register_post_type or add_role/add_cap for achieving this?

Thanks in advance!

3 s
3

I’m reposting this with an example, I really don’t get the code formatting of this editor, last time I was so irritated with it that I skipped the code!
That dropdown is populated using a filter ‘wp_dropdown_users’ (user.php, line 976). This filter returns the dropdown (html select) as a string. You can intercept this string, and add your own options, which is the list of users with the custom role. Inspect the select with Firebug, the option value is the user id, and text is the login name for that user.

<?php 
    add_filter('wp_dropdown_users', 'test');
    function test($output) 
    {
        global $post;

        //Doing it only for the custom post type
        if($post->post_type == 'my_custom_post')
        {
            $users = get_users(array('role'=>'my_custom_role'));
           //We're forming a new select with our values, you can add an option 
           //with value 1, and text as 'admin' if you want the admin to be listed as well, 
           //optionally you can use a simple string replace trick to insert your options, 
           //if you don't want to override the defaults
           $output .= "<select id='post_author_override' name="post_author_override" class="">";
        foreach($users as $user)
        {
            $output .= "<option value="".$user->id."">".$user->user_login."</option>";
        }
        $output .= "</select>";
     }
     return $output;
    }
?>

That’s it! You’ll have the dropdown listing your custom roles. Try changing the post author, it gets updated neatly. It’s a hack, but it worked for me!

Leave a Comment