是否可以在不通过API进行身份验证的情况下检索YouTube视频的说明?

时间:2017-02-05 14:01:35

标签: javascript api youtube greasemonkey

我正在尝试编写一个Greasemonkey脚本来提取Youtube视频的描述并将其插入另一个使用嵌入视频的网站。

我发现这样做的唯一方法是使用API​​来调用视频的所有数据。我认为这是一种过于复杂的方法,因此我想创建一个不需要身份验证的脚本,并且可以删除描述。

有没有办法做到这一点?

1 个答案:

答案 0 :(得分:0)

使用https://www.youtube.com/get_video_info服务返回URLSearchParams兼容的& - 各种视频参数的字符串,包括title

function getYoutubeVideoTitle(id, callback) {
    GM_xmlhttpRequest({
        method: 'GET',
        url: 'https://www.youtube.com/get_video_info?video_id=' + id,
        onload: function(r) {
            var encoded = (r.responseText.match(/(^|&)title=(.*?)(&|$)/) || [])[2] || '';
            callback(decodeURIComponent(encoded.replace(/\+/g, ' ')));
        }
    });
}

getYoutubeVideoTitle('jE51HWPz1l8', function(title) {
    console.log(title);
});
  

Specsavers锅炉广告 - 2017

要获取对象中的所有参数,请按&拆分响应,并将每个元素拆分为=作为键/值:

function getYoutubeVideoData(id, callback) {
    GM_xmlhttpRequest({
        method: 'GET',
        url: 'https://www.youtube.com/get_video_info?video_id=' + id,
        onload: function(response) {
            var data = {};
            response.responseText.split('&').forEach(function(param) {
                param = param.split('=');
                data[param[0]] = decodeURIComponent(param[1].replace(/\+/g, ' '));
            });
            callback(data);
        }
    }
}

注释

在现代浏览器中URLSearchParams提供了更方便的访问:

        onload: (r) => callback(new URLSearchParams(r.responseText).get('title'));

        onload: (r) => {
            var data = {};
            for (var entry of new URLSearchParams(r.responseText).entries())
                data[entry[0]] = entry[1];
            callback(data);
        }

代码假定响应中没有重复的密钥,这对于get_video_info服务是正确的。

要在响应中获取视频下载链接和更多信息,请修改请求网址:

    GM_xmlhttpRequest({
        method: 'GET',
        url: 'https://www.youtube.com/get_video_info?video_id=' + id +
             '&hl=en_US&html5=1&el=embedded&eurl=' + encodeURIComponent(location.href),