Replaced magic constants by an enum.
[libfirm] / scripts / gen_ir.py
1 #!/usr/bin/env python
2 import sys
3 import re
4 from jinja2 import Environment, Template
5 from jinja2.filters import do_dictsort
6 from spec_util import is_dynamic_pinned, verify_node, isAbstract, setdefault
7 from ir_spec import nodes
8
9 def format_parameterlist(parameterlist):
10         return "\n".join(parameterlist)
11
12 def format_nodearguments(node):
13         arguments = map(lambda arg: arg["name"], node.arguments)
14         return format_parameterlist(arguments)
15
16 def format_nodeparameters(node):
17         parameters = map(lambda arg: arg["type"] + " " + arg["name"], node.arguments)
18         return format_parameterlist(parameters)
19
20 def format_blockparameter(node):
21         if hasattr(node, "knownBlock"):
22                 if hasattr(node, "knownGraph"):
23                         return ""
24                 return "ir_graph *irg"
25         else:
26                 return "ir_node *block"
27
28 def format_blockargument(node):
29         if hasattr(node, "knownBlock"):
30                 if hasattr(node, "knownGraph"):
31                         return ""
32                 return "irg"
33         else:
34                 return "block"
35
36 def format_irgassign(node):
37         if hasattr(node, "knownGraph"):
38                 return "ir_graph *irg = %s;\n" % node.graph
39
40         if hasattr(node, "knownBlock"):
41                 return ""
42         else:
43                 return "ir_graph *irg = get_Block_irg(block);\n"
44
45 def format_curblock(node):
46         if hasattr(node, "knownBlock"):
47                 if hasattr(node, "knownGraph"):
48                         return ""
49                 return "current_ir_graph"
50         else:
51                 return "current_ir_graph->current_block"
52
53 def format_insdecl(node):
54         arity = node.arity
55         if arity == "variable" and len(node.ins) == 0 or arity == "dynamic" or arity == 0:
56                 return ""
57
58         if arity == "variable":
59                 insarity = len(node.ins)
60                 res  = "int r_arity = arity + " + `insarity` + ";"
61                 res += "\n\tir_node **r_in;"
62                 res += "\n\tNEW_ARR_A(ir_node *, r_in, r_arity);"
63                 i = 0
64                 for input in node.ins:
65                         res += "\n\tr_in[" + `i` + "] = irn_" + input + ";"
66                         i += 1
67                 res += "\n\tmemcpy(&r_in[" + `insarity` + "], in, sizeof(ir_node *) * arity);\n\t"
68         else:
69                 res = "ir_node *in[" + `arity` + "];"
70                 i = 0
71                 for input in node.ins:
72                         res += "\n\tin[" + `i` + "] = irn_" + input + ";"
73                         i += 1
74         return res
75
76 def format_arity_and_ins(node):
77         arity = node.arity
78         if arity == "dynamic":
79                 return "-1, NULL"
80         elif arity == "variable":
81                 if len(node.ins) == 0:
82                         return "arity, in"
83                 else:
84                         return "r_arity, r_in"
85         elif arity == 0:
86                 return "0, NULL"
87         else:
88                 return `arity` + ", in"
89
90 def format_arity(node):
91         if hasattr(node, "arity_override"):
92                 return node.arity_override
93         arity = node.arity
94         if arity == "dynamic":
95                 return "oparity_dynamic"
96         if arity == "variable":
97                 return "oparity_variable"
98         if arity == 0:
99                 return "oparity_zero"
100         if arity == 1:
101                 return "oparity_unary"
102         if arity == 2:
103                 return "oparity_binary"
104         if arity == 3:
105                 return "oparity_trinary"
106         return "oparity_any"
107
108 def format_pinned(node):
109         pinned = node.pinned
110         if pinned == "yes":
111                 return "op_pin_state_pinned"
112         if pinned == "no":
113                 return "op_pin_state_floats"
114         if pinned == "exception":
115                 return "op_pin_state_exc_pinned"
116         if pinned == "memory":
117                 return "op_pin_state_mem_pinned"
118         print "WARNING: Unknown pinned state %s in format pined" % pinned
119         return ""
120
121 def format_flags(node):
122         flags = map(lambda x : "irop_flag_" + x, node.flags)
123         if flags == []:
124                 flags = [ "irop_flag_none" ]
125         return " | ".join(flags)
126
127 def format_attr_size(node):
128         if not hasattr(node, "attr_struct"):
129                 return "0"
130         return "sizeof(%s)" % node.attr_struct
131
132 def format_opindex(node):
133         if hasattr(node, "op_index"):
134                 return node.op_index
135         return "-1"
136
137 keywords = frozenset([ "true", "false" ])
138 def format_escape_keywords(word):
139         if word in keywords:
140                 return word + "_"
141         return word
142
143 def filter_isnot(list, flag):
144         return filter(lambda x: not hasattr(x, flag), list)
145
146 def filter_hasnot(list, flag):
147         return filter(lambda x: flag not in x, list)
148
149 def format_arguments(string, voidwhenempty = False):
150         args = re.split('\s*\n\s*', string)
151         if args[0] == '':
152                 args = args[1:]
153         if len(args) > 0 and args[-1] == '':
154                 args = args[:-1]
155         if len(args) == 0 and voidwhenempty:
156                 return "void"
157         return ", ".join(args)
158
159 def format_parameters(string):
160         return format_arguments(string, voidwhenempty = True)
161
162 env = Environment()
163 env.filters['parameterlist']   = format_parameterlist
164 env.filters['nodearguments']   = format_nodearguments
165 env.filters['nodeparameters']  = format_nodeparameters
166 env.filters['blockparameter']  = format_blockparameter
167 env.filters['blockargument']   = format_blockargument
168 env.filters['irgassign']       = format_irgassign
169 env.filters['curblock']        = format_curblock
170 env.filters['insdecl']         = format_insdecl
171 env.filters['arity_and_ins']   = format_arity_and_ins
172 env.filters['arity']           = format_arity
173 env.filters['pinned']          = format_pinned
174 env.filters['flags']           = format_flags
175 env.filters['attr_size']       = format_attr_size
176 env.filters['opindex']         = format_opindex
177 env.filters['isnot']           = filter_isnot
178 env.filters['hasnot']          = filter_hasnot
179 env.filters['arguments']       = format_arguments
180 env.filters['parameters']      = format_parameters
181 env.filters['escape_keywords'] = format_escape_keywords
182
183 def prepare_attr(attr):
184         if "init" in attr:
185                 return dict(type = attr["type"], name = attr["name"], init = attr["init"])
186         else:
187                 return dict(type = attr["type"], name = attr["name"])
188
189 def preprocess_node(node):
190         verify_node(node)
191
192         setdefault(node, "attrs_name", node.name.lower())
193         setdefault(node, "block", "block")
194
195         # construct node arguments
196         arguments = [ ]
197         initattrs = [ ]
198         specialconstrs = [ ]
199         for input in node.ins:
200                 arguments.append(dict(type = "ir_node *", name = "irn_" + input))
201
202         if node.arity == "variable" or node.arity == "dynamic":
203                 arguments.append(dict(type = "int", name = "arity"))
204                 arguments.append(dict(type = "ir_node **", name = "in"))
205
206         if not hasattr(node, "mode"):
207                 arguments.append(dict(type = "ir_mode *", name = "mode"))
208                 node.mode = "mode"
209
210         attrs_with_special = 0
211         for attr in node.attrs:
212                 attr.setdefault("initname", "." + attr["name"])
213
214                 if "special" in attr:
215                         if not "init" in attr:
216                                 print "Node type %s has an attribute with a \"special\" entry but without \"init\"" % node.name
217                                 sys.exit(1)
218
219                         if attrs_with_special != 0:
220                                 print "Node type %s has more than one attribute with a \"special\" entry" % node.name
221                                 sys.exit(1)
222
223                         attrs_with_special += 1
224
225                         if "prefix" in attr["special"]:
226                                 specialname = attr["special"]["prefix"] + node.name
227                         elif "suffix" in attr["special"]:
228                                 specialname = node.name + attr["special"]["suffix"]
229                         else:
230                                 print "Unknown special constructor type for node type %s" % node.name
231                                 sys.exit(1)
232
233                         specialconstrs.append(
234                                 dict(
235                                         constrname = specialname,
236                                         attr = attr
237                                 )
238                         )
239                 elif not "init" in attr:
240                         arguments.append(prepare_attr(attr))
241
242         # dynamic pin state means more constructor arguments
243         if is_dynamic_pinned(node):
244                 if hasattr(node, "pinned_init"):
245                         initattrs.append(dict(
246                                 initname = ".exc.pin_state",
247                                 init     = node.pinned_init
248                         ))
249                 else:
250                         node.constructor_args.append(
251                                 dict(
252                                         name = "pin_state",
253                                         type = "op_pin_state"
254                                 )
255                         )
256                         initattrs.append(dict(
257                                 initname = ".exc.pin_state",
258                                 init     = "pin_state"
259                         ))
260
261         for arg in node.constructor_args:
262                 arguments.append(prepare_attr(arg))
263                 if arg["type"] == "ir_cons_flags":
264                         name = arg["name"]
265                         initattrs.append(dict(initname = ".exc.pin_state",
266                                 init = name + " & cons_floats ? op_pin_state_floats : op_pin_state_pinned"))
267                         initattrs.append(dict(initname = ".volatility",
268                                 init = name + " & cons_volatile ? volatility_is_volatile : volatility_non_volatile"))
269                         initattrs.append(dict(initname = ".aligned",
270                                 init = name + " & cons_unaligned ? align_non_aligned : align_is_aligned"))
271
272         node.arguments = arguments
273         node.initattrs = initattrs
274         node.special_constructors = specialconstrs
275
276 #############################
277
278 constructor_template = env.from_string('''
279
280 ir_node *new_rd_{{node.constrname}}(
281         {%- filter parameters %}
282                 dbg_info *dbgi
283                 {{node|blockparameter}}
284                 {{node|nodeparameters}}
285         {% endfilter %})
286 {
287         ir_node *res;
288         {%- if node.arity == "dynamic" %}
289         int      i;
290         {%- endif %}
291         {{node|irgassign}}
292         {{node|insdecl}}
293
294         res = new_ir_node(
295                 {%- filter arguments %}
296                         dbgi
297                         irg
298                         {{node.block}}
299                         op_{{node.name}}
300                         {{node.mode}}
301                         {{node|arity_and_ins}}
302                 {% endfilter %});
303         {%- if node.arity == "dynamic" %}
304         for (i = 0; i < arity; ++i) {
305                 add_irn_n(res, in[i]);
306         }
307         {%- endif %}
308         {%- for attr in node.attrs %}
309         res->attr.{{node.attrs_name}}{{attr["initname"]}} =
310                 {%- if "init" in attr %} {{ attr["init"] -}};
311                 {%- else              %} {{ attr["name"] -}};
312                 {%- endif %}
313         {%- endfor %}
314         {%- for attr in node.initattrs %}
315         res->attr.{{node.attrs_name}}{{attr["initname"]}} = {{ attr["init"] -}};
316         {%- endfor %}
317         {{- node.init }}
318         res = optimize_node(res);
319         irn_verify_irg(res, irg);
320         return res;
321 }
322
323 ir_node *new_r_{{node.constrname}}(
324                 {%- filter parameters %}
325                         {{node|blockparameter}}
326                         {{node|nodeparameters}}
327                 {% endfilter %})
328 {
329         return new_rd_{{node.constrname}}(
330                 {%- filter arguments %}
331                         NULL
332                         {{node|blockargument}}
333                         {{node|nodearguments}}
334                 {% endfilter %});
335 }
336
337 ir_node *new_d_{{node.constrname}}(
338                 {%- filter parameters %}
339                         dbg_info *dbgi
340                         {{node|nodeparameters}}
341                 {% endfilter %})
342 {
343         ir_node *res;
344         assert(get_irg_phase_state(current_ir_graph) == phase_building);
345         res = new_rd_{{node.constrname}}(
346                 {%- filter parameters %}
347                         dbgi
348                         {{node|curblock}}
349                         {{node|nodearguments}}
350                 {% endfilter %});
351         return res;
352 }
353
354 ir_node *new_{{node.constrname}}(
355                 {%- filter parameters %}
356                         {{node|nodeparameters}}
357                 {% endfilter %})
358 {
359         return new_d_{{node.constrname}}(
360                 {%- filter arguments %}
361                         NULL
362                         {{node|nodearguments}}
363                 {% endfilter %});
364 }
365 ''')
366
367 irnode_h_template = env.from_string('''
368 /* Warning: automatically generated code */
369
370 {%- for node in nodes|isnot('custom_is') %}
371 static inline int _is_{{node.name}}(const ir_node *node)
372 {
373         assert(node != NULL);
374         return _get_irn_op(node) == op_{{node.name}};
375 }
376 {%- endfor -%}
377
378 {% for node in nodes %}
379 #define is_{{node.name}}(node)    _is_{{node.name}}(node)
380 {%- endfor %}
381
382 ''')
383
384 irnode_template = env.from_string('''
385 /* Warning: automatically generated code */
386 {% for node in nodes %}
387 int (is_{{node.name}})(const ir_node *node)
388 {
389         return _is_{{node.name}}(node);
390 }
391 {% endfor %}
392
393 {%- for node in nodes %}
394 {%- for attr in node.attrs|hasnot("noprop") %}
395 {{attr.type}} (get_{{node.name}}_{{attr.name}})(const ir_node *node)
396 {
397         assert(is_{{node.name}}(node));
398         return node->attr.{{node.attrs_name}}.{{attr.name}};
399 }
400
401 void (set_{{node.name}}_{{attr.name}})(ir_node *node, {{attr.type}} {{attr.name}})
402 {
403         assert(is_{{node.name}}(node));
404         node->attr.{{node.attrs_name}}.{{attr.name}} = {{attr.name}};
405 }
406 {% endfor -%}
407 {% endfor -%}
408
409 {%- for node in nodes %}
410 {%- for in in node.ins %}
411 ir_node *(get_{{node.name}}_{{in}})(const ir_node *node)
412 {
413         assert(is_{{node.name}}(node));
414         return get_irn_n(node, {{node.ins.index(in)}});
415 }
416
417 void (set_{{node.name}}_{{in}})(ir_node *node, ir_node *{{in|escape_keywords}})
418 {
419         assert(is_{{node.name}}(node));
420         set_irn_n(node, {{node.ins.index(in)}}, {{in|escape_keywords}});
421 }
422 {% endfor %}
423 {% endfor %}
424 ''')
425
426 irop_template = env.from_string('''
427 /* Warning: automatically generated code */
428 {% for node in nodes %}
429 ir_op *op_{{node.name}}; ir_op *get_op_{{node.name}}(void) { return op_{{node.name}}; }
430 {%- endfor %}
431
432 void init_op(void)
433 {
434         {% for node in nodes %}
435         op_{{node.name}} = new_ir_op(
436                 {%- filter arguments %}
437                         iro_{{node.name}}
438                         "{{node.name}}"
439                         {{node|pinned}}
440                         {{node|flags}}
441                         {{node|arity}}
442                         {{node|opindex}}
443                         {{node|attr_size}}
444                         NULL
445                 {% endfilter %});
446         {%- endfor %}
447
448         be_init_op();
449 }
450
451 void finish_op(void)
452 {
453         {% for node in nodes %}
454         free_ir_op(op_{{node.name}}); op_{{node.name}} = NULL;
455         {%- endfor %}
456 }
457
458 ''')
459
460 nodeops_h_template = env.from_string('''
461 /* Warning: automatically generated code */
462 #ifndef FIRM_IR_NODEOPS_H
463 #define FIRM_IR_NODEOPS_H
464
465 #include "firm_types.h"
466
467 /**
468  * @addtogroup ir_node
469  * @{
470  */
471
472 {% for node in nodes -%}
473 {% if node.outs %}
474 /**
475  * Projection numbers for result of {{node.name}} node (use for Proj nodes)
476  */
477 typedef enum {
478         {% for out in node.outs -%}
479         pn_{{node.name}}_{{out[0]}}
480         {%- if out.__len__() > 2 %} = {{out[2]}}{% endif %}, /**< {{out[1]}} */
481         {% endfor -%}
482         pn_{{node.name}}_max
483 } pn_{{node.name}};
484 {% endif %}
485 {%- endfor %}
486
487 {% for node in nodes %}
488 /** Return true of the node is a {{node.name}} node. */
489 FIRM_API int is_{{node.name}}(const ir_node *node);
490 {%- endfor %}
491
492 {% for node in nodes %}
493 {% for in in node.ins -%}
494 FIRM_API ir_node *get_{{node.name}}_{{in}}(const ir_node *node);
495 void set_{{node.name}}_{{in}}(ir_node *node, ir_node *{{in|escape_keywords}});
496 {% endfor -%}
497 {% for attr in node.attrs|hasnot("noprop") -%}
498 FIRM_API {{attr.type}} get_{{node.name}}_{{attr.name}}(const ir_node *node);
499 FIRM_API void set_{{node.name}}_{{attr.name}}(ir_node *node, {{attr.type}} {{attr.name}});
500 {% endfor -%}
501 {% endfor -%}
502
503 /** @} */
504
505 #endif
506 ''')
507
508 opcodes_h_template = env.from_string('''
509 /* Warning: automatically generated code */
510 #ifndef FIRM_IR_OPCODES_H
511 #define FIRM_IR_OPCODES_H
512
513 /** The opcodes of the libFirm predefined operations. */
514 typedef enum ir_opcode {
515 {%- for node in nodes %}
516         iro_{{node.name}},
517 {%- endfor %}
518         iro_First = iro_{{nodes[0].name}},
519         iro_Last = iro_{{nodes[-1].name}},
520
521         beo_First,
522         /* backend specific nodes */
523         beo_Spill = beo_First,
524         beo_Reload,
525         beo_Perm,
526         beo_MemPerm,
527         beo_Copy,
528         beo_Keep,
529         beo_CopyKeep,
530         beo_Call,
531         beo_Return,
532         beo_AddSP,
533         beo_SubSP,
534         beo_IncSP,
535         beo_Start,
536         beo_FrameAddr,
537         beo_Barrier,
538         /* last backend node number */
539         beo_Last = beo_Barrier,
540         iro_MaxOpcode
541 } ir_opcode;
542
543 {% for node in nodes %}
544 FIRM_API ir_op *op_{{node.name}};
545 {%- endfor %}
546
547 {% for node in nodes %}
548 FIRM_API ir_op *get_op_{{node.name}}(void);
549 {%- endfor %}
550
551 #endif
552 ''')
553
554 #############################
555
556 def prepare_nodes():
557         real_nodes = []
558         for node in nodes:
559                 if isAbstract(node):
560                         continue
561                 real_nodes.append(node)
562
563         for node in real_nodes:
564                 preprocess_node(node)
565
566         return real_nodes
567
568 def main(argv):
569         if len(argv) < 3:
570                 print "usage: %s specname(ignored) destdirectory" % argv[0]
571                 sys.exit(1)
572
573         gendir = argv[2]
574         # hardcoded path to libfirm/include/libfirm
575         gendir2 = argv[2] + "/../../include/libfirm"
576
577         # List of TODOs
578         niymap = [ "ASM", "Const", "Phi", "SymConst" ]
579
580         real_nodes = prepare_nodes()
581         file = open(gendir + "/gen_ir_cons.c.inl", "w")
582         for node in real_nodes:
583                 if node.name in niymap:
584                         continue
585
586                 if not isAbstract(node) and not hasattr(node, "noconstructor"):
587                         file.write(constructor_template.render(vars()))
588
589                         if hasattr(node, "special_constructors"):
590                                 for special in node.special_constructors:
591                                         node.constrname = special["constrname"]
592                                         special["attr"]["init"] = special["attr"]["special"]["init"]
593                                         file.write(constructor_template.render(vars()))
594         file.write("\n")
595         file.close()
596
597         file = open(gendir + "/gen_irnode.h", "w")
598         file.write(irnode_h_template.render(nodes = real_nodes))
599         file.close()
600
601         file = open(gendir + "/gen_irnode.c.inl", "w")
602         file.write(irnode_template.render(nodes = real_nodes))
603         file.close()
604
605         file = open(gendir + "/gen_irop.c.inl", "w")
606         file.write(irop_template.render(nodes = real_nodes))
607         file.close()
608
609         file = open(gendir2 + "/opcodes.h", "w")
610         file.write(opcodes_h_template.render(nodes = real_nodes))
611         file.close()
612
613         file = open(gendir2 + "/nodeops.h", "w")
614         file.write(nodeops_h_template.render(nodes = real_nodes))
615         file.close()
616
617 main(sys.argv)