Synchronous messaging pattern where one side (the Requester) sends a request, and the other side (the Replier) sends a response.
socket zmq.REQ will block on send unless it has successfully received a reply back.
socket zmq.REP will block on recv unless it has received a request.
Tip
If you want to set a timeout on the REQ socket, you can use the zmq.POLLIN flag with zmq.Poller to check if there is a message to receive. or use RCVTIMEO on the socket.
importzmqimporttimecontext=zmq.Context()socket=context.socket(zmq.REQ)socket.connect("tcp://localhost:5555")# Set both send and receive timeoutssocket.setsockopt(zmq.RCVTIMEO,5000)# 5-second receive timeoutsocket.setsockopt(zmq.SNDTIMEO,5000)# 5-second send timeoutsocket.setsockopt(zmq.LINGER,0)# Prevent blocking on closetry:print("Sending request...")socket.send(b"Hello")# Send request (this can block)message=socket.recv()# Wait for response (times out after 5 sec)print(f"Received reply: {message.decode()}")exceptzmq.error.Again:print("Timeout: No response received, exiting.")finally:socket.close()# Ensure socket is closed properlycontext.term()# Terminate the context to free resourcesprint("Program exited.")
importzmqcontext=zmq.Context()timeout_ms=5000# 5-second timeoutmax_retries=3# Number of retriesforattemptinrange(1,max_retries+1):print(f"Attempt {attempt}: Sending request...")# Create a new REQ socket for each attemptsocket=context.socket(zmq.REQ)socket.connect("tcp://localhost:5555")socket.setsockopt(zmq.LINGER,0)# Prevent blocking on closepoller=zmq.Poller()poller.register(socket,zmq.POLLIN)# Monitor socket for a responsetry:socket.send(b"Hello")# Send requestsocks=dict(poller.poll(timeout_ms))# Wait for response with timeoutifsocketinsocks:# If response is receivedmessage=socket.recv()print(f"Received reply: {message.decode()}")socket.close()break# Exit loop on successelse:print("Timeout: No response received.")exceptzmq.ZMQErrorase:print(f"ZeroMQ Error: {e}")finally:socket.close()# Ensure the socket is properly closedifattempt==max_retries:print("Max retries reached. Exiting.")context.term()# Clean up contextprint("Program exited.")