如何在不首先解压缩的情况下打开zip存档中的文件?
我正在使用pygame。为了节省磁盘空间,我将所有图像压缩了。是否可以直接从zip文件加载给定的图像?例如:
pygame.image.load('zipFile/img_01')
Answers:
文森特·波维尔克(Vincent Povirk)的答案无法完全解决。
import zipfile
archive = zipfile.ZipFile('images.zip', 'r')
imgfile = archive.open('img_01.png')
...
您必须在以下位置进行更改:
import zipfile
archive = zipfile.ZipFile('images.zip', 'r')
imgdata = archive.read('img_01.png')
...
有关详细信息,请在此处阅读ZipFile
文档。
import io, pygame, zipfile
archive = zipfile.ZipFile('images.zip', 'r')
# read bytes from archive
img_data = archive.read('img_01.png')
# create a pygame-compatible file-like object from the bytes
bytes_io = io.BytesIO(img_data)
img = pygame.image.load(bytes_io)
我现在只是想自己解决这个问题,并认为这可能对将来遇到此问题的任何人有用。
从理论上讲,是的,这只是插入东西的问题。Zipfile可以为zip存档中的文件提供类似文件的对象,而image.load将接受类似文件的对象。所以这样的事情应该工作:
import zipfile
archive = zipfile.ZipFile('images.zip', 'r')
imgfile = archive.open('img_01.png')
try:
image = pygame.image.load(imgfile, 'img_01.png')
finally:
imgfile.close()