如何从处理程序退出asyncore调度程序?

时间:2012-05-07 22:35:58

标签: python asyncore

我在docs中找不到这个,但是我打算如何在不使用信号的情况下突破asyncore.loop()

4 个答案:

答案 0 :(得分:8)

查看源代码后很快就解决了。感谢直接链​​接到源的文档!

有一个ExitNow例外,您只需从应用中提出,即退出循环。

使用文档中的EchoHandler示例,我已将其修改为在接收数据时立即退出。

class EchoHandler(asyncore.dispatcher_with_send):

    def handle_read(self):
        data = self.recv(8192)
        if data:
            raise asyncore.ExitNow('Server is quitting!')

另外,请记住,您可以抓住ExitNow,以便在内部使用时,您的应用不会加注。这是我的一些来源:

def run(config):
    instance = LockServer(config)
    try:
        asyncore.loop()
    except asyncore.ExitNow, e:
        print e

答案 1 :(得分:6)

当没有连接时,asyncore循环也会退出,因此您可以关闭连接。如果你有多个连接,那么你可以使用asyncore.close_all()。

答案 2 :(得分:5)

试试这个:

服务器的一个类(扩展asyncore.dispatcher):

class Server(asyncore.dispatcher):

    def __init__(self, port):
        asyncore.dispatcher.__init__(self)

        self.host = socket.gethostname()
        self.port = port

        self.create_socket(socket.AF_INET, socket.SOCK_STREAM)
        self.set_reuse_addr()
        self.bind((self.host, self.port))
        self.listen(5)
        print "[Server] Listening on {h}:{p}".format(h=self.host, p=self.port)

    def handle_accept(self):
        pair = self.accept()
        if pair is not None:
            sock, addr = pair
            print "[ServerSocket] We got a connection from {a}".format(a=addr)
            SocketHandler(sock)

要管理服务器的线程的另一个类(扩展Thread)...检查run()方法,我们在那里调用asyncore.loop():

class ServerThread(threading.Thread):
    def __init__(self, port):
        threading.Thread.__init__(self)
        self.server = Server(port)

    def run(self):
        asyncore.loop()

    def stop(self):
        self.server.close()
        self.join()

现在启动服务器:

# This is the communication server, it is going to listen for incoming connections, it has its own thread:
s = ServerThread(PORT)
s.start()               # Here we start the thread for the server
print "Server is ready..."
print "Is ServerThread alive? {t}".format(t=str(s.is_alive()))
raw_input("Press any key to stop de server now...")
print "Trying to stop ServerThread..."
s.stop()
print "The server will die in 30 seconds..."

你会注意到服务器没有立即死亡......但是它会优雅地消失

答案 3 :(得分:4)

另一种方法是使用asyncore.loop调用的count参数。然后,您可以将asyncore.loop包装在其他逻辑中:

while(i_should_continue()):
    asyncore.loop(count=1)

这不会立即停止打开连接或过早超时。但这可能是一件好事吗?我在启动监听服务器时正在使用它。