Python 使用简单的Twisted聊天服务器时遇到问题

Python 使用简单的Twisted聊天服务器时遇到问题,python,client,chat,twisted,server,Python,Client,Chat,Twisted,Server,当我尝试运行这个程序时(请参阅下面的代码),我从服务器和命令提示符获得“connectionmake”响应,以编写输入。但是,当我尝试输入时,它只是挂起,服务器似乎没有收到消息。有人知道这是为什么吗 谢谢,如果这不够清楚,请说 这是我的聊天服务器: from twisted.protocols import basic class MyChat(basic.LineReceiver): def connectionMade(self): print "Got new

当我尝试运行这个程序时(请参阅下面的代码),我从服务器和命令提示符获得“connectionmake”响应,以编写输入。但是,当我尝试输入时,它只是挂起,服务器似乎没有收到消息。有人知道这是为什么吗

谢谢,如果这不够清楚,请说

这是我的聊天服务器:

from twisted.protocols import basic



class MyChat(basic.LineReceiver):
    def connectionMade(self):
        print "Got new client!"
        self.factory.clients.append(self)

    def connectionLost(self, reason):
        print "Lost a client!"
        self.factory.clients.remove(self)

    def lineReceived(self, line):
        print "received", repr(line)
        for c in self.factory.clients:
            c.message(line)

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


from twisted.internet import reactor, protocol
from twisted.application import service, internet

factory = protocol.ServerFactory()
factory.protocol = MyChat
factory.clients = []
reactor.listenTCP(8004, factory)
reactor.run()
这是我的客户:

from twisted.internet import reactor, protocol


# a client protocol

class EchoClient(protocol.Protocol):

    def sendData(self):
        data = raw_input("> ")
        if data:
            print "sending %s...." % data
            self.transport.write(data)
        else:
            self.transport.loseConnection()

    def connectionMade(self):
        self.sendData()

    def dataReceived(self, data):
        print data
        self.sendData()

    def connectionLost(self, reason):
        print "connection lost"

class EchoFactory(protocol.ClientFactory):
    protocol = EchoClient

    def clientConnectionFailed(self, connector, reason):
        print "Connection failed - goodbye!"
        reactor.stop()

    def clientConnectionLost(self, connector, reason):
        print "Connection lost - goodbye!"
        reactor.stop()


# this connects the protocol to a server runing on port 8000
def main():
    f = EchoFactory()
    reactor.connectTCP("localhost", 8004, f)
    reactor.run()

# this only runs if the module was *not* imported
if __name__ == '__main__':
    main()

你在客户身上犯了一个错误。基本上,服务器希望接收行,这意味着数据被换行符终止。但是,客户端发送的数据末尾没有换行符

因此,要修复客户端,只需将
\r\n
添加到数据中:

self.transport.write(data + "\r\n")
以下是客户端协议:

class EchoClient(protocol.Protocol):

    def sendData(self):
        data = raw_input("> ")
        if data:
            print "sending %s...." % data
            self.transport.write(data + "\r\n")
        else:
            self.transport.loseConnection()

    def connectionMade(self):
        self.sendData()

    def dataReceived(self, data):
        print data
        self.sendData()

    def connectionLost(self, reason):
        print "connection lost"

谢谢你,真的很有帮助:-)