stipetic
stipetic

Reputation: 41

Running a Pyramid WSGI application under tornado

Pyramid uses it's own Waitress web server for development purposes, but I want to serve my WSGI app under Tornado. I think I should configure it using the pserve .ini files, but I can't get it to work

Upvotes: 2

Views: 3080

Answers (2)

Michael Merickel
Michael Merickel

Reputation: 23331

The Pyramid application can be loaded from the INI files easily. From there you just pass the wsgi app into Tornado's WSGIContainer.

from pyramid.paster import get_app

app = get_app('development.ini')
container = tornado.wsgi.WSGIContainer(app)

Upvotes: 6

Rawler
Rawler

Reputation: 1610

Again, not really recommending running WSGI under Tornado, since it gives you none of the advantages of Tornado.

Should you still want to do it for some reason, the second example of the docs seems to be what you are looking for: http://www.tornadoweb.org/documentation/wsgi.html

def simple_app(environ, start_response):
    status = "200 OK"
    response_headers = [("Content-type", "text/plain")]
    start_response(status, response_headers)
    return ["Hello world!\n"]

container = tornado.wsgi.WSGIContainer(simple_app)
http_server = tornado.httpserver.HTTPServer(container)
http_server.listen(8888)
tornado.ioloop.IOLoop.instance().start()

Upvotes: 4

Related Questions