0

我有一个要解压缩的 .tar.gz 文件(当我使用 7-Zip 手动解压缩时,我在其中得到一个 .tar 文件)。tarfile然后我可以使用 Python模块轻松解压这个 .tar 文件。

当我在 Windows 资源管理器中右键单击 .tar.gz 文件时,我可以在文件类型下看到:7-Zip.gz (.gz)。我曾尝试使用 gzip 模块 ( gzip.open),但出现异常'Not a gzipped file'。所以应该有别的办法。

我在互联网上搜索过,看到人们手动使用 7-Zip 或一些批处理命令,但是我找不到在 Python 中执行此操作的方法。我在 Python 2.7 上。

4

3 回答 3

2

tarfile 库能够读取 gzip 压缩的 tar 文件。你应该看看这里的例子:

http://docs.python.org/2/library/tarfile.html#examples

第一个示例可能会完成您想要的。它将存档的内容提取到当前工作目录:

import tarfile
tar = tarfile.open("sample.tar.gz")
tar.extractall()
tar.close()
于 2014-03-04T13:08:45.100 回答
1
import os
import tarfile
import zipfile

def extract_file(path, to_directory='.'):
    if path.endswith('.zip'):
        opener, mode = zipfile.ZipFile, 'r'
    elif path.endswith('.tar.gz') or path.endswith('.tgz'):
        opener, mode = tarfile.open, 'r:gz'
    elif path.endswith('.tar.bz2') or path.endswith('.tbz'):
        opener, mode = tarfile.open, 'r:bz2'
    else: 
        raise ValueError, "Could not extract `%s` as no appropriate extractor is found"     % path

    cwd = os.getcwd()
    os.chdir(to_directory)

    try:
        file = opener(path, mode)
        try: file.extractall()
        finally: file.close()
    finally:
        os.chdir(cwd)

在这里找到这个:http: //code.activestate.com/recipes/576714-extract-a-compressed-file/

于 2014-03-04T13:04:45.783 回答
0

这是来自 python-docs 的示例,应该可以工作:

import gzip
f = gzip.open('file.txt.gz', 'rb')
file_content = f.read()
f.close()
于 2014-03-04T13:03:18.307 回答