0

所以,我一直在尝试制作一个简单的下载器来下载我的 zip 文件。

代码如下所示:

import urllib2
import os
import shutil

url = "https://dl.dropbox.com/u/29251693/CreeperCraft.zip"

file_name = url.split('/')[-1]
u = urllib2.urlopen(url)
f = open('c:\CreeperCraft.zip', 'w+')
meta = u.info()

file_size = int(meta.getheaders("Content-Length")[0])
print "Downloading: %s Bytes: %s" % (file_name, file_size)

file_size_dl = 0
block_sz = 8192
while True:
    buffer = u.read(block_sz)
    if not buffer:
        break

    file_size_dl += len(buffer)
    f.write(buffer)
    status = r"%10d  [%3.2f%%]" % (file_size_dl, file_size_dl * 100. / file_size)
    status = status + chr(8)*(len(status)+1)
    print status,

f.close()

问题是,它将文件下载到正确的路径,但是当我打开文件时,它已损坏,只出现一张图片,当你点击它时,它说File Damaged

请帮忙。

4

3 回答 3

9
f = open('c:\CreeperCraft.zip', 'wb+')
于 2012-08-07T14:20:21.353 回答
2

您使用“w+”作为标志,Python 以文本模式打开文件:

Windows 上的 Python 区分了文本文件和二进制文件;读取或写入数据时,文本文件中的行尾字符会自动稍作更改。这种对文件数据的幕后修改适用于 ASCII 文本文件,但它会破坏 JPEG 或 EXE 文件中的二进制数据。

http://docs.python.org/tutorial/inputoutput.html#reading-and-writing-files

另外,请注意您应该转义反斜杠或使用原始字符串,因此请使用 open('c:\\CreeperCraft.zip', 'wb+').

我还建议您不要手动复制原始字节字符串,而是使用shutil.copyfileobj- 它使您的代码更紧凑且更易于理解。我也喜欢使用with自动清理资源的语句(即关闭文件:

import urllib2, shutil

url = "https://dl.dropbox.com/u/29251693/CreeperCraft.zip"
with urllib2.urlopen(url) as source, open('c:\CreeperCraft.zip', 'w+b') as target:
  shutil.copyfileobj(source, target)
于 2012-08-07T14:30:03.290 回答
1
import posixpath
import sys
import urlparse
import urllib

url = "https://dl.dropbox.com/u/29251693/CreeperCraft.zip"
filename = posixpath.basename(urlparse.urlsplit(url).path)
def print_download_status(block_count, block_size, total_size):
    sys.stderr.write('\r%10s bytes of %s' % (block_count*block_size, total_size))
filename, headers = urllib.urlretrieve(url, filename, print_download_status)
于 2012-08-07T14:21:54.057 回答