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
|
#! /usr/bin/env python
'''Helper script for bundling up a game in a ZIP file.
This script will bundle all game files into a ZIP file which is named as
per the argument given on the command-line. The ZIP file will unpack into a
directory of the same name.
The script ignores:
- CVS or SVN subdirectories
- any dotfiles (files starting with ".")
- .pyc and .pyo files
'''
import sys
import os
import zipfile
if len(sys.argv) != 2:
print '''Usage: python %s <release filename-version>
eg. python %s my_cool_game-1.0'''%(sys.argv[0], sys.argv[0])
sys.exit()
base = sys.argv[1]
try:
package = zipfile.ZipFile(base + '.zip', 'w', zipfile.ZIP_DEFLATED)
except RuntimeError:
package = zipfile.ZipFile(base + '.zip', 'w')
# core files
for name in 'README.txt run_game.py'.split():
package.write(name, os.path.join(base, name))
package.write('run_game.py', os.path.join(base, 'run_game.pyw'))
# utility for adding subdirectories
def add_files(generator):
for dirpath, dirnames, filenames in generator:
for name in 'CVS', '.svn':
if name in dirnames:
dirnames.remove(name)
for name in filenames:
suffix = os.path.splitext(name)[1]
if suffix in ('.pyc', '.pyo'): continue
if name[0] == '.': continue
filename = os.path.join(dirpath, name)
package.write(filename, os.path.join(base, filename))
# add the lib and data directories
add_files(os.walk('lib'))
add_files(os.walk('data'))
|