深入解析Python中的WSGI接口
概述 WSGI接口包含两方面:server/gateway 及 application/framework。 函数、方法、类及带有callable方法的实例等可调用对象都可以作为the application object。 这两个参数分别为: 另外协议要求可调用对象必须将响应体封装成一个可迭代的strings返回。 # the application object. 可以使用其他名字,# 但是在使用mod_wsgi 时必须为 "application" def application( environ,start_response): # 函数接受两个参数: # environ :包含有CGI 式环境变量的字典,由server负责提供内容 # start_response:由server提供的回调函数,其作用是将状态码和响应头返回给server # 构造响应体,以可迭代字符串形式封装 response_body = 'The request method was %s' % environ['REQUEST_METHOD'] # HTTP 响应码及消息 status = '200 OK' # 提供给客户端的响应头. # 封装成list of tuple pairs 的形式: # 格式要求:[(Header name,Header value)]. response_headers = [('Content-Type','text/plain'),('Content-Length',str(len(response_body)))] # 将响应码/消息及响应头通过传入的start_reponse回调函数返回给server start_response(status,response_headers) # 响应体作为返回值返回 # 注意这里被封装到了list中. return [response_body] 关于server 从概述中可以知道,WSGI server必须要调用application,同时,从application的协议要求可知: from wsgiref.simple_server import make_server srv = make_server('localhost',8080,hello_world) srv.serve_forever() 关于middleware middleware的概念没有appllication和server那么容易理解。 middleware的概念非常接近decorator。 以一个路由的例子示例: import re # 这是一个标准的application object def index(environ,start_response): start_response('200 OK',[('Content-Type','text/html')]) return ['index page'] # 这是一个标准的application object def hello(environ,'text/html')]) return ['hello page'] # 这是一个标准的application object def not_found(environ,start_response): start_response('404 NOT FOUND','text/plain')]) return ['Not Found Page'] # map urls to functions urls = [ (r'^$',index),(r'hello/?$',hello) ] # 这是一个middleware # 根据不同的route返回不同的application object def application(environ,start_response): path = environ.get('PATH_INFO','').lstrip('/') for regex,callback in urls: match = re.search(regex,path) if match is not None: (编辑:甘南站长网) 【声明】本站内容均来自网络,其相关言论仅代表作者个人观点,不代表本站立场。若无意侵犯到您的权利,请及时与联系站长删除相关内容! |