web-dev-qa-db-ja.com

Youtube API v3ユーザーの動画のリストを取得

Youtube api v2を使用すると、ビデオを簡単に取得できます。次のようなクエリを送信するだけです。

http://gdata.youtube.com/feeds/mobile/videos?max-results=5&alt=rss&orderby=published&author=OneDirectionVEVO

Youtube api v2には、クエリを作成するためのインタラクティブなデモページもあります。 http://gdata.youtube.com/demo/index.html

Youtube api v3では、対応する方法がわかりません。 API v3で私に道を教えてください。

ありがとうございました!

62
vietstone

channels#list メソッドは、「アップロード」プレイリストのプレイリストIDなど、チャンネルに関する情報を含むJSONを返します。

https://www.googleapis.com/youtube/v3/channels?part=contentDetails&forUsername=OneDirectionVEVO&key={YOUR_API_KEY}

プレイリストIDを使用すると、 playlistItems#list メソッドで動画を取得できます:

https://www.googleapis.com/youtube/v3/playlistItems?part=snippet&playlistId=UUbW18JZRgko_mOGm5er8Yzg&key={YOUR_API_KEY}

これらは、ドキュメントページの最後でテストできます。

119
Vinicius Pinto

これでうまくいくはずです。このコードはタイトルを取得して出力するだけですが、必要な詳細を取得できます

// Get Uploads Playlist
$.get(
   "https://www.googleapis.com/youtube/v3/channels",{
   part : 'contentDetails', 
   forUsername : 'USER_CHANNEL_NAME',
   key: 'YOUR_API_KEY'},
   function(data) {
      $.each( data.items, function( i, item ) {
          pid = item.contentDetails.relatedPlaylists.uploads;
          getVids(pid);
      });
  }
);

//Get Videos
function getVids(pid){
    $.get(
        "https://www.googleapis.com/youtube/v3/playlistItems",{
        part : 'snippet', 
        maxResults : 20,
        playlistId : pid,
        key: 'YOUR_API_KEY'},
        function(data) {
            var results;
            $.each( data.items, function( i, item ) {
                results = '<li>'+ item.snippet.title +'</li>';
                $('#results').append(results);
            });
        }
    );
}


<!--In your HTML -->
<ul id="results"></ul>
22
Brad

APIのV3では状況が大きく変わりました。 video は、特定のチャンネルにアップロードされた動画のリストを取得するために必要なv3 API呼び出しを、API Explorerを使用したライブデモで説明します。

YouTube Developers Live:v3でチャンネルのアップロードを取得する- https://www.youtube.com/watch?v=RjUlmco7v2M =

4

クォータコストを考慮する場合は、この単純なアルゴリズムに従うことをお勧めします。

最初に https://www.youtube.com/feeds/videos.xml?channel_id= ...からデータを取得します。これは、動画IDを提供する単純なXMLフィードですが、さらに「部品」(統計など)を指定します。

そのリストのビデオIDを使用して、/ videos APIエンドポイントでクエリを実行します。これにより、1つのクォータコストに加えて、追加の部分パラメーターに0〜2のビデオIDのコンマ区切りリストを作成できます。 @chrismacpが指摘しているように、/ searchエンドポイントの使用は簡単ですが、クォータコストは100であり、すぐに追加できます。

2回目の呼び出しを行う際に、リソースに関する考慮事項(CPU、メモリなど)がありますが、多くのシナリオではこれが便利な方法になると考えています。

4
Appl3s

それがここの誰かに役立つ場合、これは私が発見したものであり、これまでのところ私にとってうまく機能しているようです。このリクエストを行う前に、OAuth 2.0を介してメンバーを認証しています。これにより、認証されたメンバーの動画が提供されます。いつものように、あなたの個人的な走行距離は異なる場合があります:D

curl https://www.googleapis.com/youtube/v3/search -G \
-d part=snippet \
-d forMine=true \
-d type=video \
-d order=date \
-d access_token={AUTHENTICATED_ACCESS_TOKEN}
2
Jonmark Weber

投稿したリクエストに相当するのは、実際には3.0 APIでの検索であり、プレイリストリクエストではありません。そのようにするのも簡単です。ただし、チャンネルIDのユーザー名を除外する必要があります。

例GET https://www.googleapis.com/youtube/v3/playlistItems?part=snippet&playlistId=UUGhCVGZ0ZSpe5hJHWyiLwHA&key= {YOUR_API_KEY}

2
xangadix
function tplawesome(e,t){res=e;for(var n=0;n<t.length;n++){res=res.replace(/\{\{(.*?)\}\}/g,function(e,r){return t[n][r]})}return res}



$(function() {


    $(".form-control").click(function(e) {


       e.preventDefault();


       // prepare the request


       var request = gapi.client.youtube.search.list({


            part: "snippet",


            type: "video",


            q: encodeURIComponent($("#search").val()).replace(/%20/g, "+"),


            maxResults: 20,


            order: "viewCount",


            publishedAfter: "2017-01-01T00:00:00Z"


       }); 


       // execute the request


       request.execute(function(response) {


          var results = response.result;


          $("#results").html("");


          $.each(results.items, function(index, item) {


            $.get("tpl/item.html", function(data) {


                $("#results").append(tplawesome(data, [{"title":item.snippet.title, "videoid":item.id.videoId ,"descrip":item.snippet.description ,"date":item.snippet.publishedAt ,"channel":item.snippet.channelTitle ,"kind":item.id.kind ,"lan":item.id.etag}]));


            });


            


          });


          resetVideoHeight();


       });


    });


    


    $(window).on("resize", resetVideoHeight);


});



function resetVideoHeight() {


    $(".video").css("height", $("#results").width() * 9/16);


}



function init() {


    gapi.client.setApiKey("YOUR API KEY .... USE YOUR KEY");


    gapi.client.load("youtube", "v3", function() {


        // yt api is ready


    });


}

ここで完全なコードを確認してください https://thecodingshow.blogspot.com/2018/12/youtube-search-api-website.html

0
R P S Naik

PHPの場合:pageToken属性を使用して、プレイリストのすべてのページに移動しました。

//step 1: get playlist id

 $response = file_get_contents("https://www.googleapis.com/youtube/v3/channels?key={$api_key}&forUsername={$channelName}&part=contentDetails");
 $searchResponse = json_decode($response,true);
 $data = $searchResponse['items'];
 $pid =  $data[0]['contentDetails']['relatedPlaylists']['uploads'];

//step 2: get all videos in playlist

 $nextPageToken = '';
 while(!is_null($nextPageToken)) {
     $request = "https://www.googleapis.com/youtube/v3/playlistItems?key={$api_key}&playlistId={$pid}&part=snippet&maxResults=50&pageToken=$nextPageToken";

    $response = file_get_contents($request);
    $videos = json_decode($response,true);

    //get info each video here...

   //go next page
    $nextPageToken = $videos['nextPageToken'];
}
0

300以上の動画を含むプレイリストの動画を取得する場合は、playlistitems.listを使用しないでください。 Googleのリンク「 https://developers.google.com/youtube/v3/docs/playlistItems/list 」の「Try it」セクションで実際に試すことができます。未定義を返します。

私も自分のプロジェクトで使用しました。未定義のみを返します。

0
Sriharsha P K

Node.jsでは、次のコードで実現できます。

authKeyオブジェクトパラメーターとしてchannelIdおよびoptionsが必要です。

cbコールバックは、データがフェッチされた後に呼び出されます。

async function fetchChannelInfo(options) {
  const channelUrl = `https://www.googleapis.com/youtube/v3/channels?part=contentDetails,statistics&id=${
    options.channelId
  }&key=${options.authKey}`;
  const channelData = await axios.get(channelUrl);

  return channelData.data.items[0];
}
function fetch(options, cb) {
  fetchChannelInfo(options).then((channelData) => {
    options.playlistId = channelData.contentDetails.relatedPlaylists.uploads;
    const paylistUrl = `https://www.googleapis.com/youtube/v3/playlistItems?part=snippet&playlistId=${
      options.playlistId
    }&key=${options.authKey}`;

    axios
      .get(paylistUrl)
      .then((response) => {
        const payloadData = ;

        const videoList = [];
        response.data.items.forEach((video) => {
          videoList.Push({
            publishedAt: video.snippet.publishedAt,
            title: video.snippet.title,
            thumbnails: thumbnails,
            videoId: video.snippet.resourceId.videoId,
          });
        });

        cb(null, videoList);
      })
      .catch((err) => {
        cb(err, null);
      });
  });
}

注:axiosはRESTfulリクエストに使用されます。インストールする

npm install axios
0

別の方法として、現在oauth認証済みユーザーのプレイリストを取得する方法があります:property mine = true

oauth access_tokenは、認証後に取得されます。 https://developers.google.com/youtube/v3/guides/authentication

https://www.googleapis.com/youtube/v3/playlists?part=id&mine=true&access_token=ya29.0gC7xyzxyzxyz
0
Bill McNamara

公式のGoogle API Nodeライブラリ( https://github.com/google/google-api-nodejs-client )を使用したコードを次に示します。

const readJson = require("r-json");
const google = require('googleapis');
const Youtube = google.youtube('v3');

// DONT store your credentials in version control
const CREDENTIALS = readJson("/some/directory/credentials.json");

let user = "<youruser>";
let numberItems = 10; 

let channelConfig = {
  key: CREDENTIALS.youtube.API_KEY,
  part: "contentDetails",
  forUsername: user
};

Youtube.channels.list(channelConfig, function (error, data) {

  if (error) {
    console.log("Error fetching YouTube user video list", error);
    return;
  }

  // Get the uploads playlist Id
  let uploadsPlaylistId = data.items[0].contentDetails.relatedPlaylists.uploads;

  let playlistConfig = {
    part : 'snippet',
    maxResults : size,
    playlistId : uploadsPlaylistId,
    key: CREDENTIALS.youtube.API_KEY
  };

  // Fetch items from upload playlist
  Youtube.playlistItems.list(playlistConfig, function (error, data) {

    if (error) {
      console.log("Error fetching YouTube user video list", error);
    }

    doSomethingWithYourData(data.items);
  });
});
0
chrismacp
$.get(
    "https://www.googleapis.com/youtube/v3/channels",{
      part: 'snippet,contentDetails,statistics,brandingSettings',
      id: viewid,
      key: api},
      function(data){

        $.each(data.items, function(i, item){


          channelId = item.id;
          pvideo = item.contentDetails.relatedPlaylists.uploads;
          uploads(pvideo);
});

      });

アップロード機能は

function uploads(pvideo){


       $.get(
        "https://www.googleapis.com/youtube/v3/playlistItems",{
          part: 'snippet',
          maxResults:12,
          playlistId:pvideo,
          key: api},
          function(data){


            $.each(data.items, function(i, item){

                 videoTitle = item.snippet.title;
             videoId = item.id;
            description = item.snippet.description;
            thumb = item.snippet.thumbnails.high.url;
            channelTitle = item.snippet.channelTitle;
            videoDate = item.snippet.publishedAt;
            Catagoryid = item.snippet.categoryId;
            cID = item.snippet.channelId;

            })
          }
        );
     }
0