2015-01-24 22:44:51 +01:00
|
|
|
from contextlib import closing
|
2011-06-21 23:18:49 +02:00
|
|
|
import os.path
|
|
|
|
import tarfile
|
|
|
|
|
|
|
|
TARGZ_DEFAULT_COMPRESSION_LEVEL = 9
|
|
|
|
|
|
|
|
def make_tarball(tarball_path, sources, base_dir, prefix_dir=''):
|
|
|
|
"""Parameters:
|
|
|
|
tarball_path: output path of the .tar.gz file
|
|
|
|
sources: list of sources to include in the tarball, relative to the current directory
|
|
|
|
base_dir: if a source file is in a sub-directory of base_dir, then base_dir is stripped
|
|
|
|
from path in the tarball.
|
|
|
|
prefix_dir: all files stored in the tarball be sub-directory of prefix_dir. Set to ''
|
|
|
|
to make them child of root.
|
|
|
|
"""
|
2015-01-24 22:29:52 +01:00
|
|
|
base_dir = os.path.normpath(os.path.abspath(base_dir))
|
|
|
|
def archive_name(path):
|
2011-06-21 23:18:49 +02:00
|
|
|
"""Makes path relative to base_dir."""
|
2015-01-24 22:29:52 +01:00
|
|
|
path = os.path.normpath(os.path.abspath(path))
|
|
|
|
common_path = os.path.commonprefix((base_dir, path))
|
2011-06-21 23:18:49 +02:00
|
|
|
archive_name = path[len(common_path):]
|
2015-01-24 22:29:52 +01:00
|
|
|
if os.path.isabs(archive_name):
|
2011-06-21 23:18:49 +02:00
|
|
|
archive_name = archive_name[1:]
|
2015-01-24 22:29:52 +01:00
|
|
|
return os.path.join(prefix_dir, archive_name)
|
2011-06-21 23:18:49 +02:00
|
|
|
def visit(tar, dirname, names):
|
|
|
|
for name in names:
|
|
|
|
path = os.path.join(dirname, name)
|
|
|
|
if os.path.isfile(path):
|
|
|
|
path_in_tar = archive_name(path)
|
2015-01-24 22:29:52 +01:00
|
|
|
tar.add(path, path_in_tar)
|
2011-06-21 23:18:49 +02:00
|
|
|
compression = TARGZ_DEFAULT_COMPRESSION_LEVEL
|
2015-01-24 22:44:51 +01:00
|
|
|
with closing(tarfile.TarFile.open(tarball_path, 'w:gz',
|
|
|
|
compresslevel=compression)) as tar:
|
2011-06-21 23:18:49 +02:00
|
|
|
for source in sources:
|
|
|
|
source_path = source
|
2015-01-24 22:29:52 +01:00
|
|
|
if os.path.isdir(source):
|
2011-06-21 23:18:49 +02:00
|
|
|
os.path.walk(source_path, visit, tar)
|
|
|
|
else:
|
|
|
|
path_in_tar = archive_name(source_path)
|
2015-01-24 22:29:52 +01:00
|
|
|
tar.add(source_path, path_in_tar) # filename, arcname
|
2011-06-21 23:18:49 +02:00
|
|
|
|
2015-01-24 22:29:52 +01:00
|
|
|
def decompress(tarball_path, base_dir):
|
2011-06-21 23:18:49 +02:00
|
|
|
"""Decompress the gzipped tarball into directory base_dir.
|
|
|
|
"""
|
2015-01-24 22:44:51 +01:00
|
|
|
with closing(tarfile.TarFile.open(tarball_path)) as tar:
|
2015-01-24 22:29:52 +01:00
|
|
|
tar.extractall(base_dir)
|