home · contact · privacy
Server: Simplify code.
[plomrogue] / server / ai.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 eat_vs_hunger_threshold(thingtype):
10     """Return satiation cost of eating for type. Good food for it must be >."""
11     from server.world import hunger_per_turn
12     hunger_unit = hunger_per_turn(thingtype)
13     actiontype = [id for id in world_db["ThingActions"]
14                if world_db["ThingActions"][id]["TA_NAME"] == "use"][0]
15     return world_db["ThingActions"][actiontype]["TA_EFFORT"] * hunger_unit
16
17
18 def get_dir_to_target(t, filter):
19     """Try to set T_COMMAND/T_ARGUMENT for move to "filter"-determined target.
20
21     The path-wise nearest target is chosen, via the shortest available path.
22     Target must not be t. On succcess, return positive value, else False.
23     Filters:
24     "a": Thing in FOV is animate, but of ThingType, starts out weaker than t
25          is, and its corpse would be healthy food for t
26     "f": move away from an enemy – any visible actor whose thing type has more
27          TT_LIFEPOINTS than t LIFEPOINTS, and might find t's corpse healthy
28          food – if it is closer than n steps, where n will shrink as t's hunger
29          grows; if enemy is too close, move towards (attack) the enemy instead;
30          if no fleeing is possible, nor attacking useful, wait; don't tread on
31          non-enemies for fleeing
32     "c": Thing in memorized map is consumable of sufficient nutrition for t
33     "s": memory map cell with greatest-reachable degree of unexploredness
34     """
35     from server.utils import rand, libpr, c_pointer_to_bytearray
36     from server.config.world_data import symbols_passable
37
38     def zero_score_map_where_char_on_memdepthmap(c):
39         # OUTSOURCED FOR PERFORMANCE REASONS TO libplomrogue.so:
40         # for i in [i for i in range(world_db["MAP_LENGTH"] ** 2)
41         #           if t["T_MEMDEPTHMAP"][i] == mem_depth_c[0]]:
42         #     set_map_score(i, 0)
43         map = c_pointer_to_bytearray(t["T_MEMDEPTHMAP"])
44         if libpr.zero_score_map_where_char_on_memdepthmap(c, map):
45             raise RuntimeError("No score map allocated for "
46                                "zero_score_map_where_char_on_memdepthmap().")
47
48     def set_map_score(pos, score):
49         test = libpr.set_map_score(pos, score)
50         if test:
51             raise RuntimeError("No score map allocated for set_map_score().")
52
53     def get_map_score(pos):
54         result = libpr.get_map_score(pos)
55         if result < 0:
56             raise RuntimeError("No score map allocated for get_map_score().")
57         return result
58
59     def animates_in_fov(maplength):
60         return [Thing for Thing in world_db["Things"].values()
61                 if Thing["T_LIFEPOINTS"] and not Thing["carried"]
62                    and not Thing == t and 118 == t["fovmap"][Thing["T_POSY"] *
63                    maplength + Thing["T_POSX"]]]
64
65     def good_attack_target(v):
66         eat_cost = eat_vs_hunger_threshold(t["T_TYPE"])
67         type = world_db["ThingTypes"][v["T_TYPE"]]
68         type_corpse = world_db["ThingTypes"][type["TT_CORPSE_ID"]]
69         if t["T_LIFEPOINTS"] > type["TT_LIFEPOINTS"] \
70         and type_corpse["TT_TOOL"] == "food" \
71         and type_corpse["TT_TOOLPOWER"] > eat_cost:
72             return True
73         return False
74
75     def good_flee_target(m):
76         own_corpse_id = world_db["ThingTypes"][t["T_TYPE"]]["TT_CORPSE_ID"]
77         corpse_type = world_db["ThingTypes"][own_corpse_id]
78         targetness = 0 if corpse_type["TT_TOOL"] != "food" \
79                        else corpse_type["TT_TOOLPOWER"]
80         type = world_db["ThingTypes"][m["T_TYPE"]]
81         if t["T_LIFEPOINTS"] < type["TT_LIFEPOINTS"] \
82         and targetness > eat_vs_hunger_threshold(m["T_TYPE"]):
83             return True
84         return False
85
86     def seeing_thing():
87         def exists(gen):
88             try:
89                 next(gen)
90             except StopIteration:
91                 return False
92             return True
93         maplength = world_db["MAP_LENGTH"]
94         if t["fovmap"] and "a" == filter:
95             return exists(Thing for Thing in animates_in_fov(maplength)
96                                 if good_attack_target(Thing))
97         elif t["fovmap"] and "f" == filter:
98             return exists(Thing for Thing in animates_in_fov(maplength)
99                                 if good_flee_target(Thing))
100         elif t["T_MEMMAP"] and "c" == filter:
101             eat_cost = eat_vs_hunger_threshold(t["T_TYPE"])
102             ord_blank = ord(" ")
103             map_len = world_db["MAP_LENGTH"]
104             return exists(mt for mt in t["T_MEMTHING"]
105                           if ord_blank != t["T_MEMMAP"][mt[1] * map_len + mt[2]]
106                           and world_db["ThingTypes"][mt[0]]["TT_TOOL"] == "food"
107                           and world_db["ThingTypes"][mt[0]]["TT_TOOLPOWER"]
108                              > eat_cost)
109         return False
110
111     def set_cells_passable_on_memmap_to_65534_on_scoremap():
112         # OUTSOURCED FOR PERFORMANCE REASONS TO libplomrogue.so:
113         # memmap = t["T_MEMMAP"]
114         # for i in [i for i in range(world_db["MAP_LENGTH"] ** 2)
115         #            if memmap[i] in symbols_passable]:
116         #     set_map_score(i, 65534) # i.e. 65535-1
117         map = c_pointer_to_bytearray(t["T_MEMMAP"])
118         if libpr.set_cells_passable_on_memmap_to_65534_on_scoremap(map,
119                     symbols_passable):
120             raise RuntimeError("No score map allocated for set_cells_passable"
121                                "_on_memmap_to_65534_on_scoremap().")
122
123     def init_score_map():
124         test = libpr.init_score_map()
125         if test:
126             raise RuntimeError("Malloc error in init_score_map().")
127         ord_v = ord("v")
128         ord_blank = ord(" ")
129         set_cells_passable_on_memmap_to_65534_on_scoremap()
130         maplen = world_db["MAP_LENGTH"]
131         if "a" == filter:
132             [set_map_score(Thing["T_POSY"] * maplen + Thing["T_POSX"], 0) for
133              Thing in animates_in_fov(maplen) if good_attack_target(Thing)]
134         elif "f" == filter:
135             [set_map_score(Thing["T_POSY"] * maplen + Thing["T_POSX"], 0) for
136              Thing in animates_in_fov(maplen) if good_flee_target(Thing)]
137         elif "c" == filter:
138             eat_cost = eat_vs_hunger_threshold(t["T_TYPE"])
139             ord_blank = ord(" ")
140             [set_map_score(mt[1] * maplen + mt[2], 0)
141              for mt in t["T_MEMTHING"]
142              if ord_blank != t["T_MEMMAP"][mt[1] * maplen + mt[2]]
143              if t != world_db["Things"][0] or
144                 (world_db["ThingTypes"][mt[0]]["TT_TOOL"] == "food" and
145                  world_db["ThingTypes"][mt[0]]["TT_TOOLPOWER"] > eat_cost)]
146         elif "s" == filter:
147             zero_score_map_where_char_on_memdepthmap(mem_depth_c[0])
148         if "f" == filter:
149             [set_map_score(Thing["T_POSY"] * maplen + Thing["T_POSX"], 65535)
150              for Thing in animates_in_fov(maplen) if get_map_score(
151               Thing["T_POSY"] * maplen + Thing["T_POSX"])]
152         elif "a" != filter:
153             [set_map_score(Thing["T_POSY"] * maplen + Thing["T_POSX"],
154              65535) for Thing in animates_in_fov(maplen)]
155
156     def rand_target_dir(neighbors, cmp, dirs):
157         candidates = []
158         n_candidates = 0
159         for i in range(len(dirs)):
160             if cmp == neighbors[i]:
161                 candidates.append(dirs[i])
162                 n_candidates += 1
163         return candidates[rand.next() % n_candidates] if n_candidates else 0
164
165     def get_neighbor_scores(dirs, eye_pos):
166         scores = []
167         if libpr.ready_neighbor_scores(eye_pos):
168             raise RuntimeError("No score map allocated for " +
169                                "ready_neighbor_scores.()")
170         for i in range(len(dirs)):
171             scores.append(libpr.get_neighbor_score(i))
172         return scores
173
174     def get_dir_from_neighbors():
175         import math
176         dir_to_target = False
177         dirs = "edcxsw"
178         eye_pos = t["T_POSY"] * world_db["MAP_LENGTH"] + t["T_POSX"]
179         neighbors = get_neighbor_scores(dirs, eye_pos)
180         minmax_start = 0 if "f" == filter else 65535 - 1
181         minmax_neighbor = minmax_start
182         for i in range(len(dirs)):
183             if ("f" == filter and get_map_score(eye_pos) < neighbors[i] and
184                 minmax_neighbor < neighbors[i] and 65535 != neighbors[i]) \
185                or ("f" != filter and minmax_neighbor > neighbors[i]):
186                 minmax_neighbor = neighbors[i]
187         if minmax_neighbor != minmax_start:
188             dir_to_target = rand_target_dir(neighbors, minmax_neighbor, dirs)
189         if "f" == filter:
190             distance = get_map_score(eye_pos)
191             fear_distance = world_db["MAP_LENGTH"]
192             if t["T_SATIATION"] < 0 and math.sqrt(-t["T_SATIATION"]) > 0:
193                 fear_distance = fear_distance / math.sqrt(-t["T_SATIATION"])
194             attack_distance = 1
195             if not dir_to_target:
196                 if attack_distance >= distance:
197                     dir_to_target = rand_target_dir(neighbors,
198                                                     distance - 1, dirs)
199                 elif fear_distance >= distance:
200                     t["T_COMMAND"] = [id for id in world_db["ThingActions"]
201                                       if
202                                       world_db["ThingActions"][id]["TA_NAME"]
203                                       == "wait"][0]
204                     return 1
205             elif dir_to_target and fear_distance < distance:
206                 dir_to_target = 0
207         return dir_to_target
208
209     dir_to_target = False
210     mem_depth_c = b' '
211     run_i = 9 + 1 if "s" == filter else 1
212     while run_i and not dir_to_target and ("s" == filter or seeing_thing()):
213         run_i -= 1
214         init_score_map()
215         mem_depth_c = b'9' if b' ' == mem_depth_c \
216             else bytes([mem_depth_c[0] - 1])
217         if libpr.dijkstra_map():
218             raise RuntimeError("No score map allocated for dijkstra_map().")
219         dir_to_target = get_dir_from_neighbors()
220         libpr.free_score_map()
221         if dir_to_target and str == type(dir_to_target):
222             t["T_COMMAND"] = [id for id in world_db["ThingActions"]
223                               if world_db["ThingActions"][id]["TA_NAME"]
224                               == "move"][0]
225             t["T_ARGUMENT"] = ord(dir_to_target)
226     return dir_to_target
227
228
229 def standing_on_food(t):
230     """Return True/False whether t is standing on healthy consumable."""
231     eat_cost = eat_vs_hunger_threshold(t["T_TYPE"])
232     for id in [id for id in world_db["Things"] if world_db["Things"][id] != t
233                if not world_db["Things"][id]["carried"]
234                if world_db["Things"][id]["T_POSY"] == t["T_POSY"]
235                if world_db["Things"][id]["T_POSX"] == t["T_POSX"]
236                if world_db["ThingTypes"][world_db["Things"][id]["T_TYPE"]]
237                   ["TT_TOOL"] == "food"
238                if world_db["ThingTypes"][world_db["Things"][id]["T_TYPE"]]
239                   ["TT_TOOLPOWER"] > eat_cost]:
240         return True
241     return False
242
243
244 def get_inventory_slot_to_consume(t):
245     """Return invent. slot of healthiest consumable(if any healthy),else -1."""
246     cmp_food = -1
247     selection = -1
248     i = 0
249     eat_cost = eat_vs_hunger_threshold(t["T_TYPE"])
250     for id in t["T_CARRIES"]:
251         type = world_db["Things"][id]["T_TYPE"]
252         if world_db["ThingTypes"][type]["TT_TOOL"] == "food" \
253            and world_db["ThingTypes"][type]["TT_TOOLPOWER"]:
254             nutvalue = world_db["ThingTypes"][type]["TT_TOOLPOWER"]
255             tmp_cmp = abs(t["T_SATIATION"] + nutvalue - eat_cost)
256             if (cmp_food < 0 and tmp_cmp < abs(t["T_SATIATION"])) \
257             or tmp_cmp < cmp_food:
258                 cmp_food = tmp_cmp
259                 selection = i
260         i += 1
261     return selection
262
263
264 def ai(t):
265     """Determine next command/argment for actor t via AI algorithms."""
266     t["T_COMMAND"] = [id for id in world_db["ThingActions"]
267                       if world_db["ThingActions"][id]["TA_NAME"] == "wait"][0]
268     eating = len([id for id in world_db["ThingActions"]
269                   if world_db["ThingActions"][id]["TA_NAME"] == "use"]) > 0
270     picking = len([id for id in world_db["ThingActions"]
271                    if world_db["ThingActions"][id]["TA_NAME"] == "pickup"]) > 0
272     if eating and picking:
273         if get_dir_to_target(t, "f"):
274             return
275         sel = get_inventory_slot_to_consume(t)
276         from server.config.ai import ai_hook_pickup_test
277         if -1 != sel:
278             t["T_COMMAND"] = [id for id in world_db["ThingActions"]
279                               if world_db["ThingActions"][id]["TA_NAME"]
280                                  == "use"][0]
281             t["T_ARGUMENT"] = sel
282         elif standing_on_food(t) and ai_hook_pickup_test(t):
283                 t["T_COMMAND"] = [id for id in world_db["ThingActions"]
284                                   if world_db["ThingActions"][id]["TA_NAME"]
285                                   == "pickup"][0]
286         else:
287             going_to_known_food_spot = get_dir_to_target(t, "c")
288             if not going_to_known_food_spot:
289                 aiming_for_walking_food = get_dir_to_target(t, "a")
290                 if not aiming_for_walking_food:
291                     get_dir_to_target(t, "s")