1

我想用 urllib2 下载一个文件,同时我想显示一个进度条.. 但是我怎样才能得到实际下载的文件大小?

我目前的代码是

ul = urllib2.urlopen('www.file.com/blafoo.iso')
data = ul.get_data()

或者

open('file.iso', 'w').write(ul.read())

如果从网站接收到整个下载,则首先将数据写入文件。如何访问下载的数据大小?

谢谢你的帮助

4

3 回答 3

7

这是一个使用了真棒请求库和进度条库的文本进度条示例:

import requests
import progressbar

ISO = "http://www.ubuntu.com/start-download?distro=desktop&bits=32&release=lts"
CHUNK_SIZE = 1024 * 1024 # 1MB

r = requests.get(ISO)
total_size = int(r.headers['content-length'])
pbar = progressbar.ProgressBar(maxval=total_size).start()

file_contents = ""
for chunk in r.iter_content(chunk_size=CHUNK_SIZE):
    file_contents += chunk
    pbar.update(len(file_contents))

这是我在运行时在控制台中看到的:

$ python requests_progress.py
 90% |############################   |

编辑:一些注释:

  • 并非所有服务器都提供内容长度标头,因此在这种情况下,您无法提供百分比
  • 如果它很大,您可能不想读取内存中的整个文件。您可以将块写入文件或其他位置。
于 2012-08-06T15:46:36.557 回答
4

您可以使用infourllib2 的函数返回the meta-information of the page,然后您可以使用它getheaders来访问Content-Length.

例如,让我们计算下载大小Ubuntu 12.04 ISO

>>> info = urllib2.urlopen('http://mirror01.th.ifl.net/releases//precise/ubuntu-12.04-desktop-i386.iso')
>>> size = int(info.info().getheaders("Content-Length")[0])
>>> size/1024/1024
701
>>>
于 2012-08-06T15:25:23.677 回答
1
import urllib2
with open('file.iso', 'wb') as output: # Note binary mode otherwise you'll corrupt the file
    with urllib2.urlopen('www.file.com/blafoo.iso') as ul:
        CHUNK_SIZE = 8192
        bytes_read = 0
        while True:
            data = ul.read(CHUNK_SIZE)
            bytes_read += len(data) # Update progress bar with this value
            output.write(data)
            if len(data) < CHUNK_SIZE: #EOF
                break
于 2012-08-06T15:16:36.220 回答