Python下载Zip文件损坏

时间:2012-08-07 14:17:19

标签: python download urllib2

所以,我一直在尝试制作一个下载我的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()

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

请帮忙。

3 个答案:

答案 0 :(得分:9)

f = open('c:\CreeperCraft.zip', 'wb+')

答案 1 :(得分: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)

答案 2 :(得分: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)