buildpkg.py 15.5 KB
Newer Older
1 2 3 4 5
#!/usr/bin/env python

"""buildpkg.py -- Build OS X packages for Apple's Installer.app.

This is an experimental command-line tool for building packages to be
6
installed with the Mac OS X Installer.app application.
7

8 9 10 11 12
It is much inspired by Apple's GUI tool called PackageMaker.app, that
seems to be part of the OS X developer tools installed in the folder
/Developer/Applications. But apparently there are other free tools to
do the same thing which are also named PackageMaker like Brian Hill's
one:
13 14 15

  http://personalpages.tds.net/~brian_hill/packagemaker.html

16 17
Beware of the multi-package features of Installer.app (which are not
yet supported here) that can potentially screw-up your installation
18 19 20 21 22
and are discussed in these articles on Stepwise:

  http://www.stepwise.com/Articles/Technical/Packages/InstallerWoes.html
  http://www.stepwise.com/Articles/Technical/Packages/InstallerOnX.html

23
Beside using the PackageMaker class directly, by importing it inside
24
another module, say, there are additional ways of using this module:
25
the top-level buildPackage() function provides a shortcut to the same
26 27 28 29
feature and is also called when using this module from the command-
line.

    ****************************************************************
30
    NOTE: For now you should be able to run this even on a non-OS X
31
          system and get something similar to a package, but without
32 33
          the real archive (needs pax) and bom files (needs mkbom)
          inside! This is only for providing a chance for testing to
34 35 36 37 38 39 40 41
          folks without OS X.
    ****************************************************************

TODO:
  - test pre-process and post-process scripts (Python ones?)
  - handle multi-volume packages (?)
  - integrate into distutils (?)

42
Dinu C. Gherman,
43 44 45 46 47 48 49 50 51 52 53 54 55
gherman@europemail.com
November 2001

!! USE AT YOUR OWN RISK !!
"""

__version__ = 0.2
__license__ = "FreeBSD"


import os, sys, glob, fnmatch, shutil, string, copy, getopt
from os.path import basename, dirname, join, islink, isdir, isfile

56
Error = "buildpkg.Error"
57 58 59 60 61 62 63 64 65 66 67 68 69 70 71

PKG_INFO_FIELDS = """\
Title
Version
Description
DefaultLocation
DeleteWarning
NeedsAuthorization
DisableStop
UseUserMask
Application
Relocatable
Required
InstallOnly
RequiresReboot
72
RootVolumeOnly
73 74 75 76
LongFilenames
LibrarySubdirectory
AllowBackRev
OverwritePermissions
77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122
InstallFat\
"""

######################################################################
# Helpers
######################################################################

# Convenience class, as suggested by /F.

class GlobDirectoryWalker:
    "A forward iterator that traverses files in a directory tree."

    def __init__(self, directory, pattern="*"):
        self.stack = [directory]
        self.pattern = pattern
        self.files = []
        self.index = 0


    def __getitem__(self, index):
        while 1:
            try:
                file = self.files[self.index]
                self.index = self.index + 1
            except IndexError:
                # pop next directory from stack
                self.directory = self.stack.pop()
                self.files = os.listdir(self.directory)
                self.index = 0
            else:
                # got a filename
                fullname = join(self.directory, file)
                if isdir(fullname) and not islink(fullname):
                    self.stack.append(fullname)
                if fnmatch.fnmatch(file, self.pattern):
                    return fullname


######################################################################
# The real thing
######################################################################

class PackageMaker:
    """A class to generate packages for Mac OS X.

    This is intended to create OS X packages (with extension .pkg)
123
    containing archives of arbitrary files that the Installer.app
124 125
    will be able to handle.

126 127 128 129 130
    As of now, PackageMaker instances need to be created with the
    title, version and description of the package to be built.
    The package is built after calling the instance method
    build(root, **options). It has the same name as the constructor's
    title argument plus a '.pkg' extension and is located in the same
131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152
    parent folder that contains the root folder.

    E.g. this will create a package folder /my/space/distutils.pkg/:

      pm = PackageMaker("distutils", "1.0.2", "Python distutils.")
      pm.build("/my/space/distutils")
    """

    packageInfoDefaults = {
        'Title': None,
        'Version': None,
        'Description': '',
        'DefaultLocation': '/',
        'DeleteWarning': '',
        'NeedsAuthorization': 'NO',
        'DisableStop': 'NO',
        'UseUserMask': 'YES',
        'Application': 'NO',
        'Relocatable': 'YES',
        'Required': 'NO',
        'InstallOnly': 'NO',
        'RequiresReboot': 'NO',
153
        'RootVolumeOnly' : 'NO',
154 155 156 157 158 159
        'InstallFat': 'NO',
        'LongFilenames': 'YES',
        'LibrarySubdirectory': 'Standard',
        'AllowBackRev': 'YES',
        'OverwritePermissions': 'NO',
        }
160 161 162 163 164 165 166 167


    def __init__(self, title, version, desc):
        "Init. with mandatory title/version/description arguments."

        info = {"Title": title, "Version": version, "Description": desc}
        self.packageInfo = copy.deepcopy(self.packageInfoDefaults)
        self.packageInfo.update(info)
168

169 170 171
        # variables set later
        self.packageRootFolder = None
        self.packageResourceFolder = None
172
        self.sourceFolder = None
173 174 175 176 177 178
        self.resourceFolder = None


    def build(self, root, resources=None, **options):
        """Create a package for some given root folder.

179 180
        With no 'resources' argument set it is assumed to be the same
        as the root directory. Option items replace the default ones
181 182 183 184
        in the package info.
        """

        # set folder attributes
185
        self.sourceFolder = root
186
        if resources == None:
187 188 189
            self.resourceFolder = root
        else:
            self.resourceFolder = resources
190 191 192 193 194 195

        # replace default option settings with user ones if provided
        fields = self. packageInfoDefaults.keys()
        for k, v in options.items():
            if k in fields:
                self.packageInfo[k] = v
196 197
            elif not k in ["OutputDir"]:
                raise Error, "Unknown package option: %s" % k
198

199 200 201 202
        # Check where we should leave the output. Default is current directory
        outputdir = options.get("OutputDir", os.getcwd())
        packageName = self.packageInfo["Title"]
        self.PackageRootFolder = os.path.join(outputdir, packageName + ".pkg")
203

204 205 206 207 208 209 210
        # do what needs to be done
        self._makeFolders()
        self._addInfo()
        self._addBom()
        self._addArchive()
        self._addResources()
        self._addSizes()
211
        self._addLoc()
212 213 214 215 216 217


    def _makeFolders(self):
        "Create package folder structure."

        # Not sure if the package name should contain the version or not...
218
        # packageName = "%s-%s" % (self.packageInfo["Title"],
219 220
        #                          self.packageInfo["Version"]) # ??

221 222 223
        contFolder = join(self.PackageRootFolder, "Contents")
        self.packageResourceFolder = join(contFolder, "Resources")
        os.mkdir(self.PackageRootFolder)
224
        os.mkdir(contFolder)
225
        os.mkdir(self.packageResourceFolder)
226 227 228 229 230 231 232 233

    def _addInfo(self):
        "Write .info file containing installing options."

        # Not sure if options in PKG_INFO_FIELDS are complete...

        info = ""
        for f in string.split(PKG_INFO_FIELDS, "\n"):
234 235
            if self.packageInfo.has_key(f):
                info = info + "%s %%(%s)s\n" % (f, f)
236
        info = info % self.packageInfo
237 238
        base = self.packageInfo["Title"] + ".info"
        path = join(self.packageResourceFolder, base)
239 240 241 242 243 244 245 246 247 248
        f = open(path, "w")
        f.write(info)


    def _addBom(self):
        "Write .bom file containing 'Bill of Materials'."

        # Currently ignores if the 'mkbom' tool is not available.

        try:
249 250 251
            base = self.packageInfo["Title"] + ".bom"
            bomPath = join(self.packageResourceFolder, base)
            cmd = "mkbom %s %s" % (self.sourceFolder, bomPath)
252 253 254 255 256 257 258 259 260 261 262 263
            res = os.system(cmd)
        except:
            pass


    def _addArchive(self):
        "Write .pax.gz file, a compressed archive using pax/gzip."

        # Currently ignores if the 'pax' tool is not available.

        cwd = os.getcwd()

264 265 266 267 268 269
        # create archive
        os.chdir(self.sourceFolder)
        base = basename(self.packageInfo["Title"]) + ".pax"
        self.archPath = join(self.packageResourceFolder, base)
        cmd = "pax -w -f %s %s" % (self.archPath, ".")
        res = os.system(cmd)
270

271 272 273
        # compress archive
        cmd = "gzip %s" % self.archPath
        res = os.system(cmd)
274 275 276 277 278 279
        os.chdir(cwd)


    def _addResources(self):
        "Add Welcome/ReadMe/License files, .lproj folders and scripts."

280 281
        # Currently we just copy everything that matches the allowed
        # filenames. So, it's left to Installer.app to deal with the
282 283
        # same file available in multiple formats...

284
        if not self.resourceFolder:
285 286 287 288 289
            return

        # find candidate resource files (txt html rtf rtfd/ or lproj/)
        allFiles = []
        for pat in string.split("*.txt *.html *.rtf *.rtfd *.lproj", " "):
290
            pattern = join(self.resourceFolder, pat)
291 292 293
            allFiles = allFiles + glob.glob(pattern)

        # find pre-process and post-process scripts
294 295
        # naming convention: packageName.{pre,post}_{upgrade,install}
        # Alternatively the filenames can be {pre,post}_{upgrade,install}
296
        # in which case we prepend the package name
297
        packageName = self.packageInfo["Title"]
298
        for pat in ("*upgrade", "*install", "*flight"):
299
            pattern = join(self.resourceFolder, packageName + pat)
300
            pattern2 = join(self.resourceFolder, pat)
301
            allFiles = allFiles + glob.glob(pattern)
302
            allFiles = allFiles + glob.glob(pattern2)
303 304 305 306 307 308

        # check name patterns
        files = []
        for f in allFiles:
            for s in ("Welcome", "License", "ReadMe"):
                if string.find(basename(f), s) == 0:
309
                    files.append((f, f))
310
            if f[-6:] == ".lproj":
311
                files.append((f, f))
312 313 314 315 316
            elif basename(f) in ["pre_upgrade", "pre_install", "post_upgrade", "post_install"]:
                files.append((f, packageName+"."+basename(f)))
            elif basename(f) in ["preflight", "postflight"]:
                files.append((f, f))
            elif f[-8:] == "_upgrade":
317
                files.append((f,f))
318
            elif f[-8:] == "_install":
319
                files.append((f,f))
320 321

        # copy files
322
        for src, dst in files:
323 324
            src = basename(src)
            dst = basename(dst)
325
            f = join(self.resourceFolder, src)
326
            if isfile(f):
327
                shutil.copy(f, os.path.join(self.packageResourceFolder, dst))
328 329
            elif isdir(f):
                # special case for .rtfd and .lproj folders...
330
                d = join(self.packageResourceFolder, dst)
331 332 333 334 335 336 337 338 339
                os.mkdir(d)
                files = GlobDirectoryWalker(f)
                for file in files:
                    shutil.copy(file, d)


    def _addSizes(self):
        "Write .sizes file with info about number and size of files."

340 341 342
        # Not sure if this is correct, but 'installedSize' and
        # 'zippedSize' are now in Bytes. Maybe blocks are needed?
        # Well, Installer.app doesn't seem to care anyway, saying
343 344 345 346 347 348
        # the installation needs 100+ MB...

        numFiles = 0
        installedSize = 0
        zippedSize = 0

349
        files = GlobDirectoryWalker(self.sourceFolder)
350 351
        for f in files:
            numFiles = numFiles + 1
352
            installedSize = installedSize + os.lstat(f)[6]
353 354

        try:
355
            zippedSize = os.stat(self.archPath+ ".gz")[6]
356
        except OSError: # ignore error
357
            pass
358 359 360
        base = self.packageInfo["Title"] + ".sizes"
        f = open(join(self.packageResourceFolder, base), "w")
        format = "NumFiles %d\nInstalledSize %d\nCompressedSize %d\n"
361 362
        f.write(format % (numFiles, installedSize, zippedSize))

363 364 365 366 367
    def _addLoc(self):
        "Write .loc file."
        base = self.packageInfo["Title"] + ".loc"
        f = open(join(self.packageResourceFolder, base), "w")
        f.write('/')
368 369 370 371 372

# Shortcut function interface

def buildPackage(*args, **options):
    "A Shortcut function for building a package."
373

374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393
    o = options
    title, version, desc = o["Title"], o["Version"], o["Description"]
    pm = PackageMaker(title, version, desc)
    apply(pm.build, list(args), options)


######################################################################
# Tests
######################################################################

def test0():
    "Vanilla test for the distutils distribution."

    pm = PackageMaker("distutils2", "1.0.2", "Python distutils package.")
    pm.build("/Users/dinu/Desktop/distutils2")


def test1():
    "Test for the reportlab distribution with modified options."

394
    pm = PackageMaker("reportlab", "1.10",
395
                      "ReportLab's Open Source PDF toolkit.")
396
    pm.build(root="/Users/dinu/Desktop/reportlab",
397 398 399 400 401 402 403
             DefaultLocation="/Applications/ReportLab",
             Relocatable="YES")

def test2():
    "Shortcut test for the reportlab distribution with modified options."

    buildPackage(
404 405 406
        "/Users/dinu/Desktop/reportlab",
        Title="reportlab",
        Version="1.10",
407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484
        Description="ReportLab's Open Source PDF toolkit.",
        DefaultLocation="/Applications/ReportLab",
        Relocatable="YES")


######################################################################
# Command-line interface
######################################################################

def printUsage():
    "Print usage message."

    format = "Usage: %s <opts1> [<opts2>] <root> [<resources>]"
    print format % basename(sys.argv[0])
    print
    print "       with arguments:"
    print "           (mandatory) root:         the package root folder"
    print "           (optional)  resources:    the package resources folder"
    print
    print "       and options:"
    print "           (mandatory) opts1:"
    mandatoryKeys = string.split("Title Version Description", " ")
    for k in mandatoryKeys:
        print "               --%s" % k
    print "           (optional) opts2: (with default values)"

    pmDefaults = PackageMaker.packageInfoDefaults
    optionalKeys = pmDefaults.keys()
    for k in mandatoryKeys:
        optionalKeys.remove(k)
    optionalKeys.sort()
    maxKeyLen = max(map(len, optionalKeys))
    for k in optionalKeys:
        format = "               --%%s:%s %%s"
        format = format % (" " * (maxKeyLen-len(k)))
        print format % (k, repr(pmDefaults[k]))


def main():
    "Command-line interface."

    shortOpts = ""
    keys = PackageMaker.packageInfoDefaults.keys()
    longOpts = map(lambda k: k+"=", keys)

    try:
        opts, args = getopt.getopt(sys.argv[1:], shortOpts, longOpts)
    except getopt.GetoptError, details:
        print details
        printUsage()
        return

    optsDict = {}
    for k, v in opts:
        optsDict[k[2:]] = v

    ok = optsDict.keys()
    if not (1 <= len(args) <= 2):
        print "No argument given!"
    elif not ("Title" in ok and \
              "Version" in ok and \
              "Description" in ok):
        print "Missing mandatory option!"
    else:
        apply(buildPackage, args, optsDict)
        return

    printUsage()

    # sample use:
    # buildpkg.py --Title=distutils \
    #             --Version=1.0.2 \
    #             --Description="Python distutils package." \
    #             /Users/dinu/Desktop/distutils


if __name__ == "__main__":
    main()