我正在用tornado实现一个web socket服务器(目前是3.1版)。
在open()
函数中,我检查了GET参数,然后根据它-我想引发一个错误。
如下所示:
def open(self):
token = self.get_argument('token')
if ...:
??? # raise an error
如何在open函数内部引发错误?我没有找到这样做的方法。
谢谢
发布于 2014-08-04 19:59:16
您可以像往常一样引发异常:
class EchoWebSocket(websocket.WebSocketHandler):
def open(self):
if some_error:
raise Exception("Some error occurred")
当open
中发生未处理的异常时,Tornado将中止连接。以下是open
在tornado源代码中的运行计划:
self._run_callback(self.handler.open, *self.handler.open_args,
**self.handler.open_kwargs)
这是_run_callback
def _run_callback(self, callback, *args, **kwargs):
"""Runs the given callback with exception handling.
On error, aborts the websocket connection and returns False.
"""
try:
callback(*args, **kwargs)
except Exception:
app_log.error("Uncaught exception in %s",
self.request.path, exc_info=True)
self._abort()
def _abort(self):
"""Instantly aborts the WebSocket connection by closing the socket"""
self.client_terminated = True
self.server_terminated = True
self.stream.close() # forcibly tear down the connection
self.close() # let the subclass cleanup
正如您所看到的,当发生异常时,它将中止连接。
https://stackoverflow.com/questions/25125897
复制