]> Git Repo - qemu.git/blob - scripts/qapi.py
qapi: Fix cgen() for Python older than 2.7
[qemu.git] / scripts / qapi.py
1 #
2 # QAPI helper library
3 #
4 # Copyright IBM, Corp. 2011
5 # Copyright (c) 2013-2015 Red Hat Inc.
6 #
7 # Authors:
8 #  Anthony Liguori <[email protected]>
9 #  Markus Armbruster <[email protected]>
10 #
11 # This work is licensed under the terms of the GNU GPL, version 2.
12 # See the COPYING file in the top-level directory.
13
14 import re
15 from ordereddict import OrderedDict
16 import errno
17 import getopt
18 import os
19 import sys
20 import string
21
22 builtin_types = {
23     'str':      'QTYPE_QSTRING',
24     'int':      'QTYPE_QINT',
25     'number':   'QTYPE_QFLOAT',
26     'bool':     'QTYPE_QBOOL',
27     'int8':     'QTYPE_QINT',
28     'int16':    'QTYPE_QINT',
29     'int32':    'QTYPE_QINT',
30     'int64':    'QTYPE_QINT',
31     'uint8':    'QTYPE_QINT',
32     'uint16':   'QTYPE_QINT',
33     'uint32':   'QTYPE_QINT',
34     'uint64':   'QTYPE_QINT',
35     'size':     'QTYPE_QINT',
36 }
37
38 # Whitelist of commands allowed to return a non-dictionary
39 returns_whitelist = [
40     # From QMP:
41     'human-monitor-command',
42     'query-migrate-cache-size',
43     'query-tpm-models',
44     'query-tpm-types',
45     'ringbuf-read',
46
47     # From QGA:
48     'guest-file-open',
49     'guest-fsfreeze-freeze',
50     'guest-fsfreeze-freeze-list',
51     'guest-fsfreeze-status',
52     'guest-fsfreeze-thaw',
53     'guest-get-time',
54     'guest-set-vcpus',
55     'guest-sync',
56     'guest-sync-delimited',
57
58     # From qapi-schema-test:
59     'user_def_cmd3',
60 ]
61
62 enum_types = []
63 struct_types = []
64 union_types = []
65 events = []
66 all_names = {}
67
68 #
69 # Parsing the schema into expressions
70 #
71
72 def error_path(parent):
73     res = ""
74     while parent:
75         res = ("In file included from %s:%d:\n" % (parent['file'],
76                                                    parent['line'])) + res
77         parent = parent['parent']
78     return res
79
80 class QAPISchemaError(Exception):
81     def __init__(self, schema, msg):
82         self.fname = schema.fname
83         self.msg = msg
84         self.col = 1
85         self.line = schema.line
86         for ch in schema.src[schema.line_pos:schema.pos]:
87             if ch == '\t':
88                 self.col = (self.col + 7) % 8 + 1
89             else:
90                 self.col += 1
91         self.info = schema.incl_info
92
93     def __str__(self):
94         return error_path(self.info) + \
95             "%s:%d:%d: %s" % (self.fname, self.line, self.col, self.msg)
96
97 class QAPIExprError(Exception):
98     def __init__(self, expr_info, msg):
99         self.info = expr_info
100         self.msg = msg
101
102     def __str__(self):
103         return error_path(self.info['parent']) + \
104             "%s:%d: %s" % (self.info['file'], self.info['line'], self.msg)
105
106 class QAPISchema:
107
108     def __init__(self, fp, previously_included = [], incl_info = None):
109         abs_fname = os.path.abspath(fp.name)
110         fname = fp.name
111         self.fname = fname
112         previously_included.append(abs_fname)
113         self.incl_info = incl_info
114         self.src = fp.read()
115         if self.src == '' or self.src[-1] != '\n':
116             self.src += '\n'
117         self.cursor = 0
118         self.line = 1
119         self.line_pos = 0
120         self.exprs = []
121         self.accept()
122
123         while self.tok != None:
124             expr_info = {'file': fname, 'line': self.line,
125                          'parent': self.incl_info}
126             expr = self.get_expr(False)
127             if isinstance(expr, dict) and "include" in expr:
128                 if len(expr) != 1:
129                     raise QAPIExprError(expr_info, "Invalid 'include' directive")
130                 include = expr["include"]
131                 if not isinstance(include, str):
132                     raise QAPIExprError(expr_info,
133                                         'Expected a file name (string), got: %s'
134                                         % include)
135                 incl_abs_fname = os.path.join(os.path.dirname(abs_fname),
136                                               include)
137                 # catch inclusion cycle
138                 inf = expr_info
139                 while inf:
140                     if incl_abs_fname == os.path.abspath(inf['file']):
141                         raise QAPIExprError(expr_info, "Inclusion loop for %s"
142                                             % include)
143                     inf = inf['parent']
144                 # skip multiple include of the same file
145                 if incl_abs_fname in previously_included:
146                     continue
147                 try:
148                     fobj = open(incl_abs_fname, 'r')
149                 except IOError, e:
150                     raise QAPIExprError(expr_info,
151                                         '%s: %s' % (e.strerror, include))
152                 exprs_include = QAPISchema(fobj, previously_included,
153                                            expr_info)
154                 self.exprs.extend(exprs_include.exprs)
155             else:
156                 expr_elem = {'expr': expr,
157                              'info': expr_info}
158                 self.exprs.append(expr_elem)
159
160     def accept(self):
161         while True:
162             self.tok = self.src[self.cursor]
163             self.pos = self.cursor
164             self.cursor += 1
165             self.val = None
166
167             if self.tok == '#':
168                 self.cursor = self.src.find('\n', self.cursor)
169             elif self.tok in ['{', '}', ':', ',', '[', ']']:
170                 return
171             elif self.tok == "'":
172                 string = ''
173                 esc = False
174                 while True:
175                     ch = self.src[self.cursor]
176                     self.cursor += 1
177                     if ch == '\n':
178                         raise QAPISchemaError(self,
179                                               'Missing terminating "\'"')
180                     if esc:
181                         if ch == 'b':
182                             string += '\b'
183                         elif ch == 'f':
184                             string += '\f'
185                         elif ch == 'n':
186                             string += '\n'
187                         elif ch == 'r':
188                             string += '\r'
189                         elif ch == 't':
190                             string += '\t'
191                         elif ch == 'u':
192                             value = 0
193                             for x in range(0, 4):
194                                 ch = self.src[self.cursor]
195                                 self.cursor += 1
196                                 if ch not in "0123456789abcdefABCDEF":
197                                     raise QAPISchemaError(self,
198                                                           '\\u escape needs 4 '
199                                                           'hex digits')
200                                 value = (value << 4) + int(ch, 16)
201                             # If Python 2 and 3 didn't disagree so much on
202                             # how to handle Unicode, then we could allow
203                             # Unicode string defaults.  But most of QAPI is
204                             # ASCII-only, so we aren't losing much for now.
205                             if not value or value > 0x7f:
206                                 raise QAPISchemaError(self,
207                                                       'For now, \\u escape '
208                                                       'only supports non-zero '
209                                                       'values up to \\u007f')
210                             string += chr(value)
211                         elif ch in "\\/'\"":
212                             string += ch
213                         else:
214                             raise QAPISchemaError(self,
215                                                   "Unknown escape \\%s" %ch)
216                         esc = False
217                     elif ch == "\\":
218                         esc = True
219                     elif ch == "'":
220                         self.val = string
221                         return
222                     else:
223                         string += ch
224             elif self.src.startswith("true", self.pos):
225                 self.val = True
226                 self.cursor += 3
227                 return
228             elif self.src.startswith("false", self.pos):
229                 self.val = False
230                 self.cursor += 4
231                 return
232             elif self.src.startswith("null", self.pos):
233                 self.val = None
234                 self.cursor += 3
235                 return
236             elif self.tok == '\n':
237                 if self.cursor == len(self.src):
238                     self.tok = None
239                     return
240                 self.line += 1
241                 self.line_pos = self.cursor
242             elif not self.tok.isspace():
243                 raise QAPISchemaError(self, 'Stray "%s"' % self.tok)
244
245     def get_members(self):
246         expr = OrderedDict()
247         if self.tok == '}':
248             self.accept()
249             return expr
250         if self.tok != "'":
251             raise QAPISchemaError(self, 'Expected string or "}"')
252         while True:
253             key = self.val
254             self.accept()
255             if self.tok != ':':
256                 raise QAPISchemaError(self, 'Expected ":"')
257             self.accept()
258             if key in expr:
259                 raise QAPISchemaError(self, 'Duplicate key "%s"' % key)
260             expr[key] = self.get_expr(True)
261             if self.tok == '}':
262                 self.accept()
263                 return expr
264             if self.tok != ',':
265                 raise QAPISchemaError(self, 'Expected "," or "}"')
266             self.accept()
267             if self.tok != "'":
268                 raise QAPISchemaError(self, 'Expected string')
269
270     def get_values(self):
271         expr = []
272         if self.tok == ']':
273             self.accept()
274             return expr
275         if not self.tok in "{['tfn":
276             raise QAPISchemaError(self, 'Expected "{", "[", "]", string, '
277                                   'boolean or "null"')
278         while True:
279             expr.append(self.get_expr(True))
280             if self.tok == ']':
281                 self.accept()
282                 return expr
283             if self.tok != ',':
284                 raise QAPISchemaError(self, 'Expected "," or "]"')
285             self.accept()
286
287     def get_expr(self, nested):
288         if self.tok != '{' and not nested:
289             raise QAPISchemaError(self, 'Expected "{"')
290         if self.tok == '{':
291             self.accept()
292             expr = self.get_members()
293         elif self.tok == '[':
294             self.accept()
295             expr = self.get_values()
296         elif self.tok in "'tfn":
297             expr = self.val
298             self.accept()
299         else:
300             raise QAPISchemaError(self, 'Expected "{", "[" or string')
301         return expr
302
303 #
304 # Semantic analysis of schema expressions
305 #
306
307 def find_base_fields(base):
308     base_struct_define = find_struct(base)
309     if not base_struct_define:
310         return None
311     return base_struct_define['data']
312
313 # Return the qtype of an alternate branch, or None on error.
314 def find_alternate_member_qtype(qapi_type):
315     if builtin_types.has_key(qapi_type):
316         return builtin_types[qapi_type]
317     elif find_struct(qapi_type):
318         return "QTYPE_QDICT"
319     elif find_enum(qapi_type):
320         return "QTYPE_QSTRING"
321     elif find_union(qapi_type):
322         return "QTYPE_QDICT"
323     return None
324
325 # Return the discriminator enum define if discriminator is specified as an
326 # enum type, otherwise return None.
327 def discriminator_find_enum_define(expr):
328     base = expr.get('base')
329     discriminator = expr.get('discriminator')
330
331     if not (discriminator and base):
332         return None
333
334     base_fields = find_base_fields(base)
335     if not base_fields:
336         return None
337
338     discriminator_type = base_fields.get(discriminator)
339     if not discriminator_type:
340         return None
341
342     return find_enum(discriminator_type)
343
344 # FIXME should enforce "other than downstream extensions [...], all
345 # names should begin with a letter".
346 valid_name = re.compile('^[a-zA-Z_][a-zA-Z0-9_.-]*$')
347 def check_name(expr_info, source, name, allow_optional = False,
348                enum_member = False):
349     global valid_name
350     membername = name
351
352     if not isinstance(name, str):
353         raise QAPIExprError(expr_info,
354                             "%s requires a string name" % source)
355     if name.startswith('*'):
356         membername = name[1:]
357         if not allow_optional:
358             raise QAPIExprError(expr_info,
359                                 "%s does not allow optional name '%s'"
360                                 % (source, name))
361     # Enum members can start with a digit, because the generated C
362     # code always prefixes it with the enum name
363     if enum_member:
364         membername = '_' + membername
365     if not valid_name.match(membername):
366         raise QAPIExprError(expr_info,
367                             "%s uses invalid name '%s'" % (source, name))
368
369 def add_name(name, info, meta, implicit = False):
370     global all_names
371     check_name(info, "'%s'" % meta, name)
372     # FIXME should reject names that differ only in '_' vs. '.'
373     # vs. '-', because they're liable to clash in generated C.
374     if name in all_names:
375         raise QAPIExprError(info,
376                             "%s '%s' is already defined"
377                             % (all_names[name], name))
378     if not implicit and name[-4:] == 'Kind':
379         raise QAPIExprError(info,
380                             "%s '%s' should not end in 'Kind'"
381                             % (meta, name))
382     all_names[name] = meta
383
384 def add_struct(definition, info):
385     global struct_types
386     name = definition['struct']
387     add_name(name, info, 'struct')
388     struct_types.append(definition)
389
390 def find_struct(name):
391     global struct_types
392     for struct in struct_types:
393         if struct['struct'] == name:
394             return struct
395     return None
396
397 def add_union(definition, info):
398     global union_types
399     name = definition['union']
400     add_name(name, info, 'union')
401     union_types.append(definition)
402
403 def find_union(name):
404     global union_types
405     for union in union_types:
406         if union['union'] == name:
407             return union
408     return None
409
410 def add_enum(name, info, enum_values = None, implicit = False):
411     global enum_types
412     add_name(name, info, 'enum', implicit)
413     enum_types.append({"enum_name": name, "enum_values": enum_values})
414
415 def find_enum(name):
416     global enum_types
417     for enum in enum_types:
418         if enum['enum_name'] == name:
419             return enum
420     return None
421
422 def is_enum(name):
423     return find_enum(name) != None
424
425 def check_type(expr_info, source, value, allow_array = False,
426                allow_dict = False, allow_optional = False,
427                allow_star = False, allow_metas = []):
428     global all_names
429
430     if value is None:
431         return
432
433     if allow_star and value == '**':
434         return
435
436     # Check if array type for value is okay
437     if isinstance(value, list):
438         if not allow_array:
439             raise QAPIExprError(expr_info,
440                                 "%s cannot be an array" % source)
441         if len(value) != 1 or not isinstance(value[0], str):
442             raise QAPIExprError(expr_info,
443                                 "%s: array type must contain single type name"
444                                 % source)
445         value = value[0]
446
447     # Check if type name for value is okay
448     if isinstance(value, str):
449         if value == '**':
450             raise QAPIExprError(expr_info,
451                                 "%s uses '**' but did not request 'gen':false"
452                                 % source)
453         if not value in all_names:
454             raise QAPIExprError(expr_info,
455                                 "%s uses unknown type '%s'"
456                                 % (source, value))
457         if not all_names[value] in allow_metas:
458             raise QAPIExprError(expr_info,
459                                 "%s cannot use %s type '%s'"
460                                 % (source, all_names[value], value))
461         return
462
463     if not allow_dict:
464         raise QAPIExprError(expr_info,
465                             "%s should be a type name" % source)
466
467     if not isinstance(value, OrderedDict):
468         raise QAPIExprError(expr_info,
469                             "%s should be a dictionary or type name" % source)
470
471     # value is a dictionary, check that each member is okay
472     for (key, arg) in value.items():
473         check_name(expr_info, "Member of %s" % source, key,
474                    allow_optional=allow_optional)
475         # Todo: allow dictionaries to represent default values of
476         # an optional argument.
477         check_type(expr_info, "Member '%s' of %s" % (key, source), arg,
478                    allow_array=True, allow_star=allow_star,
479                    allow_metas=['built-in', 'union', 'alternate', 'struct',
480                                 'enum'])
481
482 def check_member_clash(expr_info, base_name, data, source = ""):
483     base = find_struct(base_name)
484     assert base
485     base_members = base['data']
486     for key in data.keys():
487         if key.startswith('*'):
488             key = key[1:]
489         if key in base_members or "*" + key in base_members:
490             raise QAPIExprError(expr_info,
491                                 "Member name '%s'%s clashes with base '%s'"
492                                 % (key, source, base_name))
493     if base.get('base'):
494         check_member_clash(expr_info, base['base'], data, source)
495
496 def check_command(expr, expr_info):
497     name = expr['command']
498     allow_star = expr.has_key('gen')
499
500     check_type(expr_info, "'data' for command '%s'" % name,
501                expr.get('data'), allow_dict=True, allow_optional=True,
502                allow_metas=['struct'], allow_star=allow_star)
503     returns_meta = ['union', 'struct']
504     if name in returns_whitelist:
505         returns_meta += ['built-in', 'alternate', 'enum']
506     check_type(expr_info, "'returns' for command '%s'" % name,
507                expr.get('returns'), allow_array=True,
508                allow_optional=True, allow_metas=returns_meta,
509                allow_star=allow_star)
510
511 def check_event(expr, expr_info):
512     global events
513     name = expr['event']
514
515     if name.upper() == 'MAX':
516         raise QAPIExprError(expr_info, "Event name 'MAX' cannot be created")
517     events.append(name)
518     check_type(expr_info, "'data' for event '%s'" % name,
519                expr.get('data'), allow_dict=True, allow_optional=True,
520                allow_metas=['struct'])
521
522 def check_union(expr, expr_info):
523     name = expr['union']
524     base = expr.get('base')
525     discriminator = expr.get('discriminator')
526     members = expr['data']
527     values = { 'MAX': '(automatic)' }
528
529     # Two types of unions, determined by discriminator.
530
531     # With no discriminator it is a simple union.
532     if discriminator is None:
533         enum_define = None
534         allow_metas=['built-in', 'union', 'alternate', 'struct', 'enum']
535         if base is not None:
536             raise QAPIExprError(expr_info,
537                                 "Simple union '%s' must not have a base"
538                                 % name)
539
540     # Else, it's a flat union.
541     else:
542         # The object must have a string member 'base'.
543         if not isinstance(base, str):
544             raise QAPIExprError(expr_info,
545                                 "Flat union '%s' must have a string base field"
546                                 % name)
547         base_fields = find_base_fields(base)
548         if not base_fields:
549             raise QAPIExprError(expr_info,
550                                 "Base '%s' is not a valid struct"
551                                 % base)
552
553         # The value of member 'discriminator' must name a non-optional
554         # member of the base struct.
555         check_name(expr_info, "Discriminator of flat union '%s'" % name,
556                    discriminator)
557         discriminator_type = base_fields.get(discriminator)
558         if not discriminator_type:
559             raise QAPIExprError(expr_info,
560                                 "Discriminator '%s' is not a member of base "
561                                 "struct '%s'"
562                                 % (discriminator, base))
563         enum_define = find_enum(discriminator_type)
564         allow_metas=['struct']
565         # Do not allow string discriminator
566         if not enum_define:
567             raise QAPIExprError(expr_info,
568                                 "Discriminator '%s' must be of enumeration "
569                                 "type" % discriminator)
570
571     # Check every branch
572     for (key, value) in members.items():
573         check_name(expr_info, "Member of union '%s'" % name, key)
574
575         # Each value must name a known type; furthermore, in flat unions,
576         # branches must be a struct with no overlapping member names
577         check_type(expr_info, "Member '%s' of union '%s'" % (key, name),
578                    value, allow_array=not base, allow_metas=allow_metas)
579         if base:
580             branch_struct = find_struct(value)
581             assert branch_struct
582             check_member_clash(expr_info, base, branch_struct['data'],
583                                " of branch '%s'" % key)
584
585         # If the discriminator names an enum type, then all members
586         # of 'data' must also be members of the enum type.
587         if enum_define:
588             if not key in enum_define['enum_values']:
589                 raise QAPIExprError(expr_info,
590                                     "Discriminator value '%s' is not found in "
591                                     "enum '%s'" %
592                                     (key, enum_define["enum_name"]))
593
594         # Otherwise, check for conflicts in the generated enum
595         else:
596             c_key = camel_to_upper(key)
597             if c_key in values:
598                 raise QAPIExprError(expr_info,
599                                     "Union '%s' member '%s' clashes with '%s'"
600                                     % (name, key, values[c_key]))
601             values[c_key] = key
602
603 def check_alternate(expr, expr_info):
604     name = expr['alternate']
605     members = expr['data']
606     values = { 'MAX': '(automatic)' }
607     types_seen = {}
608
609     # Check every branch
610     for (key, value) in members.items():
611         check_name(expr_info, "Member of alternate '%s'" % name, key)
612
613         # Check for conflicts in the generated enum
614         c_key = camel_to_upper(key)
615         if c_key in values:
616             raise QAPIExprError(expr_info,
617                                 "Alternate '%s' member '%s' clashes with '%s'"
618                                 % (name, key, values[c_key]))
619         values[c_key] = key
620
621         # Ensure alternates have no type conflicts.
622         check_type(expr_info, "Member '%s' of alternate '%s'" % (key, name),
623                    value,
624                    allow_metas=['built-in', 'union', 'struct', 'enum'])
625         qtype = find_alternate_member_qtype(value)
626         assert qtype
627         if qtype in types_seen:
628             raise QAPIExprError(expr_info,
629                                 "Alternate '%s' member '%s' can't "
630                                 "be distinguished from member '%s'"
631                                 % (name, key, types_seen[qtype]))
632         types_seen[qtype] = key
633
634 def check_enum(expr, expr_info):
635     name = expr['enum']
636     members = expr.get('data')
637     values = { 'MAX': '(automatic)' }
638
639     if not isinstance(members, list):
640         raise QAPIExprError(expr_info,
641                             "Enum '%s' requires an array for 'data'" % name)
642     for member in members:
643         check_name(expr_info, "Member of enum '%s'" %name, member,
644                    enum_member=True)
645         key = camel_to_upper(member)
646         if key in values:
647             raise QAPIExprError(expr_info,
648                                 "Enum '%s' member '%s' clashes with '%s'"
649                                 % (name, member, values[key]))
650         values[key] = member
651
652 def check_struct(expr, expr_info):
653     name = expr['struct']
654     members = expr['data']
655
656     check_type(expr_info, "'data' for struct '%s'" % name, members,
657                allow_dict=True, allow_optional=True)
658     check_type(expr_info, "'base' for struct '%s'" % name, expr.get('base'),
659                allow_metas=['struct'])
660     if expr.get('base'):
661         check_member_clash(expr_info, expr['base'], expr['data'])
662
663 def check_keys(expr_elem, meta, required, optional=[]):
664     expr = expr_elem['expr']
665     info = expr_elem['info']
666     name = expr[meta]
667     if not isinstance(name, str):
668         raise QAPIExprError(info,
669                             "'%s' key must have a string value" % meta)
670     required = required + [ meta ]
671     for (key, value) in expr.items():
672         if not key in required and not key in optional:
673             raise QAPIExprError(info,
674                                 "Unknown key '%s' in %s '%s'"
675                                 % (key, meta, name))
676         if (key == 'gen' or key == 'success-response') and value != False:
677             raise QAPIExprError(info,
678                                 "'%s' of %s '%s' should only use false value"
679                                 % (key, meta, name))
680     for key in required:
681         if not expr.has_key(key):
682             raise QAPIExprError(info,
683                                 "Key '%s' is missing from %s '%s'"
684                                 % (key, meta, name))
685
686 def check_exprs(exprs):
687     global all_names
688
689     # Learn the types and check for valid expression keys
690     for builtin in builtin_types.keys():
691         all_names[builtin] = 'built-in'
692     for expr_elem in exprs:
693         expr = expr_elem['expr']
694         info = expr_elem['info']
695         if expr.has_key('enum'):
696             check_keys(expr_elem, 'enum', ['data'])
697             add_enum(expr['enum'], info, expr['data'])
698         elif expr.has_key('union'):
699             check_keys(expr_elem, 'union', ['data'],
700                        ['base', 'discriminator'])
701             add_union(expr, info)
702         elif expr.has_key('alternate'):
703             check_keys(expr_elem, 'alternate', ['data'])
704             add_name(expr['alternate'], info, 'alternate')
705         elif expr.has_key('struct'):
706             check_keys(expr_elem, 'struct', ['data'], ['base'])
707             add_struct(expr, info)
708         elif expr.has_key('command'):
709             check_keys(expr_elem, 'command', [],
710                        ['data', 'returns', 'gen', 'success-response'])
711             add_name(expr['command'], info, 'command')
712         elif expr.has_key('event'):
713             check_keys(expr_elem, 'event', [], ['data'])
714             add_name(expr['event'], info, 'event')
715         else:
716             raise QAPIExprError(expr_elem['info'],
717                                 "Expression is missing metatype")
718
719     # Try again for hidden UnionKind enum
720     for expr_elem in exprs:
721         expr = expr_elem['expr']
722         if expr.has_key('union'):
723             if not discriminator_find_enum_define(expr):
724                 add_enum('%sKind' % expr['union'], expr_elem['info'],
725                          implicit=True)
726         elif expr.has_key('alternate'):
727             add_enum('%sKind' % expr['alternate'], expr_elem['info'],
728                      implicit=True)
729
730     # Validate that exprs make sense
731     for expr_elem in exprs:
732         expr = expr_elem['expr']
733         info = expr_elem['info']
734
735         if expr.has_key('enum'):
736             check_enum(expr, info)
737         elif expr.has_key('union'):
738             check_union(expr, info)
739         elif expr.has_key('alternate'):
740             check_alternate(expr, info)
741         elif expr.has_key('struct'):
742             check_struct(expr, info)
743         elif expr.has_key('command'):
744             check_command(expr, info)
745         elif expr.has_key('event'):
746             check_event(expr, info)
747         else:
748             assert False, 'unexpected meta type'
749
750     return map(lambda expr_elem: expr_elem['expr'], exprs)
751
752 def parse_schema(fname):
753     try:
754         schema = QAPISchema(open(fname, "r"))
755         return check_exprs(schema.exprs)
756     except (QAPISchemaError, QAPIExprError), e:
757         print >>sys.stderr, e
758         exit(1)
759
760 #
761 # Code generation helpers
762 #
763
764 def parse_args(typeinfo):
765     if isinstance(typeinfo, str):
766         struct = find_struct(typeinfo)
767         assert struct != None
768         typeinfo = struct['data']
769
770     for member in typeinfo:
771         argname = member
772         argentry = typeinfo[member]
773         optional = False
774         if member.startswith('*'):
775             argname = member[1:]
776             optional = True
777         # Todo: allow argentry to be OrderedDict, for providing the
778         # value of an optional argument.
779         yield (argname, argentry, optional)
780
781 def camel_case(name):
782     new_name = ''
783     first = True
784     for ch in name:
785         if ch in ['_', '-']:
786             first = True
787         elif first:
788             new_name += ch.upper()
789             first = False
790         else:
791             new_name += ch.lower()
792     return new_name
793
794 # ENUMName -> ENUM_NAME, EnumName1 -> ENUM_NAME1
795 # ENUM_NAME -> ENUM_NAME, ENUM_NAME1 -> ENUM_NAME1, ENUM_Name2 -> ENUM_NAME2
796 # ENUM24_Name -> ENUM24_NAME
797 def camel_to_upper(value):
798     c_fun_str = c_name(value, False)
799     if value.isupper():
800         return c_fun_str
801
802     new_name = ''
803     l = len(c_fun_str)
804     for i in range(l):
805         c = c_fun_str[i]
806         # When c is upper and no "_" appears before, do more checks
807         if c.isupper() and (i > 0) and c_fun_str[i - 1] != "_":
808             # Case 1: next string is lower
809             # Case 2: previous string is digit
810             if (i < (l - 1) and c_fun_str[i + 1].islower()) or \
811             c_fun_str[i - 1].isdigit():
812                 new_name += '_'
813         new_name += c
814     return new_name.lstrip('_').upper()
815
816 def c_enum_const(type_name, const_name):
817     return camel_to_upper(type_name + '_' + const_name)
818
819 c_name_trans = string.maketrans('.-', '__')
820
821 # Map @name to a valid C identifier.
822 # If @protect, avoid returning certain ticklish identifiers (like
823 # C keywords) by prepending "q_".
824 #
825 # Used for converting 'name' from a 'name':'type' qapi definition
826 # into a generated struct member, as well as converting type names
827 # into substrings of a generated C function name.
828 # '__a.b_c' -> '__a_b_c', 'x-foo' -> 'x_foo'
829 # protect=True: 'int' -> 'q_int'; protect=False: 'int' -> 'int'
830 def c_name(name, protect=True):
831     # ANSI X3J11/88-090, 3.1.1
832     c89_words = set(['auto', 'break', 'case', 'char', 'const', 'continue',
833                      'default', 'do', 'double', 'else', 'enum', 'extern', 'float',
834                      'for', 'goto', 'if', 'int', 'long', 'register', 'return',
835                      'short', 'signed', 'sizeof', 'static', 'struct', 'switch',
836                      'typedef', 'union', 'unsigned', 'void', 'volatile', 'while'])
837     # ISO/IEC 9899:1999, 6.4.1
838     c99_words = set(['inline', 'restrict', '_Bool', '_Complex', '_Imaginary'])
839     # ISO/IEC 9899:2011, 6.4.1
840     c11_words = set(['_Alignas', '_Alignof', '_Atomic', '_Generic', '_Noreturn',
841                      '_Static_assert', '_Thread_local'])
842     # GCC http://gcc.gnu.org/onlinedocs/gcc-4.7.1/gcc/C-Extensions.html
843     # excluding _.*
844     gcc_words = set(['asm', 'typeof'])
845     # C++ ISO/IEC 14882:2003 2.11
846     cpp_words = set(['bool', 'catch', 'class', 'const_cast', 'delete',
847                      'dynamic_cast', 'explicit', 'false', 'friend', 'mutable',
848                      'namespace', 'new', 'operator', 'private', 'protected',
849                      'public', 'reinterpret_cast', 'static_cast', 'template',
850                      'this', 'throw', 'true', 'try', 'typeid', 'typename',
851                      'using', 'virtual', 'wchar_t',
852                      # alternative representations
853                      'and', 'and_eq', 'bitand', 'bitor', 'compl', 'not',
854                      'not_eq', 'or', 'or_eq', 'xor', 'xor_eq'])
855     # namespace pollution:
856     polluted_words = set(['unix', 'errno'])
857     if protect and (name in c89_words | c99_words | c11_words | gcc_words | cpp_words | polluted_words):
858         return "q_" + name
859     return name.translate(c_name_trans)
860
861 # Map type @name to the C typedef name for the list form.
862 #
863 # ['Name'] -> 'NameList', ['x-Foo'] -> 'x_FooList', ['int'] -> 'intList'
864 def c_list_type(name):
865     return type_name(name) + 'List'
866
867 # Map type @value to the C typedef form.
868 #
869 # Used for converting 'type' from a 'member':'type' qapi definition
870 # into the alphanumeric portion of the type for a generated C parameter,
871 # as well as generated C function names.  See c_type() for the rest of
872 # the conversion such as adding '*' on pointer types.
873 # 'int' -> 'int', '[x-Foo]' -> 'x_FooList', '__a.b_c' -> '__a_b_c'
874 def type_name(value):
875     if type(value) == list:
876         return c_list_type(value[0])
877     if value in builtin_types.keys():
878         return value
879     return c_name(value)
880
881 eatspace = '\033EATSPACE.'
882 pointer_suffix = ' *' + eatspace
883
884 # Map type @name to its C type expression.
885 # If @is_param, const-qualify the string type.
886 #
887 # This function is used for computing the full C type of 'member':'name'.
888 # A special suffix is added in c_type() for pointer types, and it's
889 # stripped in mcgen(). So please notice this when you check the return
890 # value of c_type() outside mcgen().
891 def c_type(value, is_param=False):
892     if value == 'str':
893         if is_param:
894             return 'const char' + pointer_suffix
895         return 'char' + pointer_suffix
896
897     elif value == 'int':
898         return 'int64_t'
899     elif (value == 'int8' or value == 'int16' or value == 'int32' or
900           value == 'int64' or value == 'uint8' or value == 'uint16' or
901           value == 'uint32' or value == 'uint64'):
902         return value + '_t'
903     elif value == 'size':
904         return 'uint64_t'
905     elif value == 'bool':
906         return 'bool'
907     elif value == 'number':
908         return 'double'
909     elif type(value) == list:
910         return c_list_type(value[0]) + pointer_suffix
911     elif is_enum(value):
912         return c_name(value)
913     elif value == None:
914         return 'void'
915     elif value in events:
916         return camel_case(value) + 'Event' + pointer_suffix
917     else:
918         # complex type name
919         assert isinstance(value, str) and value != ""
920         return c_name(value) + pointer_suffix
921
922 def is_c_ptr(value):
923     return c_type(value).endswith(pointer_suffix)
924
925 def genindent(count):
926     ret = ""
927     for i in range(count):
928         ret += " "
929     return ret
930
931 indent_level = 0
932
933 def push_indent(indent_amount=4):
934     global indent_level
935     indent_level += indent_amount
936
937 def pop_indent(indent_amount=4):
938     global indent_level
939     indent_level -= indent_amount
940
941 # Generate @code with @kwds interpolated.
942 # Obey indent_level, and strip eatspace.
943 def cgen(code, **kwds):
944     raw = code % kwds
945     if indent_level:
946         indent = genindent(indent_level)
947         # re.subn() lacks flags support before Python 2.7, use re.compile()
948         raw = re.subn(re.compile("^.", re.MULTILINE),
949                       indent + r'\g<0>', raw)
950         raw = raw[0]
951     return re.sub(re.escape(eatspace) + ' *', '', raw)
952
953 def mcgen(code, **kwds):
954     if code[0] == '\n':
955         code = code[1:]
956     return cgen(code, **kwds)
957
958
959 def guardname(filename):
960     return c_name(filename, protect=False).upper()
961
962 def guardstart(name):
963     return mcgen('''
964
965 #ifndef %(name)s
966 #define %(name)s
967
968 ''',
969                  name=guardname(name))
970
971 def guardend(name):
972     return mcgen('''
973
974 #endif /* %(name)s */
975
976 ''',
977                  name=guardname(name))
978
979 #
980 # Common command line parsing
981 #
982
983 def parse_command_line(extra_options = "", extra_long_options = []):
984
985     try:
986         opts, args = getopt.gnu_getopt(sys.argv[1:],
987                                        "chp:o:" + extra_options,
988                                        ["source", "header", "prefix=",
989                                         "output-dir="] + extra_long_options)
990     except getopt.GetoptError, err:
991         print >>sys.stderr, "%s: %s" % (sys.argv[0], str(err))
992         sys.exit(1)
993
994     output_dir = ""
995     prefix = ""
996     do_c = False
997     do_h = False
998     extra_opts = []
999
1000     for oa in opts:
1001         o, a = oa
1002         if o in ("-p", "--prefix"):
1003             match = re.match('([A-Za-z_.-][A-Za-z0-9_.-]*)?', a)
1004             if match.end() != len(a):
1005                 print >>sys.stderr, \
1006                     "%s: 'funny character '%s' in argument of --prefix" \
1007                     % (sys.argv[0], a[match.end()])
1008                 sys.exit(1)
1009             prefix = a
1010         elif o in ("-o", "--output-dir"):
1011             output_dir = a + "/"
1012         elif o in ("-c", "--source"):
1013             do_c = True
1014         elif o in ("-h", "--header"):
1015             do_h = True
1016         else:
1017             extra_opts.append(oa)
1018
1019     if not do_c and not do_h:
1020         do_c = True
1021         do_h = True
1022
1023     if len(args) != 1:
1024         print >>sys.stderr, "%s: need exactly one argument" % sys.argv[0]
1025         sys.exit(1)
1026     fname = args[0]
1027
1028     return (fname, output_dir, do_c, do_h, prefix, extra_opts)
1029
1030 #
1031 # Generate output files with boilerplate
1032 #
1033
1034 def open_output(output_dir, do_c, do_h, prefix, c_file, h_file,
1035                 c_comment, h_comment):
1036     guard = guardname(prefix + h_file)
1037     c_file = output_dir + prefix + c_file
1038     h_file = output_dir + prefix + h_file
1039
1040     if output_dir:
1041         try:
1042             os.makedirs(output_dir)
1043         except os.error, e:
1044             if e.errno != errno.EEXIST:
1045                 raise
1046
1047     def maybe_open(really, name, opt):
1048         if really:
1049             return open(name, opt)
1050         else:
1051             import StringIO
1052             return StringIO.StringIO()
1053
1054     fdef = maybe_open(do_c, c_file, 'w')
1055     fdecl = maybe_open(do_h, h_file, 'w')
1056
1057     fdef.write(mcgen('''
1058 /* AUTOMATICALLY GENERATED, DO NOT MODIFY */
1059 %(comment)s
1060 ''',
1061                      comment = c_comment))
1062
1063     fdecl.write(mcgen('''
1064 /* AUTOMATICALLY GENERATED, DO NOT MODIFY */
1065 %(comment)s
1066 #ifndef %(guard)s
1067 #define %(guard)s
1068
1069 ''',
1070                       comment = h_comment, guard = guard))
1071
1072     return (fdef, fdecl)
1073
1074 def close_output(fdef, fdecl):
1075     fdecl.write('''
1076 #endif
1077 ''')
1078     fdecl.close()
1079     fdef.close()
This page took 0.082802 seconds and 4 git commands to generate.