python wsgi

730 阅读2分钟

wsgi

wsgi全称是"Web Server Gateway Interfacfe",web服务器网关接口,wsgi在python2.5中加入,是web服务器web应用的标准接口,任何实现了该接口的web服务器和web应用都能无缝协作。来看一个形象点的图:

  如上图所示,wsgi一端连接web服务器(http服务器),另一端连接应用。目前已经有很多的web框架,如flask、webpy,用户只要简单配置一些路由信息,就能开发出一个web应用。后文中的web框架就等同于应用(application)

  那么这个接口是什么样子的呢,pep333是这么描述的:

  (1)App提供一个接受两个参数的callable对象。第一个参数是一个dict类型,表示请求相关的环境变量;第二个参数是一个callable对象,app在代码中调用该callable设置响应的消息头。app需要返回一个可迭代的字符串序列,表示响应的消息内容

  (2)web server在http请求到来之后,调用App提供的callable对象,传入响应的参数。然后把App的返回值发送给http请求者(如浏览器)

首先,我们还是来看最基础的例子,wsgi的Hello World!

def hello_world_app(environ, start_response):
    status = '200 OK' # HTTP Status
    headers = [('Content-type', 'text/plain')] # HTTP Headers
    start_response(status, headers)

    # The returned object is going to be printed
    return ["Hello World"]

当然,我们需要web服务器才能测试这个App,python提供了一个纯python实现的简单的web服务器:wsgiref。这个实现是单线程的,性能不是很好,不过用来测试还是可以的。

def hello_world_app(environ, start_response):
    status = '200 OK' # HTTP Status
    headers = [('Content-type', 'text/plain')] # HTTP Headers
    start_response(status, headers)

    # The returned object is going to be printed
    return ["Hello World"]

def main():
    from wsgiref.simple_server import make_server
    httpd = make_server('', 8000, hello_world_app)
    print "Serving on port 8000..."

    # Serve until process is killed
    httpd.serve_forever()

if __name__ == '__main__':
    main()

运行这段代码,然后在浏览器输入 127.0.0.1:8000,即可看到结果

常见的python web服务器包括,cherrypygevent-fastcgigunicornuwsgitwistedwebpytornado等等,在实际应用中,这些web服务器可能需要配合其他http代理服务器使用,如Nginx。

常见的python web框架包括 DjangoFlask, webpy,bottle,Cherrypy,tornado。一些web框架本身也自带web服务器,如Cherrypy、tornado。tornado因为有异步网络库,作为web服务器性能也不错

  最后,推荐一篇文章 Let’s Build A Web Server。文章包括三部分:第一部分介绍http服务;第二部分实现了一个wsgi web服务器,并配合各种web框架进行使用和测试;第三部分对第二部分实现wsgi服务器进行并发优化。