Python 3.我正在使用QT的文件对话框小部件来保存从互联网下载的PDF。我一直在使用'open'读取文件,并尝试使用文件对话框小部件来编写它。但是,我一直遇到“TypeError:'_ io.BufferedReader'不支持缓冲区接口”错误。
示例代码:
with open('file_to_read.pdf', 'rb') as f1:
with open('file_to_save.pdf', 'wb') as f2:
f2.write(f1)
当不使用'b'指示符时,或者从web中读取文件时,如使用urllib或者请求,此逻辑适用于文本文件。这些是“字节”类型,我认为我需要打开文件。相反,它作为缓冲读者开放。我尝试了字节(f1),但得到“TypeError:'bytes'对象不能被解释为整数。”有什么想法吗?
答案 0 :(得分:13)
如果您的目的只是制作文件的副本,则可以使用shutil
>>> import shutil
>>> shutil.copyfile('file_to_read.pdf','file_to_save.pdf')
或者如果您需要逐字节访问,类似于您的结构,这可以:
>>> with open('/tmp/fin.pdf','rb') as f1:
... with open('/tmp/test.pdf','wb') as f2:
... while True:
... b=f1.read(1)
... if b:
... # process b if this is your intent
... n=f2.write(b)
... else: break
但逐字节可能非常慢。
或者,如果你想要一个可以加快速度的缓冲区(不承担将未知文件大小完全读入内存的风险):
>>> with open('/tmp/fin.pdf','rb') as f1:
... with open('/tmp/test.pdf','wb') as f2:
... while True:
... buf=f1.read(1024)
... if buf:
... for byte in buf:
... pass # process the bytes if this is what you want
... # make sure your changes are in buf
... n=f2.write(buf)
... else:
... break
使用Python 2.7+或3.1+,您也可以使用此快捷方式(而不是使用两个with
块):
with open('/tmp/fin.pdf','rb') as f1,open('/tmp/test.pdf','wb') as f2:
...
答案 1 :(得分:5)
在另一个文件中写入文件真的没有意义。你想要的是在f2中写入f1的内容。你用f1.read()获得内容。所以你必须这样做:
with open('file_to_read.pdf', 'rb') as f1:
with open('file_to_save.pdf', 'wb') as f2:
f2.write(f1.read())
答案 2 :(得分:3)
从python cookbook
from functools import partial
with open(fpath, 'rb') as f, open(target_fpath, 'wb') as target_f:
for _bytes in iter(partial(f.read, 1024), ''):
target_f.write(_bytes)
partial(f.read, 1024)
返回一个函数,每回合读取1024字节的二进制文件。遇到iter
时会blank string ''
结束。