How to set timeout on python's socket recv method? How to set timeout on python's socket recv method? python python

How to set timeout on python's socket recv method?


The typical approach is to use select() to wait until data is available or until the timeout occurs. Only call recv() when data is actually available. To be safe, we also set the socket to non-blocking mode to guarantee that recv() will never block indefinitely. select() can also be used to wait on more than one socket at a time.

import selectmysocket.setblocking(0)ready = select.select([mysocket], [], [], timeout_in_seconds)if ready[0]:    data = mysocket.recv(4096)

If you have a lot of open file descriptors, poll() is a more efficient alternative to select().

Another option is to set a timeout for all operations on the socket using socket.settimeout(), but I see that you've explicitly rejected that solution in another answer.


As mentioned both select.select() and socket.settimeout() will work.

Note you might need to call settimeout twice for your needs, e.g.

sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)sock.bind(("",0))sock.listen(1)# accept can throw socket.timeoutsock.settimeout(5.0)conn, addr = sock.accept()# recv can throw socket.timeoutconn.settimeout(5.0)conn.recv(1024)