web-dev-qa-db-ja.com

投稿に添付された画像を取得する

私はメディアライブラリからの写真をホームページのjqueryスライダーで使うことができるようにしたいので、他の誰かがそれをハードコードする必要なしにその写真を更新することが容易になります。私はたくさんの写真を投稿に添付して、これを試しました

<?php
$image_query = new WP_Query(array('name'=>'slider-images'));
while ( $image_query->have_posts() ) : $image_query->the_post();
    $args = array( 'post_type' => 'attachment', 'numberposts' => -1, 'post_status' => null, 'post_parent' => $post->ID ); 
    $attachments = get_posts($args);
    if ($attachments) {
        foreach ( $attachments as $attachment ) {
            echo '<li>';
            echo '<img src="'.wp_get_attachment_url($attachment->ID).'" />';
            echo '</li>';
        }
    }
endwhile;
wp_reset_postdata();
?>

しかし何も表示されません。自分のコードに何か問題があるのでしょうか、それとも投稿するよりも、画像をグループ化するより簡単な方法がありますか。

編集:私は私の$ image_queryループでthe_content()を使用する場合それはのような画像を出力します

<p>
    <a href="...">
        <img src="..." />
    </a>
</p>

しかし必要なのは

<li>
    <a href="...">
        <img src="..." />
    </a>
</li>
3
Devin Crossman

Get_postsよりもget_childrenを使用するのが良いでしょう。これはうまくいく簡単な例です。これはあなたのプラグインまたはfunctions.phpで定義されている関数の形をしていて、その関数をテンプレートタグとして使います。

    /**
     * Gets all images attached to a post
     * @return string
     */
    function wpse_get_images() {
        global $post;
        $id = intval( $post->ID );
        $size = 'medium';
        $attachments = get_children( array(
                'post_parent' => $id,
                'post_status' => 'inherit',
                'post_type' => 'attachment',
                'post_mime_type' => 'image',
                'order' => 'ASC',
                'orderby' => 'menu_order'
            ) );
        if ( empty( $attachments ) )
                    return '';

        $output = "\n";
    /**
     * Loop through each attachment
     */
    foreach ( $attachments as $id  => $attachment ) :

        $title = esc_html( $attachment->post_title, 1 );
        $img = wp_get_attachment_image_src( $id, $size );

        $output .= '<a class="selector thumb" href="' . esc_url( wp_get_attachment_url( $id ) ) . '" title="' . esc_attr( $title ) . '">';
        $output .= '<img class="aligncenter" src="' . esc_url( $img[0] ) . '" alt="' . esc_attr( $title ) . '" title="' . esc_attr( $title ) . '" />';
        $output .= '</a>';

    endforeach;

        return $output;
    }
5
Chris_O