4 # Avoid "Address already in use" errors.
5 socketserver.TCPServer.allow_reuse_address = True
9 from plomrogue.errors import BrokenSocketConnection
12 def __init__(self, socket):
15 def send(self, message, silent_connection_break=False):
16 """Send via self.socket, encoded/delimited as way recv() expects.
18 In detail, all \ and $ in message are escaped with prefixed \,
19 and an unescaped $ is appended as a message delimiter. Then,
20 socket.send() is called as often as necessary to ensure
21 message is sent fully, as socket.send() due to buffering may
22 not send all of it right away.
24 Assuming socket is blocking, it's rather improbable that
25 socket.send() will be partial / return a positive value less
26 than the (byte) length of msg – but not entirely out of the
27 question. See: - <http://stackoverflow.com/q/19697218> -
28 <http://stackoverflow.com/q/2618736> -
29 <http://stackoverflow.com/q/8900474>
31 This also handles a socket.send() return value of 0, which
32 might be possible or not (?) for blocking sockets: -
33 <http://stackoverflow.com/q/34919846>
38 if char in ('\\', '$'):
39 escaped_message += '\\'
40 escaped_message += char
41 escaped_message += '$'
42 data = escaped_message.encode()
44 while totalsent < len(data):
47 sent = self.socket.send(data[totalsent:])
48 socket_broken = sent == 0
49 totalsent = totalsent + sent
50 except OSError as err:
51 if err.errno == 9: # "Bad file descriptor", when connection broken
55 if socket_broken and not silent_connection_break:
56 raise BrokenSocketConnection
59 """Get full send()-prepared message from self.socket.
61 In detail, socket.recv() is looped over for sequences of bytes
62 that can be decoded as a Unicode string delimited by an
63 unescaped $, with \ and $ escapable by \. If a sequence of
64 characters that ends in an unescaped $ cannot be decoded as
65 Unicode, None is returned as its representation. Stop once
66 socket.recv() returns nothing.
68 Under the hood, the TCP stack receives packets that construct
69 the input payload in an internal buffer; socket.recv(BUFSIZE)
70 pops up to BUFSIZE bytes from that buffer, without knowledge
71 either about the input's segmentation into packets, or whether
72 the input is segmented in any other meaningful way; that's why
73 we do our own message segmentation with $ as a delimiter.
81 data = self.socket.recv(1024)
82 except OSError as err:
83 if err.errno == 9: # "Bad file descriptor", when connection broken
84 raise BrokenSocketConnection
96 except UnicodeDecodeError:
104 class PlomSocketSSL(PlomSocket):
106 def __init__(self, *args, server_side=False, certfile=None, keyfile=None, **kwargs):
108 super().__init__(*args, **kwargs)
110 self.socket = ssl.wrap_socket(self.socket, server_side=True,
111 certfile=certfile, keyfile=keyfile)
113 self.socket = ssl.wrap_socket(self.socket)
117 class IO_Handler(socketserver.BaseRequestHandler):
119 def __init__(self, *args, **kwargs):
120 super().__init__(*args, **kwargs)
123 """Move messages between network socket and game IO loop via queues.
125 On start (a new connection from client to server), sets up a
126 new queue, sends it via self.server.queue_out to the game IO
127 loop thread, and from then on receives messages to send back
128 from the game IO loop via that new queue.
130 At the same time, loops over socket's recv to get messages
131 from the outside into the game IO loop by way of
132 self.server.queue_out into the game IO. Ends connection once a
133 'QUIT' message is received from socket, and then also calls
134 for a kill of its own queue.
138 def send_queue_messages(plom_socket, queue_in, thread_alive):
139 """Send messages via socket from queue_in while thread_alive[0]."""
140 while thread_alive[0]:
142 msg = queue_in.get(timeout=1)
145 plom_socket.send(msg, True)
150 if self.server.socket_class == PlomSocketSSL:
151 plom_socket = self.server.socket_class(self.request,
153 certfile=self.server.certfile,
154 keyfile=self.server.keyfile)
156 plom_socket = self.server.socket_class(self.request)
157 print('CONNECTION FROM:', str(self.client_address))
158 connection_id = uuid.uuid4()
159 queue_in = queue.Queue()
160 self.server.clients[connection_id] = queue_in
161 thread_alive = [True]
162 t = threading.Thread(target=send_queue_messages,
163 args=(plom_socket, queue_in, thread_alive))
165 for message in plom_socket.recv():
167 plom_socket.send('BAD MESSAGE', True)
168 elif 'QUIT' == message:
169 plom_socket.send('BYE', True)
172 self.server.queue_out.put((connection_id, message))
173 del self.server.clients[connection_id]
174 thread_alive[0] = False
175 print('CONNECTION CLOSED FROM:', str(self.client_address))
176 plom_socket.socket.close()
180 class PlomTCPServer(socketserver.ThreadingTCPServer):
181 """Bind together threaded IO handling server and message queue.
183 By default this only serves to localhost connections. For remote
184 connections, consider using PlomTCPServerSSL for more security,
185 which defaults to serving all connections.
189 def __init__(self, queue, port, host='127.0.0.1', *args, **kwargs):
190 super().__init__((host, port), IO_Handler, *args, **kwargs)
191 self.socket_class = PlomSocket
192 self.queue_out = queue
193 self.daemon_threads = True # Else, server's threads have daemon=False.
198 class PlomTCPServerSSL(PlomTCPServer):
200 def __init__(self, *args, certfile=None, keyfile=None, **kwargs):
201 super().__init__(*args, host='0.0.0.0', **kwargs)
202 self.certfile = certfile
203 self.keyfile = keyfile
204 self.socket_class = PlomSocketSSL