-
Notifications
You must be signed in to change notification settings - Fork 1
/
app.py
286 lines (257 loc) · 12 KB
/
app.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
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
import os
import time
import datetime
import importlib
import json
from agent.actor import Actor
from config import Config, BuildingConfig, NPCConfig, EquipmentConfig, FrameworkConfig, EconomicConfig, EvalConfig
from utils import utils
abs_path = os.path.dirname(os.path.realpath(__file__))
class App:
def __init__(self) -> None:
self.ws_cache = dict()
self.id_to_ws = dict()
self.inited = set()
self.movings = set()
self.chatted = set()
self.using = set()
self.cache = list()
# {uid(NPC-xxx): Actor}
self.actors = dict()
self.evals = {}
self.start_time = self.get_nowtime()
self.last_real_time = self.get_nowtime()
self.last_game_time = self.get_nowtime()
self.tick_state = {
"start_time": 0,
"tick_count": 0,
"start": False,
}
self.mayor_state = {
"start_time": 0,
"start": False,
}
self.config = Config(os.path.join(abs_path, 'config', 'app.json'))
self.load_building_configs(os.path.join(abs_path, 'config', 'buildings.json'))
self.load_npc_configs(os.path.join(abs_path, 'config', 'agent.json'))
self.load_framework_configs(os.path.join(abs_path, 'config', 'framework.json'))
self.load_equipment_configs(os.path.join(abs_path, 'config', 'equipments.json'))
self.load_economic_configs(os.path.join(abs_path, 'config', 'economics.json'))
self.load_eval_configs(os.path.join(abs_path, 'config', 'eval.json'))
self.snapshot_path = os.path.join(abs_path, 'snapshot', 'app.json')
self.load_snapshot()
def load_snapshot(self):
if os.path.exists(self.snapshot_path):
with open(self.snapshot_path, "r", encoding="utf-8") as snapshot:
obj = json.loads(snapshot.read())
self.inited = set(obj.get("inited", list()))
self.movings = set(obj.get("movings", list()))
self.chatted = set(obj.get("chatted", list()))
self.using = set(obj.get("using", list()))
self.cache = obj.get("cache", list())
self.actors = {k: Actor("", "", "", "", "", "", list(), 0, self.get_game_time()).from_json(v) for k, v in obj.get("actors", dict()).items()}
self.last_real_time = obj.get("last_real_time", self.get_nowtime())
self.last_game_time = obj.get("last_game_time", self.get_nowtime())
self.tick_state = obj.get("tick_state", {
"start_time": 0,
"tick_count": 0,
"start": False,
})
self.mayor_state = obj.get("mayor_state", {
"start_time": 0,
"start": False,
})
def save_snapshot(self):
info = {
"inited": list(self.inited),
"movings": list(self.movings),
"chatted": list(self.chatted),
"using": list(self.using),
"cache": self.cache,
"actors": {k: v.to_json() for k, v in self.actors.items()},
"last_real_time": self.last_real_time,
"last_game_time": self.last_game_time,
"tick_state": self.tick_state,
"mayor_state": self.mayor_state,
}
# print(info)
info = json.dumps(info, ensure_ascii=False, separators=(",", ":"))
with open(self.snapshot_path, "w", encoding="utf-8") as snapshot:
snapshot.write(info)
def add_moving(self, entity_type, entity_id, map_id):
self.movings.add((entity_type, entity_id, map_id))
def log(self, info: str) -> None:
print(info)
def register(self, ws):
if ws not in self.ws_cache:
self.ws_cache[ws] = dict()
self.log("somebody linked.")
ws.write_message({"code": 200, "uri": "welcome", "msg": "Welcome"})
def logout(self, ws):
if ws in self.ws_cache:
if self.ws_cache[ws]:
del self.id_to_ws[self.ws_cache[ws]["uid"]]
self.log(f'{self.ws_cache[ws]["uid"]} is logging out')
else:
self.log("somebody is logging out.")
del self.ws_cache[ws]
else:
self.log("somebody is logging out.")
def broadcast(self, entityType=None, message=""):
for uid, ws in self.id_to_ws.items():
if not entityType or uid.startswith(entityType):
if not isinstance(message, str):
message = json.dumps(message, ensure_ascii=False, separators=(",", ":"))
ws.write_message(message)
def login(self, ws, uid):
self.ws_cache[ws]["uid"] = uid
self.ws_cache[ws]["loginTime"] = self.get_nowtime()
self.log(f"{uid} logging in at {self.get_formatter(self.ws_cache[ws]['loginTime'])}")
def send(self, uid: str, message=""):
if not isinstance(message, str):
message = json.dumps(message, ensure_ascii=False, separators=(",", ":"))
if uid in self.id_to_ws:
try:
print(f"sending message to {uid}: {message}")
self.id_to_ws[uid].write_message(message)
except Exception as e:
print("sending message and met error:", e)
del self.id_to_ws[uid]
async def execute(self, ws, message):
try:
info = json.loads(message)
except Exception as e:
return ws.write_message('message received:' + message)
ret_data = {"code": 500, "data": {}, "uid": None, "msg": "no URI appointed"}
uid = ""
mayor_uid = ""
if "uid" in info:
uid = info["uid"]
if uid not in self.id_to_ws:
self.id_to_ws[uid] = ws
if not self.ws_cache[ws]:
self.login(ws, uid)
ret_data["uid"] = uid
ret_data["code"] = 200
ret_data["data"]["register"] = True
ret_data["msg"] = ""
self.log(f"{uid} send: {message}")
if uid.startswith("Mayor") and "uri" in info and "ping" != info["uri"]:
mayor_uid = uid
uid = mayor_uid.replace("Mayor", "Player") # mayor mode works as player mode
info["uid"] = uid
info["mayor"] = True # log marker
print("uid", uid)
print("mayor_uid:", mayor_uid)
print(info)
if "uri" in info and "method" in info:
# "method": 处理服务器请求,此处无用
if "ping" == info["uri"]: # ping , for linkage websocket connection
ret_data["uid"] = info.get("uid")
ret_data["code"] = 200
ret_data["data"]["ping"] = True
ret_data["msg"] = ""
elif info["uri"].startswith("command."): # {'uri': 'command.building.Create', "data": {'uid': , 'building_type': }}
# Import module.
module = importlib.import_module(info["uri"])
# Get class.
cls = getattr(module, info["uri"].split('.')[-1])
# Create the command object.
cmd = cls(self)
# Execute command.
res = await cmd._execute(info)
# Close db connections.
for db in cmd.db_cache.values():
db.close()
# Return response.
if "error" in res:
ret_data["code"] = 500 if res.get('doRefresh', False) else 501
ret_data["data"] = ""
ret_data["uid"] = info.get("uid")
ret_data["msg"] = res['error']
else:
ret_data["uid"] = info.get("uid")
ret_data["code"] = 200
ret_data["data"] = res["data"]
ret_data["msg"] = ""
ret_data["uri"] = info["uri"]
if ret_data["code"] == 200 and ret_data["uri"] == "command.auth.Register":
print(ret_data["data"])
uid = ret_data["data"]["uid"]
# if uid not in self.id_to_ws:
print(f"bound websocket to {uid}")
self.id_to_ws[uid] = ws
if not self.ws_cache[ws]:
self.login(ws, uid)
ret_data["data"]["register"] = True
# buildings_model = cmd.get_single_model("Buildings", create=False)
# if buildings_model:
# ws.write_message(json.dumps({"code":200,"data":{'buildings': buildings_model.buildings},"uid":uid,"msg":"","uri":"command.building.GetBuildings"}, ensure_ascii=False, separators=(",", ":")))
# else:
# ws.write_message(json.dumps({"code":200,"data":{'buildings': []},"uid":uid,"msg":"","uri":"command.building.GetBuildings"}, ensure_ascii=False, separators=(",", ":")))
# npcs_model = cmd.get_single_model("NPCs", create=False)
# if npcs_model:
# ws.write_message(json.dumps({"code":200,"data":{'npcs': [cmd.get_single_model("NPC", id=x["id"], create=True).as_object(True) for x in npcs_model.npcs if cmd.get_single_model("NPC", id=x["id"], create=False)]},"uid":uid,"msg":"","uri":"command.npc.GetNPCs"}, ensure_ascii=False, separators=(",", ":")))
# else:
# ws.write_message(json.dumps({"code":200,"data":{'npcs': []},"uid":uid,"msg":"","uri":"command.npc.GetNPCs"}, ensure_ascii=False, separators=(",", ":")))
if mayor_uid and ret_data["code"] == 200 and ret_data["uri"] == "command.npc.Create":
# Send Message To Player
self.send(uid, {"code": 200, "data": ret_data["data"], "uid": mayor_uid, "msg": "", "uri": "mayor.npc.Create"})
if mayor_uid and ret_data["code"] == 200 and ret_data["uri"] == "command.building.Create":
# Send Message To Player
self.send(uid, {"code": 200, "data": ret_data["data"], "uid": mayor_uid, "msg": "", "uri": "mayor.building.Create"})
self.save_snapshot()
return ws.write_message(json.dumps(ret_data, ensure_ascii=False, separators=(",", ":")))
def get_nowtime(self):
return int(time.time() * 1000)
def get_formatter(self, timestamp_ms, format_str='%Y-%m-%d %H:%M:%S'):
return time.strftime(format_str, time.localtime(timestamp_ms / 1000))
def get_nowtime_seconds(self):
return int(time.time())
def get_game_time(self):
return self.last_game_time
def load_eval_configs(self, path):
self.eval_configs = {}
objs = utils.load_json_file(path)
# Read data.
for obj in objs:
config = EvalConfig(obj)
self.eval_configs[config.id] = config
def load_building_configs(self, path):
self.building_configs = {}
# Load json file.
objs = utils.load_json_file(path)
# Read data.
for obj in objs:
config = BuildingConfig(obj)
self.building_configs[config.id] = config
def get_building_config(self, id):
return self.building_configs[id]
def load_equipment_configs(self, path):
self.equipment_configs = {}
# Load json file.
objs = utils.load_json_file(path)
# Read data.
for obj in objs:
config = EquipmentConfig(obj)
self.equipment_configs[config.id] = config
def get_equipment_config(self, id):
return self.equipment_configs[id]
def load_economic_configs(self, path):
self.economic_configs = {}
# Load json file.
objs = utils.load_json_file(path)
# Read data.
for obj in objs:
config = EconomicConfig(obj)
self.economic_configs[config.id] = config
def get_economic_config(self, id):
return self.economic_configs[id]
def load_npc_configs(self, path):
self.npc_configs = NPCConfig(path)
def get_npc_config(self):
return self.npc_configs
def load_framework_configs(self, path):
self.framework_configs = FrameworkConfig(path)
def get_framework_config(self):
return self.framework_configs