-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy patharchive_directory.py
58 lines (44 loc) · 1.79 KB
/
archive_directory.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
#! /usr/bin/env python3
# archive_directory.py - Copies an entire directory and its contents into a
# ZIP file whose filename increments
import os
import zipfile
def archive_directory(directory):
"""
Compresses the passed directory and all of it's contents to a zip.
This function takes special care to ignore the preceding absolute path.
:param str directory: path to directory to compress
"""
# gathers absolute path and determines length of path to parent directory
directory = os.path.abspath(directory)
path_length = len(os.path.dirname(directory))
filename = os.path.basename(directory) + '.zip'
# if filename already exists, increment the filename
if os.path.exists(filename):
increment = 1
basename = os.path.basename(directory)
while True:
check_name = basename + '_' + str(increment) + '.zip'
if not os.path.exists(check_name):
break
increment += 1
filename = check_name
# creates a .zip with the same name as the directory
print(f'Creating {filename}\n')
archive = zipfile.ZipFile(filename, 'w')
# walks entire tree
for root, _, files in os.walk(directory):
# add current directory to zip
print(f'Adding files in {root}\n')
# add all the files in this directory to the zip (truncates absolute path)
for file in files:
# excludes previous zips of same directory from archive
if file.startswith(os.path.basename(directory)):
continue
# writes contents to .zip
filepath = os.path.join(root, file)
archive.write(filepath, filepath[path_length:])
archive.close()
print('Done.')
if __name__ == "__main__":
archive_directory(directory='..')