⭐ 欢迎来到虫虫下载站! | 📦 资源下载 📁 资源专辑 ℹ️ 关于我们
⭐ 虫虫下载站

📄 smarterhttpserver.py

📁 用python实现的邮件过滤器
💻 PY
字号:
"""Smarter HTTP Server.This module builds on SimpleHTTPServer, adding 'methlet' invokation byhandling urls with a file extension of .methlet.  In this instance, theso-called filename actually names a method on the handler, which is invokedwith a single parameter, a dictionary of the url's parsed query string.This class is intended to be subclassed, with subclasses adding theappropriate methlet methods for the application being served."""__version__ = "0.6"__all__ = ["SmarterHTTPRequestHandler"]import osimport posixpathimport BaseHTTPServerimport SimpleHTTPServerimport urllibimport cgiimport shutilimport mimetypesimport retry:    import cStringIO as StringIOexcept ImportError:    import StringIOclass SmarterHTTPRequestHandler(SimpleHTTPServer.SimpleHTTPRequestHandler):    """Smarter HTTP request handler based on SimpleHTTPRequestHandler.    Adds GET with parameters, which calls a method.    """    server_version = "SmarterHTTP/" + __version__    def send_head(self):        """Common code for GET and HEAD commands.        This sends the response code and MIME headers.        Return value is either a file object (which has to be copied        to the outputfile by the caller unless the command was HEAD,        and must be closed by the caller under all circumstances), or        None, in which case the caller has nothing further to do.        """        path, parms = self.translate_path(self.path)        f = None        if os.path.isdir(path):            if hasattr(self, 'homepage'):                path = 'homepage.methlet'            else:                for index in "index.html", "index.htm":                    index = os.path.join(path, index)                    if os.path.exists(index):                        path = index                        break                else:                    return self.list_directory(path)        ctype = self.guess_type(path)        if ctype != 'application/method':            if ctype.startswith('text/'):                mode = 'r'            else:                mode = 'rb'            try:                f = open(path, mode)            except IOError:                self.send_error(404, "File not found")                return None            else:                self.send_response(200)                self.send_header("Content-type", ctype)                self.end_headers()        else:            head, tail = os.path.split(path)            methname = tail.split('.')[0]            pdict = {}            if parms:                pdict = cgi.parse_qs(parms, False)            # ctype application/method methlets (invented here) may            # send whatever headers they like.  However, the server has            # already sent the 200 response, so Location: headers are            # not meaningful.  Also, the server will always send            # Content-type: text/html, so the methlets should not send            # anything incompatible with text/html type.  Methlets should            # not invoke end_headers().            if hasattr(self, methname):                self.send_response(200)                retstr = getattr(self, methname)(pdict)                f = StringIO.StringIO(retstr)                self.send_header("Content-type", 'text/html')                self.end_headers()            else:                self.send_error(404, "File not found")                return None        return f    def translate_path(self, url):        """Translate a /-separated PATH to the local filename syntax.        Components that mean special things to the local file system        (e.g. drive or directory names) are ignored.  (XXX They should        probably be diagnosed.)        """        parmre = re.compile(r'^(.*)[\?](.*)$')        match = parmre.search(url)        if match:            path = match.group(1)            parms = match.group(2)        else:            path = url            parms = None        path = posixpath.normpath(urllib.unquote(path))        words = path.split('/')        words = filter(None, words)        path = os.getcwd()        for word in words:            drive, word = os.path.splitdrive(word)            head, word = os.path.split(word)            if word in (os.curdir, os.pardir): continue            path = os.path.join(path, word)        return (path, parms)    def guess_type(self, path):        """Guess the type of a file.        Argument is a PATH (a filename).        Return value is a string of the form type/subtype,        usable for a MIME Content-type header.        The default implementation looks the file's extension        up in the table self.extensions_map, using text/plain        as a default; however it would be permissible (if        slow) to look inside the data to make a better guess.        """        base, ext = posixpath.splitext(path)        if self.extensions_map.has_key(ext):            return self.extensions_map[ext]        ext = ext.lower()        if self.extensions_map.has_key(ext):            return self.extensions_map[ext]        else:            return self.extensions_map['']    extensions_map = mimetypes.types_map.copy()    extensions_map.update({        '': 'application/octet-stream', # Default        '.py': 'text/plain',        '.c': 'text/plain',        '.h': 'text/plain',        '.methlet': 'application/method',        })def test(HandlerClass = SmarterHTTPRequestHandler,         ServerClass = BaseHTTPServer.HTTPServer):    BaseHTTPServer.test(HandlerClass, ServerClass)if __name__ == '__main__':    test()

⌨️ 快捷键说明

复制代码 Ctrl + C
搜索代码 Ctrl + F
全屏模式 F11
切换主题 Ctrl + Shift + D
显示快捷键 ?
增大字号 Ctrl + =
减小字号 Ctrl + -