如何杀死扭曲的协议实例python

时间:2012-11-05 19:47:02

标签: python twisted instance

我有一个使用twisted编写的python服务器应用程序,我想知道如何杀死我的协议实例(bottalk)。每次我得到一个新的客户端连接,我在内存中看到实例(打印Factory.clients)..但是,假设我想从服务器端杀死其中一个实例(删除特定的客户端连接)?这可能吗?我尝试使用lineReceived查找短语,如果匹配,则尝试使用self.transport.loseConnection()。但这似乎不再引用实例或其他东西..

class bottalk(LineReceiver):

    from os import linesep as delimiter

    def connectionMade(self):
            Factory.clients.append(self)
            print Factory.clients

    def lineReceived(self, line):
            for bots in Factory.clients[1:]:
                    bots.message(line)
            if line == "killme":
                    self.transport.loseConnection()

    def message(self, message):
            self.transport.write(message + '\n')

class botfactory(Factory):

    def buildProtocol(self, addr):
            return bottalk()

Factory.clients = []

stdio.StandardIO(bottalk())

reactor.listenTCP(8123, botfactory())

reactor.run()

1 个答案:

答案 0 :(得分:5)

您通过调用loseConnection关闭了TCP连接。但是,您的应用程序中的任何地方都没有代码可以从工厂的clients列表中删除项目。

尝试将此添加到您的协议中:

def connectionLost(self, reason):
    Factory.clients.remove(self)

当协议的连接丢失时,这将从clients列表中删除协议实例。

此外,您应该考虑不使用全局Factory.clients来实现此功能。全局变坏的所有常见原因都很糟糕。相反,为每个协议实例提供对工厂的引用,并使用它:

class botfactory(Factory):

    def buildProtocol(self, addr):
        protocol = bottalk()
        protocol.factory = self
        return protocol

factory = botfactory()
factory.clients = []

StandardIO(factory.buildProtocol(None))

reactor.listenTCP(8123, factory)

现在每个bottalk个实例都可以使用self.factory.clients代替Factory.clients