我是一个完整的Twisted和Python noob,所以如果我的任何术语出错或者我做的任何事情都是愚蠢的,我会道歉。尽管如此....
我以下列方式实现了我的服务器:
def makeServer(application, port):
factory = protocol.ServerFactory()
factory.protocol = MyChat
factory.clients = []
tempServer = internet.TCPServer(port, factory)
tempServer.setServiceParent(application)
return tempServer
application = service.Application("chatserver")
server1 = makeServer(application, port=1025)
server2 = makeServer(application, port=1026)
server3 = makeServer(application, port=1027)
请注意,MyChat是一个具有“receiveMessage”操作的事件处理类:
def lineReceived(self, line):
print "received", repr(line)
for c in self.factory.clients:
c.transport.write(message + '\n')
我希望server1能够将消息传递给server2。相反,我希望server1被视为server2的客户端。 如果server1收到消息“hi”,那么我希望它将相同的确切消息发送到server2。 server1唯一需要做的就是发送它从它收到的消息客户端到服务器2.
我怎样才能做到这一点?
注意:如果有帮助,您可以完全改变我实施服务器的方式。
答案 0 :(得分:2)
应用程序的不同部分可以使用方法调用相互交互。
向server2发送消息实际上只是意味着在与server2相关的其中一个对象上调用方法。
例如,在MyChat
中,您可能有:
def lineReceived(self, line):
print "received", repr(line)
for c in self.factory.clients:
c.transport.write(message + '\n')
for server in self.factory.otherServers:
server.otherServerMessage(self, line)
这假设了几件事:
otherServers
属性。其内容是与您设置的其他侦听服务器相关的对象。这些可能是工厂对象或协议对象。这取决于你打算用什么消息做什么最方便。otherServerMessage
,以处理以这种方式传递的消息。如果您要将消息直接发送到MyChat.lineReceived
(如果您愿意的话,您很容易就可以),那么我希望您最终得到无限递归;使用不同的方法可以区分从客户端收到的邮件和从其他服务器收到的邮件。答案 1 :(得分:0)
您可能需要实施单独的客户端。对象既可以是客户端也可以是服务器,但我怀疑它是否值得,你可能会遇到麻烦。
我建议服务器实例化一个客户端对象,它连接到“下一个”服务器。例如,客户端可以是服务器上的实例变量。
示例:
class MyChat(LineReceiver):
def connectionMade(self):
print "Proxy: connected"
factory = protocol.ClientFactory()
class Proxy(protocol.Protocol):
def relayMessage(self, msg):
self.transport.write(msg)
factory.protocol = Proxy
point = TCP4ClientEndpoint(reactor, "localhost", 1025)
conn = point.connect(factory)
conn.addCallback(self.hasConnection)
def hasConnection(self, client):
print "Proxy: Connected to relay", client
self.client = client
def lineReceived(self, line):
print "Proxy: received", repr(line)
self.client.transport.write(line+"\n")
class MyEcho(LineReceiver):
def lineReceived(self, line):
print "Echo: received", repr(line)
factory = protocol.ServerFactory()
factory.protocol = MyChat
reactor.listenTCP(1024, factory)
factory = protocol.ServerFactory()
factory.protocol = MyEcho
reactor.listenTCP(1025, factory)
答案 2 :(得分:0)
您只需要在服务器内部声明客户端,如下所示:
factory = SomeClientFactory('ws://127.0.0.1')
connectWS(factory)
并在您的客户类别中:
class SomeClient(WebSocketClientProtocol):
def __init__(self):
pass
def sendCommand(self):
self.sendMessage('A message to another server')
def onOpen(self):
self.sendCommand()
def onClose(self, wasClean, code, reason):
print(reason)
def onMessage(self, payload, isBinary):
print('A answer from another server')
class SomeClientFactory(WebSocketClientFactory):
def __init__(self, url):
WebSocketClientFactory.__init__(self,url)
self.proto = DeltaClient()
self.proto.factory = self
def buildProtocol(self, addr):
return self.proto
提示:使用“ Controller”类来管理服务器内的客户端实例。