Remove an unnecessary argument.
[open-adventure.git] / make_dungeon.py
1 #!/usr/bin/env python
2
3 # This is the open-adventure dungeon generator. It consumes a YAML description of
4 # the dungeon and outputs a dungeon.h and dungeon.c pair of C code files.
5 #
6 # The nontrivial part of this is the compilation of the YAML for
7 # movement rules to the travel array that's actually used by
8 # playermove().
9
10 import sys, yaml
11
12 YAML_NAME = "adventure.yaml"
13 H_NAME = "dungeon.h"
14 C_NAME = "dungeon.c"
15 H_TEMPLATE_PATH = "templates/dungeon.h.tpl"
16 C_TEMPLATE_PATH = "templates/dungeon.c.tpl"
17
18 DONOTEDIT_COMMENT = "/* Generated from adventure.yaml - do not hand-hack! */\n\n"
19
20 statedefines = ""
21
22 def make_c_string(string):
23     """Render a Python string into C string literal format."""
24     if string == None:
25         return "NULL"
26     string = string.replace("\n", "\\n")
27     string = string.replace("\t", "\\t")
28     string = string.replace('"', '\\"')
29     string = string.replace("'", "\\'")
30     string = '"' + string + '"'
31     return string
32
33 def get_refs(l):
34     reflist = [x[0] for x in l]
35     ref_str = ""
36     for ref in reflist:
37         ref_str += "    {},\n".format(ref)
38     ref_str = ref_str[:-1] # trim trailing newline
39     return ref_str
40
41 def get_string_group(strings):
42     template = """{{
43             .strs = {},
44             .n = {},
45         }}"""
46     if strings == []:
47         strs = "NULL"
48     else:
49         strs = "(const char* []) {" + ", ".join([make_c_string(s) for s in strings]) + "}"
50     n = len(strings)
51     sg_str = template.format(strs, n)
52     return sg_str
53
54 def get_arbitrary_messages(arb):
55     template = """    {},
56 """
57     arb_str = ""
58     for item in arb:
59         arb_str += template.format(make_c_string(item[1]))
60     arb_str = arb_str[:-1] # trim trailing newline
61     return arb_str
62
63 def get_class_messages(cls):
64     template = """    {{
65         .threshold = {},
66         .message = {},
67     }},
68 """
69     cls_str = ""
70     for item in cls:
71         threshold = item["threshold"]
72         message = make_c_string(item["message"])
73         cls_str += template.format(threshold, message)
74     cls_str = cls_str[:-1] # trim trailing newline
75     return cls_str
76
77 def get_turn_thresholds(trn):
78     template = """    {{
79         .threshold = {},
80         .point_loss = {},
81         .message = {},
82     }},
83 """
84     trn_str = ""
85     for item in trn:
86         threshold = item["threshold"]
87         point_loss = item["point_loss"]
88         message = make_c_string(item["message"])
89         trn_str += template.format(threshold, point_loss, message)
90     trn_str = trn_str[:-1] # trim trailing newline
91     return trn_str
92
93 def get_locations(loc):
94     template = """    {{ // {}: {}
95         .description = {{
96             .small = {},
97             .big = {},
98         }},
99         .sound = {},
100         .loud = {},
101     }},
102 """
103     loc_str = ""
104     for (i, item) in enumerate(loc):
105         short_d = make_c_string(item[1]["description"]["short"])
106         long_d = make_c_string(item[1]["description"]["long"])
107         sound = item[1].get("sound", "SILENT")
108         loud = "true" if item[1].get("loud") else "false"
109         loc_str += template.format(i, item[0], short_d, long_d, sound, loud)
110     loc_str = loc_str[:-1] # trim trailing newline
111     return loc_str
112
113 def get_objects(obj):
114     template = """    {{ // {}: {}
115         .words = {},
116         .inventory = {},
117         .plac = {},
118         .fixd = {},
119         .is_treasure = {},
120         .descriptions = (const char* []) {{
121 {}
122         }},
123         .sounds = (const char* []) {{
124 {}
125         }},
126         .texts = (const char* []) {{
127 {}
128         }},
129         .changes = (const char* []) {{
130 {}
131         }},
132     }},
133 """
134     obj_str = ""
135     for (i, item) in enumerate(obj):
136         attr = item[1]
137         try:
138             words_str = get_string_group(attr["words"])
139         except KeyError:
140             words_str = get_string_group([])
141         i_msg = make_c_string(attr["inventory"])
142         descriptions_str = ""
143         if attr["descriptions"] == None:
144             descriptions_str = " " * 12 + "NULL,"
145         else:
146             labels = []
147             for l_msg in attr["descriptions"]:
148                 descriptions_str += " " * 12 + make_c_string(l_msg) + ",\n"
149             for label in attr.get("states", []):
150                 labels.append(label)
151             descriptions_str = descriptions_str[:-1] # trim trailing newline
152             if labels:
153                 global statedefines
154                 statedefines += "/* States for %s */\n" % item[0]
155                 for (j, label) in enumerate(labels):
156                     statedefines += "#define %s\t%d\n" % (label, j)
157                 statedefines += "\n"
158         sounds_str = ""
159         if attr.get("sounds") == None:
160             sounds_str = " " * 12 + "NULL,"
161         else:
162              for l_msg in attr["sounds"]:
163                  sounds_str += " " * 12 + make_c_string(l_msg) + ",\n"
164              sounds_str = sounds_str[:-1] # trim trailing newline
165         texts_str = ""
166         if attr.get("texts") == None:
167             texts_str = " " * 12 + "NULL,"
168         else:
169              for l_msg in attr["texts"]:
170                  texts_str += " " * 12 + make_c_string(l_msg) + ",\n"
171              texts_str = texts_str[:-1] # trim trailing newline
172         changes_str = ""
173         if attr.get("changes") == None:
174             changes_str = " " * 12 + "NULL,"
175         else:
176              for l_msg in attr["changes"]:
177                  changes_str += " " * 12 + make_c_string(l_msg) + ",\n"
178              changes_str = changes_str[:-1] # trim trailing newline
179         locs = attr.get("locations", ["LOC_NOWHERE", "LOC_NOWHERE"])
180         immovable = attr.get("immovable", False)
181         try:
182             if type(locs) == str:
183                 locs = [locs, -1 if immovable else 0]
184         except IndexError:
185             sys.stderr.write("dungeon: unknown object location in %s\n" % locs)
186             sys.exit(1)
187         treasure = "true" if attr.get("treasure") else "false"
188         obj_str += template.format(i, item[0], words_str, i_msg, locs[0], locs[1], treasure, descriptions_str, sounds_str, texts_str, changes_str)
189     obj_str = obj_str[:-1] # trim trailing newline
190     return obj_str
191
192 def get_obituaries(obit):
193     template = """    {{
194         .query = {},
195         .yes_response = {},
196     }},
197 """
198     obit_str = ""
199     for o in obit:
200         query = make_c_string(o["query"])
201         yes = make_c_string(o["yes_response"])
202         obit_str += template.format(query, yes)
203     obit_str = obit_str[:-1] # trim trailing newline
204     return obit_str
205
206 def get_hints(hnt):
207     template = """    {{
208         .number = {},
209         .penalty = {},
210         .turns = {},
211         .question = {},
212         .hint = {},
213     }},
214 """
215     hnt_str = ""
216     for member in hnt:
217         item = member["hint"]
218         number = item["number"]
219         penalty = item["penalty"]
220         turns = item["turns"]
221         question = make_c_string(item["question"])
222         hint = make_c_string(item["hint"])
223         hnt_str += template.format(number, penalty, turns, question, hint)
224     hnt_str = hnt_str[:-1] # trim trailing newline
225     return hnt_str
226
227 def get_condbits(locations):
228     cnd_str = ""
229     for (name, loc) in locations:
230         conditions = loc["conditions"]
231         hints = loc.get("hints") or []
232         flaglist = []
233         for flag in conditions:
234             if conditions[flag]:
235                 flaglist.append(flag)
236         line = "|".join([("(1<<COND_%s)" % f) for f in flaglist])
237         trail = "|".join([("(1<<COND_H%s)" % f['name']) for f in hints])
238         if trail:
239             line += "|" + trail
240         if line.startswith("|"):
241             line = line[1:]
242         if not line:
243             line = "0"
244         cnd_str += "    " + line + ",\t// " + name + "\n"
245     return cnd_str
246
247 def get_motions(motions):
248     template = """    {{
249         .words = {},
250     }},
251 """
252     mot_str = ""
253     for motion in motions:
254         contents = motion[1]
255         if contents["words"] == None:
256             words_str = get_string_group([])
257         else:
258             words_str = get_string_group(contents["words"])
259         mot_str += template.format(words_str)
260         global ignore
261         if contents.get("oldstyle", True) == False:
262             for word in contents["words"]:
263                 if len(word) == 1:
264                     ignore += word.upper()
265     return mot_str
266
267 def get_actions(actions):
268     template = """    {{
269         .words = {},
270         .message = {},
271         .noaction = {},
272     }},
273 """
274     act_str = ""
275     for action in actions:
276         contents = action[1]
277
278         if contents["words"] == None:
279             words_str = get_string_group([])
280         else:
281             words_str = get_string_group(contents["words"])
282
283         if contents["message"] == None:
284             message = "NULL"
285         else:
286             message = make_c_string(contents["message"])
287
288         if contents.get("noaction") == None:
289             noaction = "false"
290         else:
291             noaction = "true"
292
293         act_str += template.format(words_str, message, noaction)
294         global ignore
295         if contents.get("oldstyle", True) == False:
296             for word in contents["words"]:
297                 if len(word) == 1:
298                     ignore += word.upper()
299     act_str = act_str[:-1] # trim trailing newline
300     return act_str
301
302 def bigdump(arr):
303     out = ""
304     for (i, entry) in enumerate(arr):
305         if i % 10 == 0:
306             if out and out[-1] == ' ':
307                 out = out[:-1]
308             out += "\n    "
309         out += str(arr[i]).lower() + ", "
310     out = out[:-2] + "\n"
311     return out
312
313 def buildtravel(locs, objs):
314     assert len(locs) <= 300
315     assert len(objs) <= 100
316     # THIS CODE IS WAAAY MORE COMPLEX THAN IT NEEDS TO BE.  It's the
317     # result of a massive refactoring exercise that concentrated all
318     # the old nastiness in one spot. It hasn't been finally simplified
319     # because there's no need to do it until one of the assertions
320     # fails. Hint: if you try cleaning this up, the acceptance test is
321     # simple - the output dungeon.c must not change.
322     #
323     # This function first compiles the YAML to a form identical to the
324     # data in section 3 of the old adventure.text file, then a second
325     # stage unpacks that data into the travel array.  Here are the
326     # rules of that intermediate form:
327     #
328     # Each row of data contains a location number (X), a second
329     # location number (Y), and a list of motion numbers (see section 4).
330     # each motion represents a verb which will go to Y if currently at X.
331     # Y, in turn, is interpreted as follows.  Let M=Y/1000, N=Y mod 1000.
332     #           If N<=300       it is the location to go to.
333     #           If 300<N<=500   N-300 is used in a computed goto to
334     #                                   a section of special code.
335     #           If N>500        message N-500 from section 6 is printed,
336     #                                   and he stays wherever he is.
337     # Meanwhile, M specifies the conditions on the motion.
338     #           If M=0          it's unconditional.
339     #           If 0<M<100      it is done with M% probability.
340     #           If M=100        unconditional, but forbidden to dwarves.
341     #           If 100<M<=200   he must be carrying object M-100.
342     #           If 200<M<=300   must be carrying or in same room as M-200.
343     #           If 300<M<=400   game.prop(M % 100) must *not* be 0.
344     #           If 400<M<=500   game.prop(M % 100) must *not* be 1.
345     #           If 500<M<=600   game.prop(M % 100) must *not* be 2, etc.
346     # If the condition (if any) is not met, then the next *different*
347     # "destination" value is used (unless it fails to meet *its* conditions,
348     # in which case the next is found, etc.).  Typically, the next dest will
349     # be for one of the same verbs, so that its only use is as the alternate
350     # destination for those verbs.  For instance:
351     #           15      110022  29      31      34      35      23      43
352     #           15      14      29
353     # This says that, from loc 15, any of the verbs 29, 31, etc., will take
354     # him to 22 if he's carrying object 10, and otherwise will go to 14.
355     #           11      303008  49
356     #           11      9       50
357     # This says that, from 11, 49 takes him to 8 unless game.prop[3]=0, in which
358     # case he goes to 9.  Verb 50 takes him to 9 regardless of game.prop[3].
359     ltravel = []
360     verbmap = {}
361     for i, motion in enumerate(db["motions"]):
362         try:
363             for word in motion[1]["words"]:
364                 verbmap[word.upper()] = i
365         except TypeError:
366             pass
367     def dencode(action, name):
368         "Decode a destination number"
369         if action[0] == "goto":
370             try:
371                 return locnames.index(action[1])
372             except ValueError:
373                 sys.stderr.write("dungeon: unknown location %s in goto clause of %s\n" % (action[1], name))
374         elif action[0] == "special":
375             return 300 + action[1]
376         elif action[0] == "speak":
377             try:
378                 return 500 + msgnames.index(action[1])
379             except ValueError:
380                 sys.stderr.write("dungeon: unknown location %s in carry clause of %s\n" % (cond[1], name))
381         else:
382             print(cond)
383             raise ValueError
384     def cencode(cond, name):
385         if cond is None:
386             return 0
387         elif cond == ["nodwarves"]:
388             return 100
389         elif cond[0] == "pct":
390             return cond[1]
391         elif cond[0] == "carry":
392             try:
393                 return 100 + objnames.index(cond[1])
394             except ValueError:
395                 sys.stderr.write("dungeon: unknown object name %s in carry clause of %s\n" % (cond[1], name))
396                 sys.exit(1)
397         elif cond[0] == "with":
398             try:
399                 return 200 + objnames.index(cond[1])
400             except IndexError:
401                 sys.stderr.write("dungeon: unknown object name %s in with clause of \n" % (cond[1], name))
402                 sys.exit(1)
403         elif cond[0] == "not":
404             try:
405                 obj = objnames.index(cond[1])
406                 if type(cond[2]) == int:
407                     state = cond[2]
408                 elif cond[2] in objs[obj][1].get("states", []):
409                     state = objs[obj][1].get("states").index(cond[2])
410                 else:
411                     for (i, stateclause) in enumerate(objs[obj][1]["descriptions"]):
412                         if type(stateclause) == list:
413                             if stateclause[0] == cond[2]:
414                                 state = i
415                                 break
416                     else:
417                         sys.stderr.write("dungeon: unmatched state symbol %s in not clause of %s\n" % (cond[2], name))
418                         sys.exit(0);
419                 return 300 + obj + 100 * state
420             except ValueError:
421                 sys.stderr.write("dungeon: unknown object name %s in not clause of %s\n" % (cond[1], name))
422                 sys.exit(1)
423         else:
424             print(cond)
425             raise ValueError
426
427     for (i, (name, loc)) in enumerate(locs):
428         if "travel" in loc:
429             for rule in loc["travel"]:
430                 tt = [i]
431                 dest = dencode(rule["action"], name) + 1000 * cencode(rule.get("cond"), name)
432                 tt.append(dest)
433                 tt += [motionnames[verbmap[e]].upper() for e in rule["verbs"]]
434                 if not rule["verbs"]:
435                     tt.append(1)        # Magic dummy entry for null rules
436                 ltravel.append(tuple(tt))
437
438     # At this point the ltravel data is in the Section 3
439     # representation from the FORTRAN version.  Next we perform the
440     # same mapping into wgat used to be the runtime format.
441
442     travel = [[0, "LOC_NOWHERE", 0, 0, 0, 0, 0, 0, "false", "false"]]
443     tkey = [0]
444     oldloc = 0
445     while ltravel:
446         rule = list(ltravel.pop(0))
447         loc = rule.pop(0)
448         newloc = rule.pop(0)
449         if loc != oldloc:
450             tkey.append(len(travel))
451             oldloc = loc 
452         elif travel:
453             travel[-1][-1] = "false" if travel[-1][-1] == "true" else "true" 
454         while rule:
455             cond = newloc // 1000
456             nodwarves = (cond == 100)
457             if cond == 0:
458                 condtype = "cond_goto"
459                 condarg1 = condarg2 = 0
460             elif cond < 100:
461                 condtype = "cond_pct"
462                 condarg1 = cond
463                 condarg2 = 0
464             elif cond == 100:
465                 condtype = "cond_goto"
466                 condarg1 = 100
467                 condarg2 = 0
468             elif cond <= 200:
469                 condtype = "cond_carry"
470                 condarg1 = objnames[cond - 100]
471                 condarg2 = 0
472             elif cond <= 300:
473                 condtype = "cond_with"
474                 condarg1 = objnames[cond - 200]
475                 condarg2 = 0
476             else:
477                 condtype = "cond_not"
478                 condarg1 = cond % 100
479                 condarg2 = (cond - 300) // 100.
480             dest = newloc % 1000
481             if dest <= 300:
482                 desttype = "dest_goto";
483                 destval = locnames[dest]
484             elif dest > 500:
485                 desttype = "dest_speak";
486                 destval = msgnames[dest - 500]
487             else:
488                 desttype = "dest_special";
489                 destval = locnames[dest - 300]
490             travel.append([len(tkey)-1,
491                            locnames[len(tkey)-1],
492                            rule.pop(0),
493                            condtype,
494                            condarg1,
495                            condarg2,
496                            desttype,
497                            destval,
498                            "true" if nodwarves else "false",
499                            "false"])
500         travel[-1][-1] = "true"
501     return (travel, tkey)
502
503 def get_travel(travel):
504     template = """    {{ // from {}: {}
505         .motion = {},
506         .condtype = {},
507         .condarg1 = {},
508         .condarg2 = {},
509         .desttype = {},
510         .destval = {},
511         .nodwarves = {},
512         .stop = {},
513     }},
514 """
515     out = ""
516     for entry in travel:
517         out += template.format(*entry)
518     out = out[:-1] # trim trailing newline
519     return out
520
521 if __name__ == "__main__":
522     with open(YAML_NAME, "r") as f:
523         db = yaml.load(f)
524
525     locnames = [x[0] for x in db["locations"]]
526     msgnames = [el[0] for el in db["arbitrary_messages"]]
527     objnames = [el[0] for el in db["objects"]]
528     motionnames = [el[0] for el in db["motions"]]
529
530     (travel, tkey) = buildtravel(db["locations"],
531                                  db["objects"])
532     ignore = ""
533     try:
534         with open(H_TEMPLATE_PATH, "r") as htf:
535             # read in dungeon.h template
536             h_template = DONOTEDIT_COMMENT + htf.read()
537         with open(C_TEMPLATE_PATH, "r") as ctf:
538             # read in dungeon.c template
539             c_template = DONOTEDIT_COMMENT + ctf.read()
540     except IOError as e:
541         print('ERROR: reading template failed ({})'.format(e.strerror))
542         exit(-1)
543
544     c = c_template.format(
545         h_file             = H_NAME,
546         arbitrary_messages = get_arbitrary_messages(db["arbitrary_messages"]),
547         classes            = get_class_messages(db["classes"]),
548         turn_thresholds    = get_turn_thresholds(db["turn_thresholds"]),
549         locations          = get_locations(db["locations"]),
550         objects            = get_objects(db["objects"]),
551         obituaries         = get_obituaries(db["obituaries"]),
552         hints              = get_hints(db["hints"]),
553         conditions         = get_condbits(db["locations"]),
554         motions            = get_motions(db["motions"]),
555         actions            = get_actions(db["actions"]),
556         tkeys              = bigdump(tkey),
557         travel             = get_travel(travel), 
558         ignore             = ignore
559     )
560
561     # 0-origin index of birds's last song.  Bird should
562     # die after player hears this.
563     deathbird = len(dict(db["objects"])["BIRD"]["sounds"]) - 1
564
565     h = h_template.format(
566         num_locations      = len(db["locations"])-1,
567         num_objects        = len(db["objects"])-1,
568         num_hints          = len(db["hints"]),
569         num_classes        = len(db["classes"])-1,
570         num_deaths         = len(db["obituaries"]),
571         num_thresholds     = len(db["turn_thresholds"]),
572         num_motions        = len(db["motions"]),
573         num_actions        = len(db["actions"]),
574         num_travel         = len(travel),
575         num_keys           = len(tkey),
576         bird_endstate      = deathbird,
577         arbitrary_messages = get_refs(db["arbitrary_messages"]),
578         locations          = get_refs(db["locations"]),
579         objects            = get_refs(db["objects"]),
580         motions            = get_refs(db["motions"]),
581         actions            = get_refs(db["actions"]),
582         state_definitions  = statedefines
583     )
584
585     with open(H_NAME, "w") as hf:
586         hf.write(h)
587
588     with open(C_NAME, "w") as cf:
589         cf.write(c)
590
591 # end