如何在不先解压缩的情况下打开 zip 存档中的文件?
我正在使用pygame。为了节省磁盘空间,我将所有图像都压缩了。是否可以直接从 zip 文件加载给定的图像?例如:
pygame.image.load('zipFile/img_01')
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()
从 Python 3.2 开始,可以将ZipFile
用作上下文管理器:
from zipfile import ZipFile
with ZipFile('images.zip') as zf:
for file in zf.namelist():
if not file.endswith('.png'): # optional filtering by filetype
continue
with zf.open(file) as f:
image = pygame.image.load(f, namehint=file)