blob: 94e770e38bcf36decb63e1d6167c198302877e5b [file] [log] [blame]
Nathan Skrzypczak5c2f9642019-09-09 16:45:06 +02001#!/usr/bin/env python3
Ole Troan9d420872017-10-12 13:06:35 +02002
Ole Troan9d420872017-10-12 13:06:35 +02003import ply.lex as lex
4import ply.yacc as yacc
5import sys
6import argparse
Paul Vinciguerraff47fb62019-08-06 19:58:24 -04007import keyword
Ole Troan9d420872017-10-12 13:06:35 +02008import logging
9import binascii
10import os
Ole Troan33a58172019-09-04 09:12:29 +020011import sys
Ole Troan5c318c72020-05-05 12:23:47 +020012from subprocess import Popen, PIPE
Ole Troan9d420872017-10-12 13:06:35 +020013
Ole Troan14a6c0e2020-05-13 11:47:43 +020014assert sys.version_info >= (3, 6), \
15 "Not supported Python version: {}".format(sys.version)
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -040016log = logging.getLogger('vppapigen')
17
Ole Troand6743b12018-03-07 08:40:58 +010018# Ensure we don't leave temporary files around
19sys.dont_write_bytecode = True
20
Ole Troan9d420872017-10-12 13:06:35 +020021#
22# VPP API language
23#
24
25# Global dictionary of new types (including enums)
26global_types = {}
27
Paul Vinciguerra4bf84902019-07-31 00:34:05 -040028seen_imports = {}
29
Ole Troan9d420872017-10-12 13:06:35 +020030
Ole Troan8dbfb432019-04-24 14:31:18 +020031def global_type_add(name, obj):
Ole Troan9d420872017-10-12 13:06:35 +020032 '''Add new type to the dictionary of types '''
33 type_name = 'vl_api_' + name + '_t'
Paul Vinciguerra4bf84902019-07-31 00:34:05 -040034 if type_name in global_types:
35 raise KeyError("Attempted redefinition of {!r} with {!r}.".format(
36 name, obj))
Ole Troan8dbfb432019-04-24 14:31:18 +020037 global_types[type_name] = obj
Ole Troan9d420872017-10-12 13:06:35 +020038
39
40# All your trace are belong to us!
41def exception_handler(exception_type, exception, traceback):
Ole Troan17225df2018-04-11 09:50:03 +020042 print("%s: %s" % (exception_type.__name__, exception))
Ole Troan9d420872017-10-12 13:06:35 +020043
44
45#
46# Lexer
47#
48class VPPAPILexer(object):
49 def __init__(self, filename):
50 self.filename = filename
51
52 reserved = {
53 'service': 'SERVICE',
54 'rpc': 'RPC',
55 'returns': 'RETURNS',
Marek Gradzki51e59682018-03-06 10:05:44 +010056 'null': 'NULL',
Ole Troan9d420872017-10-12 13:06:35 +020057 'stream': 'STREAM',
58 'events': 'EVENTS',
59 'define': 'DEFINE',
60 'typedef': 'TYPEDEF',
61 'enum': 'ENUM',
62 'typeonly': 'TYPEONLY',
63 'manual_print': 'MANUAL_PRINT',
64 'manual_endian': 'MANUAL_ENDIAN',
65 'dont_trace': 'DONT_TRACE',
66 'autoreply': 'AUTOREPLY',
67 'option': 'OPTION',
68 'u8': 'U8',
69 'u16': 'U16',
70 'u32': 'U32',
71 'u64': 'U64',
72 'i8': 'I8',
73 'i16': 'I16',
74 'i32': 'I32',
75 'i64': 'I64',
76 'f64': 'F64',
77 'bool': 'BOOL',
78 'string': 'STRING',
79 'import': 'IMPORT',
80 'true': 'TRUE',
81 'false': 'FALSE',
Ole Troan2c2feab2018-04-24 00:02:37 -040082 'union': 'UNION',
Ole Troan9d420872017-10-12 13:06:35 +020083 }
84
85 tokens = ['STRING_LITERAL',
86 'ID', 'NUM'] + list(reserved.values())
87
88 t_ignore_LINE_COMMENT = '//.*'
89
Ole Troan33a58172019-09-04 09:12:29 +020090 def t_FALSE(self, t):
91 r'false'
92 t.value = False
93 return t
94
95 def t_TRUE(self, t):
96 r'false'
97 t.value = True
98 return t
99
Ole Troan9d420872017-10-12 13:06:35 +0200100 def t_NUM(self, t):
Paul Vinciguerra063f3742019-07-02 13:00:58 -0400101 r'0[xX][0-9a-fA-F]+|-?\d+\.?\d*'
Ole Troan9d420872017-10-12 13:06:35 +0200102 base = 16 if t.value.startswith('0x') else 10
Paul Vinciguerra063f3742019-07-02 13:00:58 -0400103 if '.' in t.value:
104 t.value = float(t.value)
105 else:
106 t.value = int(t.value, base)
Ole Troan9d420872017-10-12 13:06:35 +0200107 return t
108
109 def t_ID(self, t):
110 r'[a-zA-Z_][a-zA-Z_0-9]*'
111 # Check for reserved words
112 t.type = VPPAPILexer.reserved.get(t.value, 'ID')
113 return t
114
115 # C string
116 def t_STRING_LITERAL(self, t):
117 r'\"([^\\\n]|(\\.))*?\"'
118 t.value = str(t.value).replace("\"", "")
119 return t
120
121 # C or C++ comment (ignore)
122 def t_comment(self, t):
123 r'(/\*(.|\n)*?\*/)|(//.*)'
124 t.lexer.lineno += t.value.count('\n')
125
126 # Error handling rule
127 def t_error(self, t):
128 raise ParseError("Illegal character '{}' ({})"
129 "in {}: line {}".format(t.value[0],
130 hex(ord(t.value[0])),
131 self.filename,
132 t.lexer.lineno))
133 t.lexer.skip(1)
134
135 # Define a rule so we can track line numbers
136 def t_newline(self, t):
137 r'\n+'
138 t.lexer.lineno += len(t.value)
139
140 literals = ":{}[];=.,"
141
142 # A string containing ignored characters (spaces and tabs)
143 t_ignore = ' \t'
144
Ole Troan17225df2018-04-11 09:50:03 +0200145
Ole Troan8dbfb432019-04-24 14:31:18 +0200146def crc_block_combine(block, crc):
Ole Troan58914252018-10-23 10:50:07 +0200147 s = str(block).encode()
Ole Troan8dbfb432019-04-24 14:31:18 +0200148 return binascii.crc32(s, crc) & 0xffffffff
Ole Troan58914252018-10-23 10:50:07 +0200149
Paul Vinciguerra063f3742019-07-02 13:00:58 -0400150
Ole Troand5a78a52019-09-18 12:12:47 +0200151def vla_is_last_check(name, block):
152 vla = False
153 for i, b in enumerate(block):
154 if isinstance(b, Array) and b.vla:
155 vla = True
156 if i + 1 < len(block):
157 raise ValueError(
158 'VLA field "{}" must be the last field in message "{}"'
159 .format(b.fieldname, name))
160 elif b.fieldtype.startswith('vl_api_'):
161 if global_types[b.fieldtype].vla:
162 vla = True
163 if i + 1 < len(block):
164 raise ValueError(
165 'VLA field "{}" must be the last '
166 'field in message "{}"'
167 .format(b.fieldname, name))
168 elif b.fieldtype == 'string' and b.length == 0:
169 vla = True
170 if i + 1 < len(block):
171 raise ValueError(
172 'VLA field "{}" must be the last '
173 'field in message "{}"'
174 .format(b.fieldname, name))
175 return vla
176
177
Ole Troan9d420872017-10-12 13:06:35 +0200178class Service():
Ole Troanf5db3712020-05-20 15:47:06 +0200179 def __init__(self, caller, reply, events=None, stream_message=None, stream=False):
Ole Troan9d420872017-10-12 13:06:35 +0200180 self.caller = caller
181 self.reply = reply
182 self.stream = stream
Ole Troanf5db3712020-05-20 15:47:06 +0200183 self.stream_message = stream_message
Paul Vinciguerra7e0c48e2019-02-01 19:37:45 -0800184 self.events = [] if events is None else events
Ole Troan9d420872017-10-12 13:06:35 +0200185
186
187class Typedef():
188 def __init__(self, name, flags, block):
189 self.name = name
190 self.flags = flags
191 self.block = block
Ole Troan8dbfb432019-04-24 14:31:18 +0200192 self.crc = str(block).encode()
Ole Troan2c2feab2018-04-24 00:02:37 -0400193 self.manual_print = False
194 self.manual_endian = False
195 for f in flags:
196 if f == 'manual_print':
197 self.manual_print = True
198 elif f == 'manual_endian':
199 self.manual_endian = True
Ole Troan33a58172019-09-04 09:12:29 +0200200
Ole Troan8dbfb432019-04-24 14:31:18 +0200201 global_type_add(name, self)
Ole Troan9d420872017-10-12 13:06:35 +0200202
Ole Troand5a78a52019-09-18 12:12:47 +0200203 self.vla = vla_is_last_check(name, block)
Ole Troane5ff5a32019-08-23 22:55:18 +0200204
Ole Troan9d420872017-10-12 13:06:35 +0200205 def __repr__(self):
Vratko Polak7520e172019-08-01 10:31:49 +0200206 return self.name + str(self.flags) + str(self.block)
Ole Troan9d420872017-10-12 13:06:35 +0200207
208
Ole Troan53fffa12018-11-13 12:36:56 +0100209class Using():
Ole Troan33a58172019-09-04 09:12:29 +0200210 def __init__(self, name, flags, alias):
Ole Troan53fffa12018-11-13 12:36:56 +0100211 self.name = name
Ole Troane5ff5a32019-08-23 22:55:18 +0200212 self.vla = False
Ole Troan75761b92019-09-11 17:49:08 +0200213 self.block = []
214 self.manual_print = True
215 self.manual_endian = True
Ole Troan53fffa12018-11-13 12:36:56 +0100216
Ole Troan33a58172019-09-04 09:12:29 +0200217 self.manual_print = False
218 self.manual_endian = False
219 for f in flags:
220 if f == 'manual_print':
221 self.manual_print = True
222 elif f == 'manual_endian':
223 self.manual_endian = True
224
Ole Troan53fffa12018-11-13 12:36:56 +0100225 if isinstance(alias, Array):
Ole Troane5ff5a32019-08-23 22:55:18 +0200226 a = {'type': alias.fieldtype,
227 'length': alias.length}
Ole Troan53fffa12018-11-13 12:36:56 +0100228 else:
Ole Troane5ff5a32019-08-23 22:55:18 +0200229 a = {'type': alias.fieldtype}
Ole Troan53fffa12018-11-13 12:36:56 +0100230 self.alias = a
Ole Troan8dbfb432019-04-24 14:31:18 +0200231 self.crc = str(alias).encode()
232 global_type_add(name, self)
Ole Troan53fffa12018-11-13 12:36:56 +0100233
234 def __repr__(self):
Vratko Polak7520e172019-08-01 10:31:49 +0200235 return self.name + str(self.alias)
Ole Troan53fffa12018-11-13 12:36:56 +0100236
237
Ole Troan2c2feab2018-04-24 00:02:37 -0400238class Union():
Ole Troan33a58172019-09-04 09:12:29 +0200239 def __init__(self, name, flags, block):
Ole Troan2c2feab2018-04-24 00:02:37 -0400240 self.type = 'Union'
241 self.manual_print = False
242 self.manual_endian = False
Ole Troan2c2feab2018-04-24 00:02:37 -0400243 self.name = name
Ole Troan33a58172019-09-04 09:12:29 +0200244
Ole Troan33a58172019-09-04 09:12:29 +0200245 for f in flags:
246 if f == 'manual_print':
247 self.manual_print = True
248 elif f == 'manual_endian':
249 self.manual_endian = True
250
Ole Troan2c2feab2018-04-24 00:02:37 -0400251 self.block = block
Ole Troan8dbfb432019-04-24 14:31:18 +0200252 self.crc = str(block).encode()
Ole Troand5a78a52019-09-18 12:12:47 +0200253 self.vla = vla_is_last_check(name, block)
254
Ole Troan8dbfb432019-04-24 14:31:18 +0200255 global_type_add(name, self)
Ole Troan2c2feab2018-04-24 00:02:37 -0400256
257 def __repr__(self):
Vratko Polak7520e172019-08-01 10:31:49 +0200258 return str(self.block)
Ole Troan2c2feab2018-04-24 00:02:37 -0400259
260
Ole Troan9d420872017-10-12 13:06:35 +0200261class Define():
262 def __init__(self, name, flags, block):
263 self.name = name
264 self.flags = flags
265 self.block = block
Ole Troan9d420872017-10-12 13:06:35 +0200266 self.dont_trace = False
267 self.manual_print = False
268 self.manual_endian = False
269 self.autoreply = False
270 self.singular = False
Ole Troan2a1ca782019-09-19 01:08:30 +0200271 self.options = {}
Ole Troan9d420872017-10-12 13:06:35 +0200272 for f in flags:
Ole Troan2c2feab2018-04-24 00:02:37 -0400273 if f == 'dont_trace':
Ole Troan9d420872017-10-12 13:06:35 +0200274 self.dont_trace = True
275 elif f == 'manual_print':
276 self.manual_print = True
277 elif f == 'manual_endian':
278 self.manual_endian = True
279 elif f == 'autoreply':
280 self.autoreply = True
281
Ole Troan5c318c72020-05-05 12:23:47 +0200282 remove = []
Ole Troand5a78a52019-09-18 12:12:47 +0200283 for b in block:
Ole Troan9d420872017-10-12 13:06:35 +0200284 if isinstance(b, Option):
285 if b[1] == 'singular' and b[2] == 'true':
286 self.singular = True
Ole Troan2a1ca782019-09-19 01:08:30 +0200287 else:
288 self.options[b.option] = b.value
Ole Troan5c318c72020-05-05 12:23:47 +0200289 remove.append(b)
Ole Troan2a1ca782019-09-19 01:08:30 +0200290
Ole Troan14a6c0e2020-05-13 11:47:43 +0200291 block = [x for x in block if x not in remove]
Ole Troan5c318c72020-05-05 12:23:47 +0200292 self.block = block
Ole Troand5a78a52019-09-18 12:12:47 +0200293 self.vla = vla_is_last_check(name, block)
Ole Troan2a1ca782019-09-19 01:08:30 +0200294 self.crc = str(block).encode()
Ole Troane5ff5a32019-08-23 22:55:18 +0200295
Ole Troan9d420872017-10-12 13:06:35 +0200296 def __repr__(self):
Vratko Polak7520e172019-08-01 10:31:49 +0200297 return self.name + str(self.flags) + str(self.block)
Ole Troan9d420872017-10-12 13:06:35 +0200298
299
300class Enum():
301 def __init__(self, name, block, enumtype='u32'):
302 self.name = name
303 self.enumtype = enumtype
Ole Troane5ff5a32019-08-23 22:55:18 +0200304 self.vla = False
Ole Troan2c2feab2018-04-24 00:02:37 -0400305
Ole Troan9d420872017-10-12 13:06:35 +0200306 count = 0
307 for i, b in enumerate(block):
308 if type(b) is list:
309 count = b[1]
310 else:
311 count += 1
312 block[i] = [b, count]
313
314 self.block = block
Ole Troan8dbfb432019-04-24 14:31:18 +0200315 self.crc = str(block).encode()
316 global_type_add(name, self)
Ole Troan9d420872017-10-12 13:06:35 +0200317
318 def __repr__(self):
Vratko Polak7520e172019-08-01 10:31:49 +0200319 return self.name + str(self.block)
Ole Troan9d420872017-10-12 13:06:35 +0200320
321
322class Import():
Paul Vinciguerra4bf84902019-07-31 00:34:05 -0400323
324 def __new__(cls, *args, **kwargs):
325 if args[0] not in seen_imports:
326 instance = super().__new__(cls)
327 instance._initialized = False
328 seen_imports[args[0]] = instance
329
330 return seen_imports[args[0]]
331
Ole Troan5c318c72020-05-05 12:23:47 +0200332 def __init__(self, filename, revision):
Paul Vinciguerra4bf84902019-07-31 00:34:05 -0400333 if self._initialized:
334 return
335 else:
336 self.filename = filename
337 # Deal with imports
Ole Troan5c318c72020-05-05 12:23:47 +0200338 parser = VPPAPI(filename=filename, revision=revision)
Paul Vinciguerra4bf84902019-07-31 00:34:05 -0400339 dirlist = dirlist_get()
340 f = filename
341 for dir in dirlist:
342 f = os.path.join(dir, filename)
343 if os.path.exists(f):
344 break
Ole Troan5c318c72020-05-05 12:23:47 +0200345 self.result = parser.parse_filename(f, None)
Paul Vinciguerra4bf84902019-07-31 00:34:05 -0400346 self._initialized = True
Ole Troan9d420872017-10-12 13:06:35 +0200347
348 def __repr__(self):
Vratko Polak7520e172019-08-01 10:31:49 +0200349 return self.filename
Ole Troan9d420872017-10-12 13:06:35 +0200350
351
352class Option():
Ole Troan33a58172019-09-04 09:12:29 +0200353 def __init__(self, option, value):
354 self.type = 'Option'
Ole Troan9d420872017-10-12 13:06:35 +0200355 self.option = option
Ole Troan33a58172019-09-04 09:12:29 +0200356 self.value = value
Ole Troan8dbfb432019-04-24 14:31:18 +0200357 self.crc = str(option).encode()
Ole Troan9d420872017-10-12 13:06:35 +0200358
359 def __repr__(self):
Vratko Polak7520e172019-08-01 10:31:49 +0200360 return str(self.option)
Ole Troan9d420872017-10-12 13:06:35 +0200361
362 def __getitem__(self, index):
363 return self.option[index]
364
365
366class Array():
Ole Troane5ff5a32019-08-23 22:55:18 +0200367 def __init__(self, fieldtype, name, length, modern_vla=False):
Ole Troan9d420872017-10-12 13:06:35 +0200368 self.type = 'Array'
369 self.fieldtype = fieldtype
370 self.fieldname = name
Ole Troane5ff5a32019-08-23 22:55:18 +0200371 self.modern_vla = modern_vla
Ole Troan9d420872017-10-12 13:06:35 +0200372 if type(length) is str:
373 self.lengthfield = length
374 self.length = 0
Ole Troane5ff5a32019-08-23 22:55:18 +0200375 self.vla = True
Ole Troan9d420872017-10-12 13:06:35 +0200376 else:
377 self.length = length
378 self.lengthfield = None
Ole Troane5ff5a32019-08-23 22:55:18 +0200379 self.vla = False
Ole Troan9d420872017-10-12 13:06:35 +0200380
381 def __repr__(self):
Vratko Polak7520e172019-08-01 10:31:49 +0200382 return str([self.fieldtype, self.fieldname, self.length,
383 self.lengthfield])
Ole Troan9d420872017-10-12 13:06:35 +0200384
385
386class Field():
Ole Troan9ac11382019-04-23 17:11:01 +0200387 def __init__(self, fieldtype, name, limit=None):
Ole Troan9d420872017-10-12 13:06:35 +0200388 self.type = 'Field'
389 self.fieldtype = fieldtype
Ole Troane5ff5a32019-08-23 22:55:18 +0200390
391 if self.fieldtype == 'string':
392 raise ValueError("The string type {!r} is an "
393 "array type ".format(name))
394
Paul Vinciguerraff47fb62019-08-06 19:58:24 -0400395 if name in keyword.kwlist:
396 raise ValueError("Fieldname {!r} is a python keyword and is not "
397 "accessible via the python API. ".format(name))
Ole Troan9d420872017-10-12 13:06:35 +0200398 self.fieldname = name
Ole Troan9ac11382019-04-23 17:11:01 +0200399 self.limit = limit
Ole Troan9d420872017-10-12 13:06:35 +0200400
401 def __repr__(self):
Vratko Polak7520e172019-08-01 10:31:49 +0200402 return str([self.fieldtype, self.fieldname])
Ole Troan9d420872017-10-12 13:06:35 +0200403
404
405class Coord(object):
406 """ Coordinates of a syntactic element. Consists of:
407 - File name
408 - Line number
409 - (optional) column number, for the Lexer
410 """
411 __slots__ = ('file', 'line', 'column', '__weakref__')
412
413 def __init__(self, file, line, column=None):
414 self.file = file
415 self.line = line
416 self.column = column
417
418 def __str__(self):
419 str = "%s:%s" % (self.file, self.line)
420 if self.column:
421 str += ":%s" % self.column
422 return str
423
424
425class ParseError(Exception):
426 pass
427
428
429#
430# Grammar rules
431#
432class VPPAPIParser(object):
433 tokens = VPPAPILexer.tokens
434
Ole Troan5c318c72020-05-05 12:23:47 +0200435 def __init__(self, filename, logger, revision=None):
Ole Troan9d420872017-10-12 13:06:35 +0200436 self.filename = filename
437 self.logger = logger
438 self.fields = []
Ole Troan5c318c72020-05-05 12:23:47 +0200439 self.revision = revision
Ole Troan9d420872017-10-12 13:06:35 +0200440
441 def _parse_error(self, msg, coord):
442 raise ParseError("%s: %s" % (coord, msg))
443
444 def _parse_warning(self, msg, coord):
445 if self.logger:
446 self.logger.warning("%s: %s" % (coord, msg))
447
448 def _coord(self, lineno, column=None):
449 return Coord(
450 file=self.filename,
451 line=lineno, column=column)
452
453 def _token_coord(self, p, token_idx):
454 """ Returns the coordinates for the YaccProduction object 'p' indexed
455 with 'token_idx'. The coordinate includes the 'lineno' and
456 'column'. Both follow the lex semantic, starting from 1.
457 """
458 last_cr = p.lexer.lexdata.rfind('\n', 0, p.lexpos(token_idx))
459 if last_cr < 0:
460 last_cr = -1
461 column = (p.lexpos(token_idx) - (last_cr))
462 return self._coord(p.lineno(token_idx), column)
463
464 def p_slist(self, p):
465 '''slist : stmt
466 | slist stmt'''
467 if len(p) == 2:
468 p[0] = [p[1]]
469 else:
470 p[0] = p[1] + [p[2]]
471
472 def p_stmt(self, p):
473 '''stmt : define
474 | typedef
475 | option
476 | import
477 | enum
Ole Troan2c2feab2018-04-24 00:02:37 -0400478 | union
Ole Troan9d420872017-10-12 13:06:35 +0200479 | service'''
480 p[0] = p[1]
481
482 def p_import(self, p):
483 '''import : IMPORT STRING_LITERAL ';' '''
Ole Troan5c318c72020-05-05 12:23:47 +0200484 p[0] = Import(p[2], revision=self.revision)
Ole Troan9d420872017-10-12 13:06:35 +0200485
486 def p_service(self, p):
487 '''service : SERVICE '{' service_statements '}' ';' '''
488 p[0] = p[3]
489
490 def p_service_statements(self, p):
491 '''service_statements : service_statement
492 | service_statements service_statement'''
493 if len(p) == 2:
494 p[0] = [p[1]]
495 else:
496 p[0] = p[1] + [p[2]]
497
498 def p_service_statement(self, p):
Marek Gradzki51e59682018-03-06 10:05:44 +0100499 '''service_statement : RPC ID RETURNS NULL ';'
500 | RPC ID RETURNS ID ';'
Ole Troan9d420872017-10-12 13:06:35 +0200501 | RPC ID RETURNS STREAM ID ';'
502 | RPC ID RETURNS ID EVENTS event_list ';' '''
Marek Gradzkifc70e3a2018-03-06 10:56:26 +0100503 if p[2] == p[4]:
504 # Verify that caller and reply differ
Ole Troan17225df2018-04-11 09:50:03 +0200505 self._parse_error(
506 'Reply ID ({}) should not be equal to Caller ID'.format(p[2]),
507 self._token_coord(p, 1))
Ole Troan9d420872017-10-12 13:06:35 +0200508 if len(p) == 8:
509 p[0] = Service(p[2], p[4], p[6])
510 elif len(p) == 7:
511 p[0] = Service(p[2], p[5], stream=True)
512 else:
513 p[0] = Service(p[2], p[4])
514
Ole Troanf5db3712020-05-20 15:47:06 +0200515 def p_service_statement2(self, p):
516 '''service_statement : RPC ID RETURNS ID STREAM ID ';' '''
517 p[0] = Service(p[2], p[4], stream_message=p[6], stream=True)
518
Ole Troan9d420872017-10-12 13:06:35 +0200519 def p_event_list(self, p):
520 '''event_list : events
521 | event_list events '''
522 if len(p) == 2:
523 p[0] = [p[1]]
524 else:
525 p[0] = p[1] + [p[2]]
526
527 def p_event(self, p):
528 '''events : ID
529 | ID ',' '''
530 p[0] = p[1]
531
532 def p_enum(self, p):
533 '''enum : ENUM ID '{' enum_statements '}' ';' '''
534 p[0] = Enum(p[2], p[4])
535
536 def p_enum_type(self, p):
537 ''' enum : ENUM ID ':' enum_size '{' enum_statements '}' ';' '''
538 if len(p) == 9:
539 p[0] = Enum(p[2], p[6], enumtype=p[4])
540 else:
541 p[0] = Enum(p[2], p[4])
542
543 def p_enum_size(self, p):
544 ''' enum_size : U8
545 | U16
546 | U32 '''
547 p[0] = p[1]
548
549 def p_define(self, p):
550 '''define : DEFINE ID '{' block_statements_opt '}' ';' '''
551 self.fields = []
552 p[0] = Define(p[2], [], p[4])
553
554 def p_define_flist(self, p):
555 '''define : flist DEFINE ID '{' block_statements_opt '}' ';' '''
Ole Troan2c2feab2018-04-24 00:02:37 -0400556 # Legacy typedef
557 if 'typeonly' in p[1]:
Paul Vinciguerrae7174822019-08-07 00:05:59 -0400558 self._parse_error('legacy typedef. use typedef: {} {}[{}];'
559 .format(p[1], p[2], p[4]),
560 self._token_coord(p, 1))
Ole Troan2c2feab2018-04-24 00:02:37 -0400561 else:
562 p[0] = Define(p[3], p[1], p[5])
Ole Troan9d420872017-10-12 13:06:35 +0200563
564 def p_flist(self, p):
565 '''flist : flag
566 | flist flag'''
567 if len(p) == 2:
568 p[0] = [p[1]]
569 else:
570 p[0] = p[1] + [p[2]]
571
572 def p_flag(self, p):
573 '''flag : MANUAL_PRINT
574 | MANUAL_ENDIAN
575 | DONT_TRACE
576 | TYPEONLY
577 | AUTOREPLY'''
578 if len(p) == 1:
579 return
580 p[0] = p[1]
581
582 def p_typedef(self, p):
583 '''typedef : TYPEDEF ID '{' block_statements_opt '}' ';' '''
584 p[0] = Typedef(p[2], [], p[4])
585
Ole Troan33a58172019-09-04 09:12:29 +0200586 def p_typedef_flist(self, p):
587 '''typedef : flist TYPEDEF ID '{' block_statements_opt '}' ';' '''
588 p[0] = Typedef(p[3], p[1], p[5])
589
Ole Troan53fffa12018-11-13 12:36:56 +0100590 def p_typedef_alias(self, p):
591 '''typedef : TYPEDEF declaration '''
Ole Troan33a58172019-09-04 09:12:29 +0200592 p[0] = Using(p[2].fieldname, [], p[2])
593
594 def p_typedef_alias_flist(self, p):
595 '''typedef : flist TYPEDEF declaration '''
596 p[0] = Using(p[3].fieldname, p[1], p[3])
Ole Troan53fffa12018-11-13 12:36:56 +0100597
Ole Troan9d420872017-10-12 13:06:35 +0200598 def p_block_statements_opt(self, p):
Ole Troan2c2feab2018-04-24 00:02:37 -0400599 '''block_statements_opt : block_statements '''
Ole Troan9d420872017-10-12 13:06:35 +0200600 p[0] = p[1]
601
602 def p_block_statements(self, p):
603 '''block_statements : block_statement
604 | block_statements block_statement'''
605 if len(p) == 2:
606 p[0] = [p[1]]
607 else:
608 p[0] = p[1] + [p[2]]
609
610 def p_block_statement(self, p):
611 '''block_statement : declaration
612 | option '''
613 p[0] = p[1]
614
615 def p_enum_statements(self, p):
616 '''enum_statements : enum_statement
Ole Troan9ac11382019-04-23 17:11:01 +0200617 | enum_statements enum_statement'''
Ole Troan9d420872017-10-12 13:06:35 +0200618 if len(p) == 2:
619 p[0] = [p[1]]
620 else:
621 p[0] = p[1] + [p[2]]
622
623 def p_enum_statement(self, p):
624 '''enum_statement : ID '=' NUM ','
625 | ID ',' '''
626 if len(p) == 5:
627 p[0] = [p[1], p[3]]
628 else:
629 p[0] = p[1]
630
Ole Troan85465582019-04-30 10:04:36 +0200631 def p_field_options(self, p):
632 '''field_options : field_option
633 | field_options field_option'''
634 if len(p) == 2:
635 p[0] = p[1]
636 else:
Ole Troane5ff5a32019-08-23 22:55:18 +0200637 p[0] = {**p[1], **p[2]}
Ole Troan85465582019-04-30 10:04:36 +0200638
639 def p_field_option(self, p):
Ole Troane5ff5a32019-08-23 22:55:18 +0200640 '''field_option : ID
641 | ID '=' assignee ','
Ole Troan85465582019-04-30 10:04:36 +0200642 | ID '=' assignee
Ole Troane5ff5a32019-08-23 22:55:18 +0200643
Ole Troan85465582019-04-30 10:04:36 +0200644 '''
Ole Troane5ff5a32019-08-23 22:55:18 +0200645 if len(p) == 2:
646 p[0] = {p[1]: None}
647 else:
648 p[0] = {p[1]: p[3]}
Ole Troan85465582019-04-30 10:04:36 +0200649
Ole Troan9d420872017-10-12 13:06:35 +0200650 def p_declaration(self, p):
Ole Troan9ac11382019-04-23 17:11:01 +0200651 '''declaration : type_specifier ID ';'
Ole Troan85465582019-04-30 10:04:36 +0200652 | type_specifier ID '[' field_options ']' ';' '''
653 if len(p) == 7:
654 p[0] = Field(p[1], p[2], p[4])
Ole Troan9ac11382019-04-23 17:11:01 +0200655 elif len(p) == 4:
656 p[0] = Field(p[1], p[2])
657 else:
Paul Vinciguerra582eac52020-04-03 12:18:40 -0400658 self._parse_error('ERROR', self._token_coord(p, 1))
Ole Troan9d420872017-10-12 13:06:35 +0200659 self.fields.append(p[2])
Ole Troan9ac11382019-04-23 17:11:01 +0200660
Ole Troane5ff5a32019-08-23 22:55:18 +0200661 def p_declaration_array_vla(self, p):
662 '''declaration : type_specifier ID '[' ']' ';' '''
663 p[0] = Array(p[1], p[2], 0, modern_vla=True)
664
Ole Troan9d420872017-10-12 13:06:35 +0200665 def p_declaration_array(self, p):
666 '''declaration : type_specifier ID '[' NUM ']' ';'
667 | type_specifier ID '[' ID ']' ';' '''
Ole Troane5ff5a32019-08-23 22:55:18 +0200668
Ole Troan9d420872017-10-12 13:06:35 +0200669 if len(p) != 7:
670 return self._parse_error(
671 'array: %s' % p.value,
672 self._coord(lineno=p.lineno))
673
674 # Make this error later
675 if type(p[4]) is int and p[4] == 0:
676 # XXX: Line number is wrong
677 self._parse_warning('Old Style VLA: {} {}[{}];'
678 .format(p[1], p[2], p[4]),
679 self._token_coord(p, 1))
680
681 if type(p[4]) is str and p[4] not in self.fields:
682 # Verify that length field exists
683 self._parse_error('Missing length field: {} {}[{}];'
684 .format(p[1], p[2], p[4]),
685 self._token_coord(p, 1))
686 p[0] = Array(p[1], p[2], p[4])
687
688 def p_option(self, p):
689 '''option : OPTION ID '=' assignee ';' '''
Ole Troan33a58172019-09-04 09:12:29 +0200690 p[0] = Option(p[2], p[4])
Ole Troan9d420872017-10-12 13:06:35 +0200691
692 def p_assignee(self, p):
693 '''assignee : NUM
694 | TRUE
695 | FALSE
696 | STRING_LITERAL '''
697 p[0] = p[1]
698
699 def p_type_specifier(self, p):
700 '''type_specifier : U8
701 | U16
702 | U32
703 | U64
704 | I8
705 | I16
706 | I32
707 | I64
708 | F64
709 | BOOL
710 | STRING'''
711 p[0] = p[1]
712
713 # Do a second pass later to verify that user defined types are defined
714 def p_typedef_specifier(self, p):
715 '''type_specifier : ID '''
716 if p[1] not in global_types:
717 self._parse_error('Undefined type: {}'.format(p[1]),
718 self._token_coord(p, 1))
719 p[0] = p[1]
720
Ole Troan2c2feab2018-04-24 00:02:37 -0400721 def p_union(self, p):
722 '''union : UNION ID '{' block_statements_opt '}' ';' '''
Ole Troan33a58172019-09-04 09:12:29 +0200723 p[0] = Union(p[2], [], p[4])
724
725 def p_union_flist(self, p):
726 '''union : flist UNION ID '{' block_statements_opt '}' ';' '''
727 p[0] = Union(p[3], p[1], p[5])
Ole Troan2c2feab2018-04-24 00:02:37 -0400728
Ole Troan9d420872017-10-12 13:06:35 +0200729 # Error rule for syntax errors
730 def p_error(self, p):
731 if p:
732 self._parse_error(
733 'before: %s' % p.value,
734 self._coord(lineno=p.lineno))
735 else:
736 self._parse_error('At end of input', self.filename)
737
738
739class VPPAPI(object):
740
Ole Troan5c318c72020-05-05 12:23:47 +0200741 def __init__(self, debug=False, filename='', logger=None, revision=None):
Ole Troan9d420872017-10-12 13:06:35 +0200742 self.lexer = lex.lex(module=VPPAPILexer(filename), debug=debug)
Ole Troan5c318c72020-05-05 12:23:47 +0200743 self.parser = yacc.yacc(module=VPPAPIParser(filename, logger,
744 revision=revision),
Ole Troand6743b12018-03-07 08:40:58 +0100745 write_tables=False, debug=debug)
Ole Troan9d420872017-10-12 13:06:35 +0200746 self.logger = logger
Ole Troan5c318c72020-05-05 12:23:47 +0200747 self.revision = revision
748 self.filename = filename
Ole Troan9d420872017-10-12 13:06:35 +0200749
750 def parse_string(self, code, debug=0, lineno=1):
751 self.lexer.lineno = lineno
752 return self.parser.parse(code, lexer=self.lexer, debug=debug)
753
Ole Troan5c318c72020-05-05 12:23:47 +0200754 def parse_fd(self, fd, debug=0):
Ole Troan9d420872017-10-12 13:06:35 +0200755 data = fd.read()
756 return self.parse_string(data, debug=debug)
757
Ole Troan5c318c72020-05-05 12:23:47 +0200758 def parse_filename(self, filename, debug=0):
759 if self.revision:
760 git_show = f'git show {self.revision}:{filename}'
Ole Troandeecc932020-05-19 12:33:00 +0200761 proc = Popen(git_show.split(), stdout=PIPE, encoding='utf-8')
762 try:
763 data, errs = proc.communicate()
764 if proc.returncode != 0:
765 print(f'File not found: {self.revision}:{filename}', file=sys.stderr)
766 sys.exit(2)
767 return self.parse_string(data, debug=debug)
768 except Exception as e:
769 sys.exit(3)
Ole Troan5c318c72020-05-05 12:23:47 +0200770 else:
771 try:
772 with open(filename, encoding='utf-8') as fd:
773 return self.parse_fd(fd, None)
774 except FileNotFoundError:
775 print(f'File not found: {filename}', file=sys.stderr)
776 sys.exit(2)
777
778 def autoreply_block(self, name, parent):
Ole Troan9d420872017-10-12 13:06:35 +0200779 block = [Field('u32', 'context'),
780 Field('i32', 'retval')]
Ole Troan5c318c72020-05-05 12:23:47 +0200781 # inherhit the parent's options
Ole Troan14a6c0e2020-05-13 11:47:43 +0200782 for k, v in parent.options.items():
Ole Troan5c318c72020-05-05 12:23:47 +0200783 block.append(Option(k, v))
Ole Troan9d420872017-10-12 13:06:35 +0200784 return Define(name + '_reply', [], block)
785
786 def process(self, objs):
787 s = {}
Ole Troan2c2feab2018-04-24 00:02:37 -0400788 s['Option'] = {}
789 s['Define'] = []
790 s['Service'] = []
791 s['types'] = []
792 s['Import'] = []
Ole Troan8dbfb432019-04-24 14:31:18 +0200793 crc = 0
Ole Troan9d420872017-10-12 13:06:35 +0200794 for o in objs:
Ole Troan2c2feab2018-04-24 00:02:37 -0400795 tname = o.__class__.__name__
Ole Troan8dbfb432019-04-24 14:31:18 +0200796 try:
Mark Nelsonea2abba2020-03-04 15:32:09 -0500797 crc = binascii.crc32(o.crc, crc) & 0xffffffff
Ole Troan8dbfb432019-04-24 14:31:18 +0200798 except AttributeError:
799 pass
Ole Troan9d420872017-10-12 13:06:35 +0200800 if isinstance(o, Define):
Ole Troan2c2feab2018-04-24 00:02:37 -0400801 s[tname].append(o)
802 if o.autoreply:
Ole Troan5c318c72020-05-05 12:23:47 +0200803 s[tname].append(self.autoreply_block(o.name, o))
Ole Troan9d420872017-10-12 13:06:35 +0200804 elif isinstance(o, Option):
Ole Troan59b6c0c2020-02-04 09:12:00 +0100805 s[tname][o.option] = o.value
Ole Troan9d420872017-10-12 13:06:35 +0200806 elif type(o) is list:
807 for o2 in o:
808 if isinstance(o2, Service):
Ole Troan2c2feab2018-04-24 00:02:37 -0400809 s['Service'].append(o2)
Ole Troan58914252018-10-23 10:50:07 +0200810 elif (isinstance(o, Enum) or
811 isinstance(o, Typedef) or
Ole Troan75761b92019-09-11 17:49:08 +0200812 isinstance(o, Using) or
Ole Troan58914252018-10-23 10:50:07 +0200813 isinstance(o, Union)):
Ole Troan2c2feab2018-04-24 00:02:37 -0400814 s['types'].append(o)
815 else:
816 if tname not in s:
Ole Troan58914252018-10-23 10:50:07 +0200817 raise ValueError('Unknown class type: {} {}'
818 .format(tname, o))
Ole Troan2c2feab2018-04-24 00:02:37 -0400819 s[tname].append(o)
Ole Troan9d420872017-10-12 13:06:35 +0200820
Ole Troan2c2feab2018-04-24 00:02:37 -0400821 msgs = {d.name: d for d in s['Define']}
822 svcs = {s.caller: s for s in s['Service']}
823 replies = {s.reply: s for s in s['Service']}
Marek Gradzki51e59682018-03-06 10:05:44 +0100824 seen_services = {}
Ole Troan9d420872017-10-12 13:06:35 +0200825
Ole Troan8dbfb432019-04-24 14:31:18 +0200826 s['file_crc'] = crc
827
Ole Troan9d420872017-10-12 13:06:35 +0200828 for service in svcs:
829 if service not in msgs:
Ole Troan17225df2018-04-11 09:50:03 +0200830 raise ValueError(
831 'Service definition refers to unknown message'
832 ' definition: {}'.format(service))
833 if svcs[service].reply != 'null' and \
834 svcs[service].reply not in msgs:
Ole Troan9d420872017-10-12 13:06:35 +0200835 raise ValueError('Service definition refers to unknown message'
836 ' definition in reply: {}'
837 .format(svcs[service].reply))
Marek Gradzkib533f3f2018-03-06 11:10:56 +0100838 if service in replies:
839 raise ValueError('Service definition refers to message'
840 ' marked as reply: {}'.format(service))
Ole Troan9d420872017-10-12 13:06:35 +0200841 for event in svcs[service].events:
842 if event not in msgs:
843 raise ValueError('Service definition refers to unknown '
844 'event: {} in message: {}'
845 .format(event, service))
Marek Gradzki51e59682018-03-06 10:05:44 +0100846 seen_services[event] = True
Ole Troan9d420872017-10-12 13:06:35 +0200847
Marek Gradzki51e59682018-03-06 10:05:44 +0100848 # Create services implicitly
Ole Troan9d420872017-10-12 13:06:35 +0200849 for d in msgs:
Marek Gradzki51e59682018-03-06 10:05:44 +0100850 if d in seen_services:
851 continue
Ole Troan9d420872017-10-12 13:06:35 +0200852 if msgs[d].singular is True:
853 continue
Ole Troan9d420872017-10-12 13:06:35 +0200854 if d.endswith('_reply'):
855 if d[:-6] in svcs:
856 continue
857 if d[:-6] not in msgs:
Marek Gradzkicc134712018-03-06 12:25:02 +0100858 raise ValueError('{} missing calling message'
859 .format(d))
Ole Troan9d420872017-10-12 13:06:35 +0200860 continue
861 if d.endswith('_dump'):
862 if d in svcs:
863 continue
864 if d[:-5]+'_details' in msgs:
Ole Troan2c2feab2018-04-24 00:02:37 -0400865 s['Service'].append(Service(d, d[:-5]+'_details',
Ole Troan58914252018-10-23 10:50:07 +0200866 stream=True))
Ole Troan9d420872017-10-12 13:06:35 +0200867 else:
Marek Gradzkicc134712018-03-06 12:25:02 +0100868 raise ValueError('{} missing details message'
869 .format(d))
Ole Troan9d420872017-10-12 13:06:35 +0200870 continue
871
872 if d.endswith('_details'):
873 if d[:-8]+'_dump' not in msgs:
Marek Gradzkicc134712018-03-06 12:25:02 +0100874 raise ValueError('{} missing dump message'
875 .format(d))
Ole Troan9d420872017-10-12 13:06:35 +0200876 continue
877
878 if d in svcs:
879 continue
880 if d+'_reply' in msgs:
Ole Troan2c2feab2018-04-24 00:02:37 -0400881 s['Service'].append(Service(d, d+'_reply'))
Ole Troan9d420872017-10-12 13:06:35 +0200882 else:
Ole Troan17225df2018-04-11 09:50:03 +0200883 raise ValueError(
884 '{} missing reply message ({}) or service definition'
885 .format(d, d+'_reply'))
Ole Troan9d420872017-10-12 13:06:35 +0200886
887 return s
888
Ole Troan2c2feab2018-04-24 00:02:37 -0400889 def process_imports(self, objs, in_import, result):
Marek Gradzki51e59682018-03-06 10:05:44 +0100890 imported_objs = []
Ole Troan9d420872017-10-12 13:06:35 +0200891 for o in objs:
Ole Troan2c2feab2018-04-24 00:02:37 -0400892 # Only allow the following object types from imported file
893 if in_import and not (isinstance(o, Enum) or
894 isinstance(o, Union) or
Ole Troan10a09892018-06-29 11:32:33 +0200895 isinstance(o, Typedef) or
Ole Troan53fffa12018-11-13 12:36:56 +0100896 isinstance(o, Import) or
897 isinstance(o, Using)):
Ole Troan2c2feab2018-04-24 00:02:37 -0400898 continue
Ole Troan2c2feab2018-04-24 00:02:37 -0400899 if isinstance(o, Import):
Ole Troan33a58172019-09-04 09:12:29 +0200900 result.append(o)
Paul Vinciguerra4bf84902019-07-31 00:34:05 -0400901 result = self.process_imports(o.result, True, result)
Ole Troan10a09892018-06-29 11:32:33 +0200902 else:
903 result.append(o)
Paul Vinciguerra4bf84902019-07-31 00:34:05 -0400904 return result
Ole Troan9d420872017-10-12 13:06:35 +0200905
Ole Troan58914252018-10-23 10:50:07 +0200906
Ole Troan9d420872017-10-12 13:06:35 +0200907# Add message ids to each message.
908def add_msg_id(s):
909 for o in s:
910 o.block.insert(0, Field('u16', '_vl_msg_id'))
911 return s
912
913
Ole Troan9d420872017-10-12 13:06:35 +0200914dirlist = []
915
916
917def dirlist_add(dirs):
918 global dirlist
919 if dirs:
920 dirlist = dirlist + dirs
921
922
923def dirlist_get():
924 return dirlist
925
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -0400926
Ole Troan8dbfb432019-04-24 14:31:18 +0200927def foldup_blocks(block, crc):
928 for b in block:
929 # Look up CRC in user defined types
930 if b.fieldtype.startswith('vl_api_'):
931 # Recursively
932 t = global_types[b.fieldtype]
933 try:
934 crc = crc_block_combine(t.block, crc)
935 return foldup_blocks(t.block, crc)
Ole Troane5ff5a32019-08-23 22:55:18 +0200936 except AttributeError:
Ole Troan8dbfb432019-04-24 14:31:18 +0200937 pass
938 return crc
939
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -0400940
Ole Troan8dbfb432019-04-24 14:31:18 +0200941def foldup_crcs(s):
942 for f in s:
943 f.crc = foldup_blocks(f.block,
Mark Nelsonea2abba2020-03-04 15:32:09 -0500944 binascii.crc32(f.crc) & 0xffffffff)
Ole Troan9d420872017-10-12 13:06:35 +0200945
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -0400946
Ole Troan9d420872017-10-12 13:06:35 +0200947#
948# Main
949#
950def main():
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -0400951 if sys.version_info < (3, 5,):
952 log.exception('vppapigen requires a supported version of python. '
953 'Please use version 3.5 or greater. '
954 'Using {}'.format(sys.version))
955 return 1
956
Ole Troan9d420872017-10-12 13:06:35 +0200957 cliparser = argparse.ArgumentParser(description='VPP API generator')
958 cliparser.add_argument('--pluginpath', default=""),
959 cliparser.add_argument('--includedir', action='append'),
Ole Troan2a1ca782019-09-19 01:08:30 +0200960 cliparser.add_argument('--outputdir', action='store'),
Ole Troan5c318c72020-05-05 12:23:47 +0200961 cliparser.add_argument('--input')
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -0400962 cliparser.add_argument('--output', nargs='?',
963 type=argparse.FileType('w', encoding='UTF-8'),
964 default=sys.stdout)
Ole Troan9d420872017-10-12 13:06:35 +0200965
966 cliparser.add_argument('output_module', nargs='?', default='C')
967 cliparser.add_argument('--debug', action='store_true')
968 cliparser.add_argument('--show-name', nargs=1)
Ole Troan5c318c72020-05-05 12:23:47 +0200969 cliparser.add_argument('--git-revision',
970 help="Git revision to use for opening files")
Ole Troan9d420872017-10-12 13:06:35 +0200971 args = cliparser.parse_args()
972
973 dirlist_add(args.includedir)
974 if not args.debug:
975 sys.excepthook = exception_handler
976
977 # Filename
978 if args.show_name:
979 filename = args.show_name[0]
Ole Troan5c318c72020-05-05 12:23:47 +0200980 elif args.input:
981 filename = args.input
Ole Troan9d420872017-10-12 13:06:35 +0200982 else:
983 filename = ''
984
Marek Gradzki51e59682018-03-06 10:05:44 +0100985 if args.debug:
986 logging.basicConfig(stream=sys.stdout, level=logging.WARNING)
987 else:
988 logging.basicConfig()
Marek Gradzki51e59682018-03-06 10:05:44 +0100989
Ole Troan5c318c72020-05-05 12:23:47 +0200990 parser = VPPAPI(debug=args.debug, filename=filename, logger=log,
991 revision=args.git_revision)
992
993 try:
994 if not args.input:
995 parsed_objects = parser.parse_fd(sys.stdin, log)
996 else:
997 parsed_objects = parser.parse_filename(args.input, log)
998 except ParseError as e:
999 print('Parse error: ', e, file=sys.stderr)
1000 sys.exit(1)
Ole Troan9d420872017-10-12 13:06:35 +02001001
1002 # Build a list of objects. Hash of lists.
Ole Troan2c2feab2018-04-24 00:02:37 -04001003 result = []
Ole Troan33a58172019-09-04 09:12:29 +02001004
1005 if args.output_module == 'C':
1006 s = parser.process(parsed_objects)
1007 else:
Paul Vinciguerra4bf84902019-07-31 00:34:05 -04001008 result = parser.process_imports(parsed_objects, False, result)
Ole Troan33a58172019-09-04 09:12:29 +02001009 s = parser.process(result)
Ole Troan9d420872017-10-12 13:06:35 +02001010
1011 # Add msg_id field
Ole Troan2c2feab2018-04-24 00:02:37 -04001012 s['Define'] = add_msg_id(s['Define'])
Ole Troan9d420872017-10-12 13:06:35 +02001013
Ole Troan8dbfb432019-04-24 14:31:18 +02001014 # Fold up CRCs
1015 foldup_crcs(s['Define'])
Ole Troan9d420872017-10-12 13:06:35 +02001016
1017 #
1018 # Debug
1019 if args.debug:
1020 import pprint
Ole Troan10a09892018-06-29 11:32:33 +02001021 pp = pprint.PrettyPrinter(indent=4, stream=sys.stderr)
Ole Troan2c2feab2018-04-24 00:02:37 -04001022 for t in s['Define']:
Ole Troan9d420872017-10-12 13:06:35 +02001023 pp.pprint([t.name, t.flags, t.block])
Ole Troan2c2feab2018-04-24 00:02:37 -04001024 for t in s['types']:
1025 pp.pprint([t.name, t.block])
Ole Troan9d420872017-10-12 13:06:35 +02001026
1027 #
1028 # Generate representation
1029 #
Paul Vinciguerraf4647ed2019-02-12 12:21:01 -08001030 from importlib.machinery import SourceFileLoader
Ole Troan9d420872017-10-12 13:06:35 +02001031
1032 # Default path
Ole Troan30787372018-03-01 13:33:39 +01001033 pluginpath = ''
Ole Troan9d420872017-10-12 13:06:35 +02001034 if not args.pluginpath:
Ole Troan30787372018-03-01 13:33:39 +01001035 cand = []
1036 cand.append(os.path.dirname(os.path.realpath(__file__)))
Ole Troan17225df2018-04-11 09:50:03 +02001037 cand.append(os.path.dirname(os.path.realpath(__file__)) +
Ole Troan30787372018-03-01 13:33:39 +01001038 '/../share/vpp/')
1039 for c in cand:
1040 c += '/'
Ole Troan58914252018-10-23 10:50:07 +02001041 if os.path.isfile('{}vppapigen_{}.py'
1042 .format(c, args.output_module.lower())):
Ole Troan30787372018-03-01 13:33:39 +01001043 pluginpath = c
1044 break
Ole Troan9d420872017-10-12 13:06:35 +02001045 else:
1046 pluginpath = args.pluginpath + '/'
Ole Troan30787372018-03-01 13:33:39 +01001047 if pluginpath == '':
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -04001048 log.exception('Output plugin not found')
1049 return 1
Ole Troan58914252018-10-23 10:50:07 +02001050 module_path = '{}vppapigen_{}.py'.format(pluginpath,
1051 args.output_module.lower())
Ole Troan9d420872017-10-12 13:06:35 +02001052
1053 try:
Paul Vinciguerraf4647ed2019-02-12 12:21:01 -08001054 plugin = SourceFileLoader(args.output_module,
1055 module_path).load_module()
Ole Troan58914252018-10-23 10:50:07 +02001056 except Exception as err:
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -04001057 log.exception('Error importing output plugin: {}, {}'
1058 .format(module_path, err))
1059 return 1
Ole Troan9d420872017-10-12 13:06:35 +02001060
Ole Troan2a1ca782019-09-19 01:08:30 +02001061 result = plugin.run(args, filename, s)
Ole Troan9d420872017-10-12 13:06:35 +02001062 if result:
Ole Troan17225df2018-04-11 09:50:03 +02001063 print(result, file=args.output)
Ole Troan9d420872017-10-12 13:06:35 +02001064 else:
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -04001065 log.exception('Running plugin failed: {} {}'
1066 .format(filename, result))
1067 return 1
1068 return 0
Ole Troan9d420872017-10-12 13:06:35 +02001069
1070
1071if __name__ == '__main__':
Paul Vinciguerra2cd3cc82019-08-06 22:02:45 -04001072 sys.exit(main())