87

我在两个不同的目录中有两个文件,一个是'/home/test/first/first.pdf',另一个是'/home/text/second/second.pdf'. 我使用以下代码来压缩它们:

import zipfile, StringIO
buffer = StringIO.StringIO()
first_path = '/home/test/first/first.pdf'
second_path = '/home/text/second/second.pdf'
zip = zipfile.ZipFile(buffer, 'w')
zip.write(first_path)
zip.write(second_path)
zip.close()

打开我创建的 zip 文件后,里面有一个home文件夹,里面有两个子文件夹,first然后second是 pdf 文件。我不知道如何仅包含两个 pdf 文件,而不是将完整路径压缩到 zip 存档中。我希望我能把我的问题说清楚,请帮忙。谢谢。

4

6 回答 6

177

zipfile write() 方法支持一个额外的参数 (arcname),它是要存储在 zip 文件中的存档名称,因此您只需更改代码:

from os.path import basename
...
zip.write(first_path, basename(first_path))
zip.write(second_path, basename(second_path))
zip.close()

当您有空闲时间阅读zipfile的文档时会有所帮助。

于 2013-04-19T12:31:53.273 回答
15

我使用这个函数来压缩一个不包含绝对路径的目录

import zipfile
import os 
def zipDir(dirPath, zipPath):
    zipf = zipfile.ZipFile(zipPath , mode='w')
    lenDirPath = len(dirPath)
    for root, _ , files in os.walk(dirPath):
        for file in files:
            filePath = os.path.join(root, file)
            zipf.write(filePath , filePath[lenDirPath :] )
    zipf.close()
#end zipDir
于 2016-03-02T14:09:57.393 回答
5

我怀疑可能有一个更优雅的解决方案,但这个应该可以工作:

def add_zip_flat(zip, filename):
    dir, base_filename = os.path.split(filename)
    os.chdir(dir)
    zip.write(base_filename)

zip = zipfile.ZipFile(buffer, 'w')
add_zip_flat(zip, first_path)
add_zip_flat(zip, second_path)
zip.close()
于 2013-04-18T20:02:51.827 回答
3

您可以使用以下参数覆盖存档中的文件名arcname

with zipfile.ZipFile(file="sample.zip", mode="w", compression=zipfile.ZIP_DEFLATED) as out_zip:
for f in Path.home().glob("**/*.txt"):
    out_zip.write(f, arcname=f.name)

文档参考:https ://docs.python.org/3/library/zipfile.html#zipfile.ZipFile.write

于 2020-05-11T07:48:20.493 回答
1

也可以这样做(这允许创建大于 2GB 的档案)

import os, zipfile
def zipdir(path, ziph):
    """zipper"""
    for root, _, files in os.walk(path):
        for file_found in files:
            abs_path = root+'/'+file_found
            ziph.write(abs_path, file_found)
zipf = zipfile.ZipFile(DEST_FILE.zip, 'w', zipfile.ZIP_DEFLATED, allowZip64=True)
zipdir(SOURCE_DIR, zipf)
zipf.close()
于 2019-10-17T13:01:22.557 回答
0

正如João Pinto所说,arcnameZipFile.write 的参数就是您所需要的。此外,阅读pathlib的文档也很有帮助。您也可以轻松地获得某些东西的相对路径pathlib.Path.relative_to,无需切换到os.path.

import zipfile
from pathlib import Path

folder_to_compress = Path("/path/to/folder")
path_to_archive = Path("/path/to/archive.zip")

with zipfile.ZipFile(
        path_to_archive,
        mode="w",
        compression=zipfile.ZIP_DEFLATED,
        compresslevel=7,
    ) as zip:
    for file in folder_to_compress.rglob("*"):
        relative_path = file.relative_to(folder_to_compress)
        print(f"Packing {file} as {relative_path}")
        zip.write(file, arcname=relative_path)
于 2022-01-01T16:48:06.977 回答