Mercurial > hg > FileServer
view fileserver/web.py @ 15:21673816cfde
add a test for normal files ending with slashes
| author | Jeff Hammel <jhammel@mozilla.com> | 
|---|---|
| date | Wed, 29 Feb 2012 15:46:57 -0800 | 
| parents | e3993fa05b89 | 
| children | 27bd18f0a359 | 
line wrap: on
 line source
#!/usr/bin/env python """ WSGI app for FileServer Reference: - http://docs.webob.org/en/latest/file-example.html """ import mimetypes import optparse import os import sys from webob import Request, Response, exc from wsgiref.simple_server import make_server __all__ = ['get_mimetype', 'file_response', 'FileApp', 'DirectoryServer'] def get_mimetype(filename): type, encoding = mimetypes.guess_type(filename) # We'll ignore encoding, even though we shouldn't really return type or 'application/octet-stream' def file_response(filename): res = Response(content_type=get_mimetype(filename)) res.body = open(filename, 'rb').read() return res class FileApp(object): """ serve static files """ def __init__(self, filename): self.filename = filename def __call__(self, environ, start_response): res = file_response(self.filename) return res(environ, start_response) class DirectoryServer(object): def __init__(self, directory): assert os.path.exists(directory), "'%s' does not exist" % directory assert os.path.isdir(directory), "'%s' is not a directory" % directory self.directory = self.normpath(directory) @staticmethod def normpath(path): return os.path.normcase(os.path.abspath(path)) def index(self, directory): """ generate a directory listing for a given directory """ parts = ['<html><head><title>Simple Index</title></head><body>'] listings = os.listdir(directory) listings = [(os.path.isdir(os.path.join(directory, entry)) and entry + '/' or entry, entry) for entry in listings] for link, entry in listings: parts.append('<a href="%s">%s</a><br/>' % (link, entry)) parts.append('</body></html>') return '\n'.join(parts) def __call__(self, environ, start_response): request = Request(environ) # TODO method_not_allowed: Allow: GET, HEAD path_info = request.path_info if not path_info: response = exc.HTTPMovedPermanently(add_slash=True) return response(environ, start_response) full = self.normpath(os.path.join(self.directory, path_info.strip('/'))) if not full.startswith(self.directory): # Out of bounds return exc.HTTPNotFound()(environ, start_response) if not os.path.exists(full): return exc.HTTPNotFound()(environ, start_response) if os.path.isdir(full): # serve directory index if not path_info.endswith('/'): response = exc.HTTPMovedPermanently(add_slash=True) return response(environ, start_response) index = self.index(full) response = Response(index, content_type='text/html') return response(environ, start_response) # serve file if path_info.endswith('/'): # we create the `full` filename above by stripping off # '/' from both sides; so we correct here return exc.HTTPNotFound()(environ, start_response) response = file_response(full) return response(environ, start_response) def main(args=sys.argv[1:]): # parse command line arguments usage = '%prog [options] directory' class PlainDescriptionFormatter(optparse.IndentedHelpFormatter): """description formatter""" def format_description(self, description): if description: return description + '\n' else: return '' parser = optparse.OptionParser(usage=usage, description=__doc__, formatter=PlainDescriptionFormatter()) parser.add_option('-p', '--port', dest='port', type='int', default=9999, help='port [DEFAULT: %default]') parser.add_option('-H', '--host', dest='host', default='0.0.0.0', help='host [DEFAULT: %default]') options, args = parser.parse_args(args) # get the directory if not len(args) == 1: parser.print_help() sys.exit(1) directory = args[0] if not os.path.exists(directory): parser.error("'%s' not found" % directory) if not os.path.isdir(directory): parser.error("'%s' not a directory" % directory) # serve app = DirectoryServer(directory) try: print 'http://%s:%s/' % (options.host, options.port) make_server(options.host, options.port, app).serve_forever() except KeyboardInterrupt, ki: print "Cio, baby!" except BaseException, e: sys.exit("Problem initializing server: %s" % e) if __name__ == '__main__': main()
