Mercurial > mozilla > hg > dogfood
view dogdish/dispatcher.py @ 14:cffb6f681b59
things seem to work
author | Jeff Hammel <jhammel@mozilla.com> |
---|---|
date | Wed, 17 Oct 2012 13:26:22 -0700 |
parents | 71f9f68986b5 |
children | fc5b842de4e9 |
line wrap: on
line source
#!/usr/bin/env python """ dogdish https://bugzilla.mozilla.org/show_bug.cgi?id=800118 """ import fnmatch import hashlib import os import sys from urlparse import urlparse from webob import Request from webob import Response, exc from ConfigParser import RawConfigParser as ConfigParser here = os.path.dirname(os.path.abspath(__file__)) class Application(object): """class for storing application.ini data""" def __init__(self, filename): """ - filename : path to an application.ini file """ config = ConfigParser() config.read(filename) self.build_id = config.get('App', 'BuildID') self.version = config.get('App', 'Version') ### request handlers class Handler(object): """abstract handler object for a request""" def __init__(self, app, request): self.app = app self.request = request self.application_path = urlparse(request.application_url)[2] def link(self, path=(), permanant=False): if isinstance(path, basestring): path = [ path ] path = [ i.strip('/') for i in path ] if permanant: application_url = [ self.request.application_url ] else: application_url = [ self.application_path ] path = application_url + path return '/'.join(path) def redirect(self, location): raise exc.HTTPSeeOther(location=location) class Get(Handler): """handle GET requests""" # template for response body body = """<?xml version="1.0"?> <updates> <update type="minor" appVersion="19.0a1" version="19.0a1" extensionVersion="19.0a1" buildID="20121010114416" licenseURL="http://www.mozilla.com/test/sample-eula.html" detailsURL="http://www.mozilla.com/test/sample-details.html"> <patch type="complete" URL="http://update.boot2gecko.org/nightly/%(update)s%(query)s" hashFunction="SHA512" hashValue="%(hash)s" size="%(size)s"/> </update> </updates>""" ### methods for request handler @classmethod def match(cls, request): return request.method == 'GET' def __call__(self): update_path = os.path.join(self.app.directory, self.app.current_update) body = self.body query = {} dogfood_id = self.request.GET.get('dogfood_id') if dogfood_id: query['dogfooding_prerelease_id'] = dogfood_id application = self.app.updates[self.app.current_update] query['build_id'] = application.build_id query['version'] = application.version # build query string if query: query = '?' + '&'.join(['%s=%s' % (key, value) for key, value in query.items()]) else: query = '' # compute the hash with file(update_path) as f: sha512 = hashlib.sha512(f.read()).hexdigest() # template variables variables = dict(update=self.app.current_update, size=os.path.getsize(update_path), hash=sha512, query=query) return Response(content_type='text/xml', body=body % variables) class Dispatcher(object): """web application""" ### class level variables defaults = {'directory': here} def __init__(self, **kw): # set defaults for key in self.defaults: setattr(self, key, kw.get(key, self.defaults[key])) self.handlers = [ Get ] # cache self.updates = {} self.current_update = None self.current_stamp = '0000-00-00_000000' self.cached_response = None # scan directory self.scan() assert self.current_update # ensure there is at least one update def __call__(self, environ, start_response): """WSGI application""" request = Request(environ) new = self.scan() if (not new) and (self.cached_response is not None): return self.cached_response(environ, start_response) for h in self.handlers: if h.match(request): handler = h(self, request) res = handler() self.cached_response = res break else: res = exc.HTTPNotFound() return res(environ, start_response) def scan(self): """ scan the directory for updates returns True if new updates are found, False otherwise """ prefix = 'b2g_update_' suffix = '.mar' contents = [i for i in os.listdir(self.directory) if i.startswith(prefix) and i.endswith(suffix)] contents = set(contents) new = contents.difference(self.updates.keys()) if not new: # directory contents unchanged from cached values return False for update in new: stamp = update[len(prefix):-len(suffix)] application_ini = 'application_%s.ini' % stamp application_ini = os.path.join(self.directory, application_ini) assert os.path.exists(application_ini) self.updates[update] = Application(application_ini) if stamp > self.current_stamp: self.current_update = update self.current_stamp = stamp # TODO: could remove old files from the cache if not found in contents return True def main(args=sys.argv[1:]): """CLI entry point""" # imports for CLI import optparse from wsgiref import simple_server # parse CLI options parser = optparse.OptionParser() parser.add_option('-p', '--port', dest='port', default=8080, type='int', help="port to serve on") parser.add_option('-d', '--directory', dest='directory', default=os.getcwd(), help="directory of update files") options, args = parser.parse_args() # create the app app = Dispatcher(directory=options.directory) # serve the app print "http://localhost:%s/" % options.port server = simple_server.make_server(host='0.0.0.0', port=options.port, app=app) server.serve_forever() if __name__ == '__main__': main()