几个选项:
- 您可以在线程中使用的套接字上设置超时,以便它在一段时间后从阻塞中返回。
- 使用
select.select()
超时来轮询套接字以获取数据,定期检查线程是否应该退出。
#1 的示例:
import threading
import socket
import select
# A server that echos only the first data received from a client
def server():
s = socket.socket()
s.bind(('',5000))
s.listen()
print('server: running')
while True:
c,a = s.accept()
print('server: client connected')
with c: # closes client socket when with block exits
echoed = False
while True:
data = c.recv(1024)
if not data: break
if not echoed:
print('server: responding',data)
c.sendall(data)
echoed = True
print('server: client disconnected')
def client():
s = socket.socket()
s.connect(('localhost',5000))
with s: # closes client socket when with block exits
try:
s.settimeout(5) # 5-second timeout if no data received.
print('client: send one')
s.sendall(b'one')
print('client: got',s.recv(1024))
print('client: send two')
s.sendall(b'two')
print('client: got',s.recv(1024)) # this will timeout
except socket.timeout:
print('client: timed out')
# Start server thread.
# As a daemon, it will exit if main thread and client thread both exit.
threading.Thread(target=server,daemon=True).start()
t = threading.Thread(target=client)
t.start()
t.join() # wait for client thread to exit.
t = threading.Thread(target=client)
t.start()
t.join() # wait for client thread to exit.
输出:
server: running
client: send one
server: client connected
server: responding b'one'
client: got b'one'
client: send two
client: timed out
server: client disconnected
client: send one
server: client connected
server: responding b'one'
client: got b'one'
client: send two
client: timed out
注意服务器没有打印第二个客户端断开连接。由于是守护线程,所以在主线程和客户端线程都退出时终止,超时后来不及识别客户端断开连接。如果您想要更清晰的退出行为,请不要使用守护线程。