-
Notifications
You must be signed in to change notification settings - Fork 38
/
Client.py
249 lines (195 loc) · 7.15 KB
/
Client.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
244
245
246
247
248
249
import socket, time, datetime, sys, ip2country
import errno
import logging
from collections import defaultdict
from BridgedClient import BridgedClient
class Client():
'this object represents one server-side connected client'
def __init__(self, root, address, session_id):
'initial setup for the connected client'
self._root = root
now = time.time()
# detects if the connection is from this computer
if address[0].startswith('127.'):
if root.online_ip:
address = (root.online_ip, address[1])
elif root.local_ip:
address = (root.local_ip, address[1])
self.ip_address = address[0]
self.local_ip = address[0]
self.port = address[1]
# fields also in user db
self.user_id = -1 # db user object has a .id attr instead
self.username = ""
self.password = ""
self.register_date = datetime.datetime.now()
self.last_login = datetime.datetime.now()
self.last_ip = self.ip_address
self.last_id = 0
self.ingame_time = 0
self.access = 'fresh'
self.email = ''
self.bot = False
# session
self.session_id = session_id
self.debug = False
self.static = False
self.sendError = False
self.compat = set() # holds compatibility flags
self.country_code = '??'
self.agent = ""
self.setFlagByIP(self.ip_address)
self.status = 12
self.accesslevels = ['fresh','everyone']
# note: this NEVER becomes false after LOGIN!
self.logged_in = False
# server<->client comms
self.buffersend = False # if True, write all sends to a buffer (must not be used when a client is logging in but didn't yet receive full server state!)
self.buffer = ""
self.msg_id = ''
self.msg_sendbuffer = []
self.sendingmessage = ''
self.msg_length_history = {}
# channels
self.channels = set()
self.ignored = {}
self.lastsaid = {}
# for if we are a bridge bot
self.bridge = {} #location->{external_id->bridged_id}
# perhaps these are unused?
self.cpu = 0
self.data = ''
self.lastdata = now
# time-stamps for encrypted data
self.incoming_msg_ctr = 0
self.outgoing_msg_ctr = 1
# battle stuff
self.is_ingame = False
self.scriptPassword = None
self.battle_bots = {}
self.current_battle = None # battle_id
self.pending_battle = None # battle_id
self.went_ingame = 0
self.spectator = False
self.battlestatus = {'ready':'0', 'id':'0000', 'ally':'0000', 'mode':'0', 'sync':'00', 'side':'00', 'handicap':'0000000'}
self.teamcolor = '0'
self.hostport = None
self.udpport = 0
def set_msg_id(self, msg):
self.msg_id = ""
if (not msg.startswith('#')):
return msg
test = msg.split(' ')[0][1:]
if (not test.isdigit()):
return msg
self.msg_id = '#%s ' % test
return (' '.join(msg.split(' ')[1:]))
def setFlagByIP(self, ip, force=True):
cc = ip2country.lookup(ip)
if force or cc != '??':
self.country_code = cc
##
## handle data from client
##
def Handle(self, data):
if self.bot:
flood_limits = self._root.flood_limits['bot']
elif (self.access in self._root.flood_limits):
flood_limits = self._root.flood_limits[self.access]
else:
flood_limits = self._root.flood_limits['fresh']
#logging.info(" < [" + self.username + " " + str(self.session_id) + "] " + data.strip()) # uncomment for debugging
now = int(time.time())
self.lastdata = now # data received, store time to detect disconnects
bytespersecond = flood_limits['bytespersecond']
seconds = flood_limits['seconds']
if (now in self.msg_length_history):
self.msg_length_history[now] += len(data)
else:
self.msg_length_history[now] = len(data)
total = 0
for iter in dict(self.msg_length_history):
if (iter < now - (seconds - 1)):
del self.msg_length_history[iter]
else:
total += self.msg_length_history[iter]
if total > (bytespersecond * seconds):
self.Send('SERVERMSG No flooding (over %s per second for %s seconds)' % (bytespersecond, seconds))
self.ReportFloodBreach("flood limit", total)
self.Remove('Kicked for flooding (%s)' % (self.access))
return
# keep appending until we see at least one newline
self.data += data
# if far too much data has accumulated without hitting flood limits and without a newline, just clear it
if (self.data.count('\n') == 0):
if (len(self.data) > (flood_limits['msglength'])*16):
del self.data
self.data = ""
self.Send('SERVERMSG Max client data cache was exceeded, some of your data was dropped by the server')
self.ReportFloodBreach("max client data cache ", len(self.data))
return
self.HandleProtocolCommands(self.data.split("\n"), flood_limits)
def HandleProtocolCommand(self, cmd):
# probably caused by trailing newline ("abc\n".split("\n") == ["abc", ""])
if (len(cmd) < 1):
return
self._root.protocol._handle(self, cmd)
def HandleProtocolCommands(self, split_data, flood_limits):
assert(type(split_data) == list)
assert(type(split_data[-1]) == str)
# either a list of commands, or a list of encrypted data
# blobs which may contain embedded (post-decryption) NLs
# note: will be empty if len(split_data) == 1
raw_data_blobs = split_data[: len(split_data) - 1]
# will be a single newline in most cases, or an incomplete
# command which should be saved for a later time when more
# data is in buffer
self.data = split_data[-1]
commands_buffer = []
for raw_data_blob in raw_data_blobs:
if (len(raw_data_blob) == 0):
continue
strip_commands = [(raw_data_blob.rstrip('\r')).lstrip(' ')]
commands_buffer += strip_commands
for command in commands_buffer:
if len(command) > flood_limits['msglength']:
self.Send('SERVERMSG message length limit of %i chars was exceeded: command \"%s...\" dropped.' % (msg_length_limit, command[0: 16]))
self.ReportFloodBreach("max message length (cmd=\%s...\)" % command[0: 16], len(command))
continue
self.HandleProtocolCommand(command)
def ReportFloodBreach(self, type, bytes):
if hasattr(self, "username"):
user_details = "<%s>, session_id: %i" % (self.username, self.session_id)
else:
user_details = "session_id: %i" % self.session_id
err_msg = "%s for '%s' breached by %s, had %i bytes" % (type, self.access, user_details, bytes)
self._root.protocol.broadcast_Moderator(err_msg)
logging.info(err_msg)
##
## send data to client
##
def RealSend(self, data):
if not data:
return
raw_msg = data[data.find(" ")+1:] if data.startswith('#') else data
command = raw_msg[:raw_msg.find(" ")] if " " in raw_msg else raw_msg
self._root.outbound_command_stats[command] = self._root.outbound_command_stats.get(command, 0) + 1
#logging.info("> [" + self.username + " " + str(self.session_id) + "] " + data.strip()) # uncomment for debugging
self.transport.write(data.encode("utf-8") + b"\n")
def Send(self, data):
if self.msg_id:
data = self.msg_id + data
if self.buffersend:
self.buffer += data + "\n"
else:
self.RealSend(data)
def flushBuffer(self):
self.transport.write(self.buffer.encode("utf-8"))
self.buffer = ""
self.buffersend = False
def isAdmin(self):
return ('admin' in self.accesslevels)
def isMod(self):
return self.isAdmin() or ('mod' in self.accesslevels) # maybe cache these
def isHosting(self):
return self.current_battle and self._root.battles[self.current_battle].host == self.session_id