web-dev-qa-db-ja.com

Post_authorによる投稿をすべて取得

私は現在のユーザーに割り当てられたすべての投稿をwpadminで表示する必要があるバックエンドダッシュボードを作成しています。

私はユーザーロールをAuthorに割り当て、投稿を作成している間(wp adminとして)、この投稿を[作成者]ドロップダウンからいくつかの作成者に割り当てるだけです。

だから私はステータスがPublishの投稿を表示する必要があります。私は今簡単なクエリ投稿を使用していますが、それはすべての投稿を返しています。

global $current_user;
get_currentuserinfo();
$user_id = $current_user->ID;    // for current user it is 2

$query = array(
        'post_type' => 'post',
        'post_author' => $user_id,
        'post_status' => array('publish')
    );
$my_posts = query_posts($query);

post_authorを2にハードコードしました

私も試してみました$my_post = new WP_Query(array( 'post_author' => '2' ));

しかし失敗します。

1
Muhammad Sajid

おかげで シェイク・ヒーラ

if ( is_user_logged_in() ):

    global $current_user;
    get_currentuserinfo();
    $author_query = array('posts_per_page' => '-1','author' => $current_user->ID);
    $author_posts = new WP_Query($author_query);
    while($author_posts->have_posts()) : $author_posts->the_post();
    ?>
        <a href="<?php the_permalink(); ?>" title="<?php the_title_attribute(); ?>"><?php the_title(); ?></a>       
    <?php           
    endwhile;

else :

    echo "not logged in";

endif;
2
Muhammad Sajid

それが キーWPが を探しているためです。キーが間違っているかスペルミスがあると、 'post_author'の場合のように無視されます。

1
Karlis Rode

次のミニプラグインは、投稿ステータスとしてpublishを持つ現在のユーザーからの投稿をクエリするダッシュボードウィジェットを追加します。 get_current_user_id()が使われているのがわかります。

<?php
defined( 'ABSPATH' ) OR exit;
/**
 * Plugin Name: (#91605) Dashboard Widget - User posts
 */

add_action( 'wp_dashboard_setup', 'wpse91605_dbwidget_user_posts' );
function wpse91605_dbwidget_user_posts()
{
    wp_add_dashboard_widget(
         'wpse91605_dbwidget_user_posts'
        ,_e( 'Your published posts', 'your_textdomain' )
        ,'wpse91605_dbwidget_user_posts_cb'
    );
}
function wpse91605_dbwidget_user_posts_cb()
{
    $query = new WP_Query( array(
         'author'         => get_current_user_id()
        ,'post_status'    => 'publish'
        ,'posts_per_page' => -1
        ,'showposts'      => -1
        ,'nopaging'       => true
    ) );
    if ( $query->have_posts() )
    {
        ?><ul><?php
        while( $query->have_posts )
        {
            the_post();
            ?>
            <li><a href="<?php the_permalink(); ?>" title="<?php the_title_attribute(); ?>">
                <?php the_title(); ?>
            </a></li>
            <?php
        }
        ?></ul><?php
    }
}
1
kaiser