|
此错误表明客户端无法连接到服务器脚本系统上的端口。既然能ping通服务器,应该不会吧。这可能是由多种原因引起的,例如到目的地的路由不正确。第二种可能性是您的客户端和服务器之间有防火墙,它可能在服务器上,也可能在客户端上。不应该有任何路由器或防火墙可能会停止通信,因为根据您的网络地址,服务器和客户端都应该在同一个局域网上。为什么ConnectionRefusedError:[Errno111]Connectionrefused在Python中发生当客户端由于无效的IP或端口而无法访问服务器,或者地址不唯一且已被另一台服务器使用时,会出现此错误。服务器未运行时也会出现连接拒绝错误,因此客户端无法访问服务器,因为服务器应首先接受连接。代码示例:#servercodeimportsockets=socket.socket()host=socket.gethostname()port=1717s.bind((host,port))s.listen(5)whileTrue:c,addr=s.accept()print("Gotconnection",addr)c.send("Meetingisat10am")c.close()#clientcodeimportsockets=socket.socket()host='192.168.1.2'port=1717s.connect((host,port))print(s.recv(1024))s.close123456789101112131415161718192021222324输出:socket.error:[Errno111]Connectionrefused1如何解决Python中ConnectionRefusedError:[Errno111]Connectionrefused错误尽量使接收套接字尽可能易于访问。也许可访问性只会发生在一个界面上,这不会影响局域网。另一方面,一种情况可能是它专门侦听地址127.0.0.1,从而无法与其他主机建立连接。代码示例:importsockets=socket.socket()host=socket.gethostname()port=1717s.bind(('',port))s.listen(5)whileTrue:c,addr=s.accept()print("Gotconnection",addr)c.send("TheMeetingisat10am")c.close()importsockets=socket.socket()host=socket.gethostname()port=1717s.bind(('',port))s.connect((host,port))print(s.recv(1024))s.close()1234567891011121314151617181920212223输出:Gotconnection('192.168.1.2')Themeetingisat10am12当您运行命令pythonserver.py时,您将收到消息Gotconnection。同时当你运行命令pythonclient.py时,你会收到一条来自服务器的消息。DNS解析可能是此问题背后的另一个原因。由于socket.gethostname()返回主机名,如果操作系统无法将其转换为本地地址,则会返回错误。Linux操作系统可以通过添加一行来编辑主机文件。host=socket.gethostname()port=1717s.bind((host,port))Usegethostbynamehost=socket.gethostbyname("192.168.1.2")s.bind((host,port))123456因此,您必须在客户端和服务器端使用相同的技术来访问主机。例如,您可以在客户案例中应用上述程序。您还可以通过本地主机名hostnamehost=socket.gethostname()或本地主机的特定名称host=socket.gethostbyname("localhost")进行访问。host=socket.gethostname()s.connect((host,port))host=socket.gethostbyname("localhost")s.connect((host,port))1234总结当客户端无法连接到服务器时,会出现Python中的ConnectionRefusedError。几个原因包括客户端不知道IP或端口地址,以及当客户端想要连接时服务器未运行。上面提到的几种方法可以解决此连接问题。
|
|