25

是否可以在同一个应用程序(相同端口)中托管一个普通的 Bottle 应用程序和一个 WebSocket 应用程序(例如:https ://github.com/defnull/bottle/blob/master/docs/async.rst)?这样 /ws 将转到 WebSocket 处理程序,而所有其他处理程序通常会被路由到其他瓶子处理程序。

4

2 回答 2

22

确实是。

服务器:

#!/usr/bin/python

import json
from bottle import route, run, request, abort, Bottle ,static_file
from pymongo import Connection
from gevent import monkey; monkey.patch_all()
from time import sleep

app = Bottle()

@app.route('/websocket')
def handle_websocket():
    wsock = request.environ.get('wsgi.websocket')
    if not wsock:
        abort(400, 'Expected WebSocket request.')
    while True:
        try:
            message = wsock.receive()
            wsock.send("Your message was: %r" % message)
            sleep(3)
            wsock.send("Your message was: %r" % message)
        except WebSocketError:
            break

@app.route('/<filename:path>')
def send_html(filename):
    return static_file(filename, root='./static', mimetype='text/html')


from gevent.pywsgi import WSGIServer
from geventwebsocket import WebSocketHandler, WebSocketError

host = "127.0.0.1"
port = 8080

server = WSGIServer((host, port), app,
                    handler_class=WebSocketHandler)
print "access @ http://%s:%s/websocket.html" % (host,port)
server.serve_forever()

包含 javascript 的 html 页面:

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
  <script type="text/javascript">
    var ws = new WebSocket("ws://localhost:8080/websocket");
    ws.onopen = function() {
        ws.send("Hello, world");
    };
    ws.onmessage = function (evt) {
        alert(evt.data);
    };
  </script>
</head>
<body>
</body>
</html>

一个客户:

#!/usr/bin/python

from websocket import create_connection
ws = create_connection("ws://localhost:8080/websocket")
print "Sending 'Hello, World'..."
ws.send("Hello, World")
print "Sent"
print "Reeiving..."
result =  ws.recv()
print "Received '%s'" % result
ws.close()
于 2012-06-19T16:53:55.153 回答
5

这很可能不是最简单的答案,但我刚刚完成了一个测试环境的设置,该环境在 Pyramid 上使用 Nginx 和 uWSGI 工作,一旦你设置好了,你就可以非常轻松地扩展它,例如,如果你的 /ws 是提取太多资源,使用 Nginx+uWSGI 将 /ws 重新定位到不同的硬件是微不足道的。我的背景是 Pyramid,我的 uWSGI 经验仅用于测试,但在我的阅读中,它似乎是一个很好的解决方案。瓶子说明是快速谷歌搜索的结果。

这个概念:

这个概念是在app.serve_forever()调用之前 获取您的应用程序,即您的app = make_wsgi_app.from_config(config),而是使用 uwsgi 将您的应用程序“服务”到套接字app1.sock。有很多方法可以配置 uWSGI。uWSGI 站点提供了更多配置 uWSGI 以与您的应用程序对话的方法的文档。Nginx 带有配置,至少在当前版本中可以原生使用 uWSGI 套接字。你只需传递uwsgi_pass unix:///tmp/app1.sock; 站点配置的路径以及参数。在同一个站点 conf 文件中执行此操作两次,一次用于location / {一次用于location /ws {指向它们各自的应用程序 sock 文件,你应该很高兴。

在我设置测试环境时,将应用程序作为文件提供给套接字的概念对我来说是新的,我希望这会有所帮助。

得到什么:

nginx
uWSGI

如何:

从本教程 中提取 nginx 和 uwsgi 设置信息,并将其用于您的应用程序,此处用于特定于瓶子的设置或前往 uwsgi 站点并查看其配置说明。每个特定技术的文档都非常好,因此即使缺乏组合示例,让它们一起工作也不难。Nginx 和 uWSGI 都有大量的配置设置,所以一定要看看这些。

于 2012-05-14T22:21:41.297 回答