home · contact · privacy
TCE: Use wetness map separate from terrain map.
[plomrogue] / plugins / server / TheCrawlingEater.py
1 # This file is part of PlomRogue. PlomRogue is licensed under the GPL version 3
2 # or any later version. For details on its copyright, license, and warranties,
3 # see the file NOTICE in the root directory of the PlomRogue source package.
4
5
6 from server.config.world_data import world_db
7
8
9 def play_drink():
10     if action_exists("drink") and world_db["WORLD_ACTIVE"]:
11         if not chr(world_db["MAP"][world_db["Things"][0]["pos"]]) == "~":
12             log("NOTHING to drink here.")
13             return
14         elif world_db["Things"][0]["T_BLADDER"] >= 32:
15             log("You're too FULL to drink more.")
16             return
17         world_db["set_command"]("drink")
18
19
20 def actor_drink(t):
21     pos = world_db["Things"][0]["pos"]
22     if chr(world_db["MAP"][pos]) == "~" and t["T_BLADDER"] < 32:
23         log("You DRINK.")
24         t["T_BLADDER"] += 1
25         world_db["wetmap"][pos] -= 1
26         if world_db["wetmap"][pos] == 48:
27             world_db["MAP"][pos] = ord("_")
28
29
30 def play_pee():
31     if action_exists("pee") and world_db["WORLD_ACTIVE"]:
32         if world_db["Things"][0]["T_BLADDER"] < 1:
33             log("Nothing to drop from empty bladder.")
34             return
35         world_db["set_command"]("pee")
36
37
38 def actor_pee(t):
39     if t["T_BLADDER"] < 1:
40         return
41     if t == world_db["Things"][0]:
42         log("You LOSE fluid.")
43     t["T_BLADDER"] -= 1
44     terrain = world_db["MAP"][t["pos"]]
45     world_db["wetmap"][t["pos"]] += 1
46     if terrain == ord("_"):
47         world_db["MAP"][t["pos"]] = ord("~")
48     elif world_db["wetmap"][t["pos"]] > 51:
49         t["T_LIFEPOINTS"] = 0
50         if t == world_db["Things"][0]:
51             t["fovmap"] = bytearray(b' ' * (world_db["MAP_LENGTH"] ** 2))
52             log("You DROWN.")
53
54
55 def play_drop():
56     if action_exists("drop") and world_db["WORLD_ACTIVE"]:
57         if world_db["Things"][0]["T_BOWEL"] < 1:
58             log("Nothing to drop from empty bowel.")
59             return
60         world_db["set_command"]("drop")
61
62
63 def actor_drop(t):
64     if t["T_BOWEL"] < 1:
65         return
66     if t == world_db["Things"][0]:
67         log("You DROP waste.")
68     terrain = world_db["MAP"][t["pos"]]
69     t["T_BOWEL"] -= 1
70     if chr(terrain) in "_~":
71         world_db["MAP"][t["pos"]] = ord(".")
72     elif terrain == ord("."):
73         world_db["MAP"][t["pos"]] = ord(":")
74     elif terrain == ord(":"):
75         world_db["MAP"][t["pos"]] = ord("%")
76     elif terrain == ord("%"):
77         world_db["MAP"][t["pos"]] = ord("#")
78     elif terrain == ord("#"):
79         world_db["MAP"][t["pos"]] = ord("X")
80     elif terrain == ord("X"):
81         t["T_LIFEPOINTS"] = 0
82         if t == world_db["Things"][0]:
83             t["fovmap"] = bytearray(b' ' * (world_db["MAP_LENGTH"] ** 2))
84             log("You SUFFOCATE.")
85
86
87 def play_move(str_arg):
88     """Try "move" as player's T_COMMAND, str_arg as T_ARGUMENT / direction."""
89     if action_exists("move") and world_db["WORLD_ACTIVE"]:
90         from server.config.world_data import directions_db, symbols_passable
91         t = world_db["Things"][0]
92         if not str_arg in directions_db:
93             print("Illegal move direction string.")
94             return
95         d = ord(directions_db[str_arg])
96         from server.utils import mv_yx_in_dir_legal
97         move_result = mv_yx_in_dir_legal(chr(d), t["T_POSY"], t["T_POSX"])
98         if 1 == move_result[0]:
99             pos = (move_result[1] * world_db["MAP_LENGTH"]) + move_result[2]
100             if chr(world_db["MAP"][pos]) in "%#":
101                 if t["T_BOWEL"] >= 32:
102                     if t == world_db["Things"][0]:
103                         log("You're too FULL to eat.")
104                     return
105                 world_db["Things"][0]["T_ARGUMENT"] = d
106                 world_db["set_command"]("move")
107                 return
108             if chr(world_db["MAP"][pos]) in symbols_passable:
109                 world_db["Things"][0]["T_ARGUMENT"] = d
110                 world_db["set_command"]("move")
111                 return
112         log("You CAN'T eat your way through there.")
113
114
115 def actor_move(t):
116     from server.build_fov_map import build_fov_map
117     from server.utils import mv_yx_in_dir_legal, rand
118     from server.config.world_data import directions_db, symbols_passable
119     passable = False
120     move_result = mv_yx_in_dir_legal(chr(t["T_ARGUMENT"]),
121                                      t["T_POSY"], t["T_POSX"])
122     if 1 == move_result[0]:
123         pos = (move_result[1] * world_db["MAP_LENGTH"]) + move_result[2]
124         hitted = [tid for tid in world_db["Things"]
125                   if world_db["Things"][tid] != t
126                   if world_db["Things"][tid]["T_LIFEPOINTS"]
127                   if world_db["Things"][tid]["T_POSY"] == move_result[1]
128                   if world_db["Things"][tid]["T_POSX"] == move_result[2]]
129         if len(hitted):
130             hit_id = hitted[0]
131             hitted_tid = world_db["Things"][hit_id]["T_TYPE"]
132             if t == world_db["Things"][0]:
133                 hitted_name = world_db["ThingTypes"][hitted_tid]["TT_NAME"]
134                 log("You BUMP into " + hitted_name + ".")
135             elif 0 == hit_id:
136                 hitter_name = world_db["ThingTypes"][t["T_TYPE"]]["TT_NAME"]
137                 log(hitter_name +" BUMPS into you.")
138             return
139         passable = chr(world_db["MAP"][pos]) in symbols_passable
140     direction = [direction for direction in directions_db
141                  if directions_db[direction] == chr(t["T_ARGUMENT"])][0]
142     if passable:
143         t["T_POSY"] = move_result[1]
144         t["T_POSX"] = move_result[2]
145         t["pos"] = move_result[1] * world_db["MAP_LENGTH"] + move_result[2]
146         build_fov_map(t)
147     else:
148         if t["T_BOWEL"] >= 32 or chr(world_db["MAP"][pos]) == "X":
149             return
150         elif chr(world_db["MAP"][pos]) == "%" and 0 == int(rand.next() % 2):
151             t["T_BOWEL"] += 3
152         elif chr(world_db["MAP"][pos]) in "#BEH" and 0 == int(rand.next() % 5):
153             t["T_BOWEL"] += 4
154         log("You EAT.")
155         if world_db["wetmap"][pos] == 48:
156             world_db["MAP"][pos] = ord("_")
157         else:
158             world_db["MAP"][pos] = ord("~")
159         if t["T_BOWEL"] > 32:
160             t["T_BOWEL"] = 32
161
162
163 def make_map():
164     from server.make_map import new_pos, is_neighbor
165     from server.utils import rand
166     world_db["MAP"] = bytearray(b'X' * (world_db["MAP_LENGTH"] ** 2))
167     length = world_db["MAP_LENGTH"]
168     add_half_width = (not (length % 2)) * int(length / 2)
169     world_db["MAP"][int((length ** 2) / 2) + add_half_width] = ord("#")
170     while (1):
171         y, x, pos = new_pos()
172         if "X" == chr(world_db["MAP"][pos]) and is_neighbor((y, x), "#"):
173             if y == 0 or y == (length - 1) or x == 0 or x == (length - 1):
174                 break
175             world_db["MAP"][pos] = ord("#")
176     n_ground = int((length ** 2) / 16)
177     i_ground = 0
178     while (i_ground <= n_ground):
179         single_allowed = rand.next() % 32
180         y, x, pos = new_pos()
181         if "#" == chr(world_db["MAP"][pos]) \
182                 and ((not single_allowed) or is_neighbor((y, x), "_")):
183             world_db["MAP"][pos] = ord("_")
184             i_ground += 1
185     n_water = int((length ** 2) / 64)
186     i_water = 0
187     while (i_water <= n_water):
188         single_allowed = rand.next() % 32
189         y, x, pos = new_pos()
190         if "_" == chr(world_db["MAP"][pos]) \
191                 and ((not single_allowed) or is_neighbor((y, x), "~")):
192             world_db["MAP"][pos] = ord("~")
193             world_db["wetmap"][pos] = 51
194             i_water += 1
195
196
197 def calc_effort(ta, t):
198     from server.utils import mv_yx_in_dir_legal
199     if ta["TA_NAME"] == "move":
200         move_result = mv_yx_in_dir_legal(chr(t["T_ARGUMENT"]),
201                                          t["T_POSY"], t["T_POSX"])
202         if 1 == move_result[0]:
203             pos = (move_result[1] * world_db["MAP_LENGTH"]) + move_result[2]
204             terrain = chr(world_db["MAP"][pos])
205             if terrain == ".":
206                 return 2
207             elif terrain == ":":
208                 return 4
209     return 1
210 world_db["calc_effort"] = calc_effort
211
212
213 def turn_over():
214     from server.ai import ai
215     from server.config.actions import action_db
216     from server.update_map_memory import update_map_memory
217     from server.io import try_worldstate_update
218     from server.config.io import io_db
219     from server.utils import rand
220     while world_db["Things"][0]["T_LIFEPOINTS"]:
221         for tid in [tid for tid in world_db["Things"]]:
222             if not tid in world_db["Things"]:
223                 continue
224             Thing = world_db["Things"][tid]
225             if Thing["T_LIFEPOINTS"]:
226                 if not Thing["T_COMMAND"]:
227                     update_map_memory(Thing)
228                     if 0 == tid:
229                         return
230                     ai(Thing)
231                 if Thing["T_LIFEPOINTS"]:
232                     Thing["T_PROGRESS"] += 1
233                     taid = [a for a in world_db["ThingActions"]
234                               if a == Thing["T_COMMAND"]][0]
235                     ThingAction = world_db["ThingActions"][taid]
236                     effort = world_db["calc_effort"](ThingAction, Thing)
237                     if Thing["T_PROGRESS"] >= effort:
238                         action = action_db["actor_" + ThingAction["TA_NAME"]]
239                         action(Thing)
240                         Thing["T_COMMAND"] = 0
241                         Thing["T_PROGRESS"] = 0
242                     if Thing["T_BOWEL"] > 16:
243                         if 0 == (rand.next() % (33 - Thing["T_BOWEL"])):
244                             action_db["actor_drop"](Thing)
245                     if Thing["T_BLADDER"] > 16:
246                         if 0 == (rand.next() % (33 - Thing["T_BLADDER"])):
247                             action_db["actor_pee"](Thing)
248         world_db["TURN"] += 1
249         io_db["worldstate_updateable"] = True
250         try_worldstate_update()
251 world_db["turn_over"] = turn_over
252
253
254 def command_ai():
255     """Call ai() on player Thing, then turn_over()."""
256     from server.ai import ai
257     if world_db["WORLD_ACTIVE"]:
258         ai(world_db["Things"][0])
259         world_db["turn_over"]()
260
261
262 def set_command(action):
263     """Set player's T_COMMAND, then call turn_over()."""
264     tid = [x for x in world_db["ThingActions"]
265            if world_db["ThingActions"][x]["TA_NAME"] == action][0]
266     world_db["Things"][0]["T_COMMAND"] = tid
267     world_db["turn_over"]()
268 world_db["set_command"] = set_command
269
270
271 def play_wait():
272     """Try "wait" as player's T_COMMAND."""
273     if world_db["WORLD_ACTIVE"]:
274         world_db["set_command"]("wait")
275
276
277 def save_wetmap():
278     length = world_db["MAP_LENGTH"]
279     string = ""
280     for i in range(length):
281         line = world_db["wetmap"][i * length:(i * length) + length].decode()
282         string = string + "WETMAP" + " "  + str(i) + " " + line + "\n"
283     return string
284
285
286 def wetmapset(str_int, mapline):
287     def valid_map_line(str_int, mapline):
288         from server.utils import integer_test
289         val = integer_test(str_int, 0, 255)
290         if None != val:
291             if val >= world_db["MAP_LENGTH"]:
292                 print("Illegal value for map line number.")
293             elif len(mapline) != world_db["MAP_LENGTH"]:
294                 print("Map line length is unequal map width.")
295             else:
296                 return val
297         return None
298     val = valid_map_line(str_int, mapline)
299     if None != val:
300         length = world_db["MAP_LENGTH"]
301         if not world_db["wetmap"]:
302             m = bytearray(b' ' * (length ** 2))
303         else:
304             m = world_db["wetmap"]
305         m[val * length:(val * length) + length] = mapline.encode()
306         if not world_db["wetmap"]:
307             world_db["wetmap"] = m
308
309
310 def write_wetmap():
311     from server.worldstate_write_helpers import write_map
312     length = world_db["MAP_LENGTH"]
313     visible_wetmap = bytearray(b' ' * (length ** 2))
314     for i in range(length ** 2):
315         if world_db["Things"][0]["fovmap"][i] == ord('v'):
316             visible_wetmap[i] = world_db["wetmap"][i]
317     return write_map(visible_wetmap, world_db["MAP_LENGTH"])
318
319
320 from server.config.io import io_db
321 io_db["worldstate_write_order"] += [["T_BOWEL", "player_int"]]
322 io_db["worldstate_write_order"] += [["T_BLADDER", "player_int"]]
323 io_db["worldstate_write_order"] += [[write_wetmap, "func"]]
324 import server.config.world_data
325 server.config.world_data.symbols_hide = "%#X" + "ABC" + "DEF" + "GHI"
326 server.config.world_data.symbols_passable = "_.:" + "~JK" + "LMN" + "OPQ"
327 server.config.world_data.thing_defaults["T_BOWEL"] = 0
328 server.config.world_data.thing_defaults["T_BLADDER"] = 0
329 world_db["wetmap"] = bytearray(b"0" * world_db["MAP_LENGTH"] ** 2)
330 io_db["hook_save"] = save_wetmap
331 import server.config.make_world_helpers
332 server.config.make_world_helpers.make_map = make_map
333 from server.config.commands import commands_db
334 commands_db["THINGS_HERE"] = (2, True, lambda x, y: None)
335 commands_db["ai"] = (0, False, command_ai)
336 commands_db["move"] = (1, False, play_move)
337 commands_db["wait"] = (0, False, play_wait)
338 commands_db["drop"] = (0, False, play_drop)
339 commands_db["drink"] = (0, False, play_drink)
340 commands_db["pee"] = (0, False, play_pee)
341 commands_db["use"] = (1, False, lambda x: None)
342 commands_db["pickup"] = (0, False, lambda: None)
343 commands_db["T_BOWEL"] = (1, False, setter("Thing", "T_BOWEL", 0, 255))
344 commands_db["T_BLADDER"] = (1, False, setter("Thing", "T_BLADDER", 0, 255))
345 commands_db["WETMAP"] = (2, False, wetmapset)
346 from server.actions import actor_wait
347 import server.config.actions
348 server.config.actions.action_db = {
349     "actor_wait": actor_wait,
350     "actor_move": actor_move,
351     "actor_drop": actor_drop,
352     "actor_drink": actor_drink,
353     "actor_pee": actor_pee,
354 }
355
356 strong_write(io_db["file_out"], "PLUGIN TheCrawlingEater\n")