Python Socket Not Receiving Without Sending
This question delves into an issue where a modified socket example from Python's documentation fails to receive data after the initial send has been disabled. The problem arises due to the inherent nature of TCP sockets, which treat data as a continuous stream.
In the original example, the while loop ensured that the server echoed back every message it received. This established a simple protocol where sending triggered responding.
However, in the modified version, removing the echo functionality disrupts the protocol. The server becomes an infinite consumer of data, waiting for the client to close the connection. Since the send is disabled, the client's data is neither acknowledged nor echoed back, causing it to hang while waiting for a response.
The solution lies in adapting the client's behavior to the new protocol. Instead of expecting an immediate response, the client should gracefully close its end of the connection. This signals to the server that it has completed sending data, prompting the server to send the expected "ok" message.
To enhance reliability, the client can employ multiple recv calls to handle possible data fragmentation. This modification ensures that even segmented messages are successfully received.
Updated Example Codes:
Server
import socket HOST = '' PORT = 50007 s = socket.socket(socket.AF_INET, socket.SOCK_STREAM) s.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1) s.bind((HOST, PORT)) s.listen(1) conn, addr = s.accept() print('Connected by', addr) while True: data = conn.recv(1024) if not data: break conn.sendall(b'ok') conn.shutdown(socket.SHUT_WR) conn.close()
Client
import socket HOST = 'localhost' PORT = 50007 s = socket.socket(socket.AF_INET, socket.SOCK_STREAM) s.connect((HOST, PORT)) s.sendall(b'Hello, world') s.shutdown(socket.SHUT_WR) data = b'' while True: buf = s.recv(1024) if not buf: break data += buf s.close() print('Received', repr(data))
By following these modifications, the example ensures that the client does not hang, and the server gracefully handles the data exchange, even without an immediate response from the server.
The above is the detailed content of Why Doesn\'t My Python Socket Receive Data Without Sending?. For more information, please follow other related articles on the PHP Chinese website!