请求以Python下载视频

时间:2015-05-31 17:11:59

标签: python http-post

我有以下表格的链接:

http://youtubeinmp3.com/fetch/?video=LINK_TO_YOUTUBE_VIDEO_HERE

如果您将此类型的链接放在网页上的<a>标记中,点击它们会在链接末尾下载YouTube视频的MP3。来源是here

我想通过发布帖子请求(或类似的东西)从命令行模仿这个过程,但我不确定如何在Python中执行此操作!我可以得到任何建议吗,或者这比我做出来更困难?

3 个答案:

答案 0 :(得分:1)

在其API Doc中,它提供了一个版本的URL,它将下载链接作为JSON返回:http://youtubeinmp3.com/fetch/?api=advanced&format=JSON&video=http://www.youtube.com/watch?v=i62Zjga8JOM

好的然后我们可以使用urllib2调用API并获取API结果,然后使用json.loads()反序列化,并再次使用urllib2下载mp3文件。

import urllib2
import json

r = urllib2.urlopen('http://youtubeinmp3.com/fetch/?api=advanced&format=JSON&video=http://www.youtube.com/watch?v=i62Zjga8JOM')
content = r.read()
# extract download link
download_url = json.loads(content)['link']
download_content = urllib2.urlopen(download_url).read()
# save downloaded content to file
f = open('test.mp3', 'wb')
f.write(download_content)
f.close()

请注意,文件应使用'wb'模式打开,否则无法正确播放mp3文件。 如果文件很大,下载将是一个耗时的进度。这里有一篇文章描述了如何display downloading progress in GUI (PySide)

答案 1 :(得分:1)

如同Mark Ma所述,您可以在不离开标准库的情况下使用urllib2完成此操作。我喜欢使用Requests,所以我把它煮熟了:

import os
import requests

dump_directory = os.path.join(os.getcwd(), 'mp3')
if not os.path.exists(dump_directory):
    os.makedirs(dump_directory)


def dump_mp3_for(resource):
    payload = {
        'api': 'advanced',
        'format': 'JSON',
        'video': resource
    }
    initial_request = requests.get('http://youtubeinmp3.com/fetch/', params=payload)
    if initial_request.status_code == 200:  # good to go
        download_mp3_at(initial_request)


def download_mp3_at(initial_request):
    j = initial_request.json()
    filename = '{0}.mp3'.format(j['title'])
    r = requests.get(j['link'], stream=True)
    with open(os.path.join(dump_directory, filename), 'wb') as f:
        print('Dumping "{0}"...'.format(filename))
        for chunk in r.iter_content(chunk_size=1024):
            if chunk:
                f.write(chunk)
                f.flush()

然后,重复浏览YouTube视频链接列表并将其逐个传递到dump_mp3_for()

for video in ['http://www.youtube.com/watch?v=i62Zjga8JOM']:
    dump_mp3_for(video)

答案 2 :(得分:0)

如果您想从YouTube下载视频或仅下载音频,则可以使用此模块pytube,它会完成所有艰苦的工作。

您也可以只列出音频:

from pytube import YouTube

# initialize a YouTube object by the url
yt = YouTube("YOUTUBE_URL")

# that will get all audio files available
audio_list = yt.streams.filter(only_audio=True).all()
print(audio_list)  

然后下载:

# that will download the file to current working directory
yt.streams.filter(only_audio=True)[0].download()

完整代码:

from pytube import YouTube
yt = YouTube ("YOUTUBE_URL")
audio = yt.streams.filter(only_audio=True).first()
audio.download()