web-dev-qa-db-ja.com

埋め込まれたYouTubeビデオから投稿のおすすめ画像を設定する

YouTubeのビデオを埋め込んだ投稿を作成する場合(YouTubeのURLを投稿に貼り付けてWordpressに自動的に埋め込むだけです)、ビデオのサムネイル画像を次のように設定することができます。投稿のおすすめ画像

14
Piku

ネイティブではありません。それを実現するにはコードを書く必要があります - それを実行するのに必要なコードを提供するNice Pastebin 関数があります。

編集(2011年12月19日):

うんここにあなたがプログラム的にこれを行うことができる方法です。 functions.phpファイルに次の2つの関数を追加してください。何が起こっているのかを説明するためにコードがコメントされていますが、ここでは何を期待するべきかの高水準です:

絶対です...

  • 投稿を作成する
  • コンテンツにYouTubeのURLを含める

コードはなります...

  • コンテンツからURLを解析する
  • 最初に見つかったURLを取得し、それがYouTubeのURLであると想定します
  • リモートサーバーからサムネイルを取得してダウンロードします
  • 現在の投稿のサムネイルとして設定

投稿に複数のURLを含める場合は、YouTubeのURLを正しく見つけるようにコードを修正する必要があります。これは$attachmentsコレクションを繰り返し処理して、そのURLがYouTubeのURLのように見えるものを探し出すことで実行できます。

function set_youtube_as_featured_image($post_id) {  

    // only want to do this if the post has no thumbnail
    if(!has_post_thumbnail($post_id)) { 

        // find the youtube url
        $post_array = get_post($post_id, ARRAY_A);
        $content = $post_array['post_content'];
        $youtube_id = get_youtube_id($content);

        // build the thumbnail string
        $youtube_thumb_url = 'http://img.youtube.com/vi/' . $youtube_id . '/0.jpg';

        // next, download the URL of the youtube image
        media_sideload_image($youtube_thumb_url, $post_id, 'Sample youtube image.');

        // find the most recent attachment for the given post
        $attachments = get_posts(
            array(
                'post_type' => 'attachment',
                'numberposts' => 1,
                'order' => 'ASC',
                'post_parent' => $post_id
            )
        );
        $attachment = $attachments[0];

        // and set it as the post thumbnail
        set_post_thumbnail( $post_id, $attachment->ID );

    } // end if

} // set_youtube_as_featured_image
add_action('save_post', 'set_youtube_as_featured_image');

function get_youtube_id($content) {

    // find the youtube-based URL in the post
    $urls = array();
    preg_match_all('#\bhttps?://[^\s()<>]+(?:\([\w\d]+\)|([^[:punct:]\s]|/))#', $content, $urls);
    $youtube_url = $urls[0][0];

    // next, locate the youtube video id
    $youtube_id = '';
    if(strlen(trim($youtube_url)) > 0) {
        parse_str( parse_url( $youtube_url, PHP_URL_QUERY ) );
        $youtube_id = $v;
    } // end if

    return $youtube_id; 

} // end get_youtube_id

注目すべき1つのことは、これはあなたの投稿に投稿サムネイルがなく、投稿サムネイルが設定された後は起動しないと仮定していることです。

次に、投稿のサムネイルを削除してからメディアアップローダを使用してこの投稿に画像を添付すると、最新の画像が使用されます。

17
Tom