Static web server in Python
When I've started to work on the Code And Talk site I did not know what I was building. I actually started out by collecting data about podcasts. I did not use a database but I wanted to have some kind of a display.
So instead of creating a dynamic site I opted for a static site that can be generated by a script and a few templates.
Such site can be served using Apache or Nginx, but on my development machine I don't have either of those. So I wrote a small web server serving the static files.
examples/python/static_server.py
#!/usr/bin/env python3 from http.server import HTTPServer, BaseHTTPRequestHandler import os class StaticServer(BaseHTTPRequestHandler): def do_GET(self): root = os.path.join(os.path.dirname(os.path.dirname(os.path.abspath(__file__))), 'html') #print(self.path) if self.path == '/': filename = root + '/index.html' else: filename = root + self.path self.send_response(200) if filename[-4:] == '.css': self.send_header('Content-type', 'text/css') elif filename[-5:] == '.json': self.send_header('Content-type', 'application/javascript') elif filename[-3:] == '.js': self.send_header('Content-type', 'application/javascript') elif filename[-4:] == '.ico': self.send_header('Content-type', 'image/x-icon') else: self.send_header('Content-type', 'text/html') self.end_headers() with open(filename, 'rb') as fh: html = fh.read() #html = bytes(html, 'utf8') self.wfile.write(html) def run(server_class=HTTPServer, handler_class=StaticServer, port=8000): server_address = ('', port) httpd = server_class(server_address, handler_class) print('Starting httpd on port {}'.format(port)) httpd.serve_forever() run() # vim: expandtab
Published on 2017-04-09