]> git.proxmox.com Git - ovs.git/blame - ovsdb/ovsdb-idlc.in
ovsdb: Drop regular expression constraints.
[ovs.git] / ovsdb / ovsdb-idlc.in
CommitLineData
d879a707
BP
1#! @PYTHON@
2
3import getopt
00732bf5 4import os
d879a707 5import re
d879a707
BP
6import sys
7
8sys.path.insert(0, "@abs_top_srcdir@/ovsdb")
9import simplejson as json
10
11argv0 = sys.argv[0]
12
13class Error(Exception):
14 def __init__(self, msg):
15 Exception.__init__(self)
16 self.msg = msg
17
18def getMember(json, name, validTypes, description, default=None):
19 if name in json:
20 member = json[name]
21 if type(member) not in validTypes:
22 raise Error("%s: type mismatch for '%s' member"
23 % (description, name))
24 return member
25 return default
26
27def mustGetMember(json, name, expectedType, description):
28 member = getMember(json, name, expectedType, description)
29 if member == None:
30 raise Error("%s: missing '%s' member" % (description, name))
31 return member
32
33class DbSchema:
c3bb4bd7 34 def __init__(self, name, comment, tables, idlPrefix, idlHeader):
d879a707
BP
35 self.name = name
36 self.comment = comment
37 self.tables = tables
c3bb4bd7
BP
38 self.idlPrefix = idlPrefix
39 self.idlHeader = idlHeader
d879a707
BP
40
41 @staticmethod
42 def fromJson(json):
43 name = mustGetMember(json, 'name', [unicode], 'database')
44 comment = getMember(json, 'comment', [unicode], 'database')
45 tablesJson = mustGetMember(json, 'tables', [dict], 'database')
46 tables = {}
45a7de56
BP
47 for tableName, tableJson in tablesJson.iteritems():
48 tables[tableName] = TableSchema.fromJson(tableJson,
49 "%s table" % tableName)
c3bb4bd7
BP
50 idlPrefix = mustGetMember(json, 'idlPrefix', [unicode], 'database')
51 idlHeader = mustGetMember(json, 'idlHeader', [unicode], 'database')
52 return DbSchema(name, comment, tables, idlPrefix, idlHeader)
d879a707 53
d879a707
BP
54class TableSchema:
55 def __init__(self, comment, columns):
56 self.comment = comment
57 self.columns = columns
58
59 @staticmethod
60 def fromJson(json, description):
61 comment = getMember(json, 'comment', [unicode], description)
62 columnsJson = mustGetMember(json, 'columns', [dict], description)
63 columns = {}
64 for name, json in columnsJson.iteritems():
65 columns[name] = ColumnSchema.fromJson(
66 json, "column %s in %s" % (name, description))
67 return TableSchema(comment, columns)
68
d879a707
BP
69class ColumnSchema:
70 def __init__(self, comment, type, persistent):
71 self.comment = comment
72 self.type = type
73 self.persistent = persistent
74
75 @staticmethod
76 def fromJson(json, description):
77 comment = getMember(json, 'comment', [unicode], description)
78 type = Type.fromJson(mustGetMember(json, 'type', [dict, unicode],
79 description),
80 'type of %s' % description)
1264cb08 81 ephemeral = getMember(json, 'ephemeral', [bool], description)
d879a707
BP
82 persistent = ephemeral != True
83 return ColumnSchema(comment, type, persistent)
84
bd76d25d
BP
85def escapeCString(src):
86 dst = ""
87 for c in src:
88 if c in "\\\"":
89 dst += "\\" + c
90 elif ord(c) < 32:
91 if c == '\n':
92 dst += '\\n'
93 elif c == '\r':
94 dst += '\\r'
95 elif c == '\a':
96 dst += '\\a'
97 elif c == '\b':
98 dst += '\\b'
99 elif c == '\f':
100 dst += '\\f'
101 elif c == '\t':
102 dst += '\\t'
103 elif c == '\v':
104 dst += '\\v'
105 else:
106 dst += '\\%03o' % ord(c)
107 else:
108 dst += c
109 return dst
110
111class BaseType:
89521e3f
BP
112 def __init__(self, type,
113 refTable=None,
114 minInteger=None, maxInteger=None,
115 minReal=None, maxReal=None,
bd76d25d
BP
116 minLength=None, maxLength=None):
117 self.type = type
118 self.refTable = refTable
119 self.minInteger = minInteger
120 self.maxInteger = maxInteger
121 self.minReal = minReal
122 self.maxReal = maxReal
bd76d25d
BP
123 self.minLength = minLength
124 self.maxLength = maxLength
125
126 @staticmethod
127 def fromJson(json, description):
128 if type(json) == unicode:
129 return BaseType(json)
130 else:
131 atomicType = mustGetMember(json, 'type', [unicode], description)
132 refTable = getMember(json, 'refTable', [unicode], description)
133 minInteger = getMember(json, 'minInteger', [int, long], description)
134 maxInteger = getMember(json, 'maxInteger', [int, long], description)
135 minReal = getMember(json, 'minReal', [int, long, float], description)
136 maxReal = getMember(json, 'maxReal', [int, long, float], description)
bd76d25d
BP
137 minLength = getMember(json, 'minLength', [int], description)
138 maxLength = getMember(json, 'minLength', [int], description)
89521e3f 139 return BaseType(atomicType, refTable, minInteger, maxInteger, minReal, maxReal, minLength, maxLength)
bd76d25d
BP
140
141 def toEnglish(self):
142 if self.type == 'uuid' and self.refTable:
143 return self.refTable
144 else:
145 return self.type
146
147 def toCType(self, prefix):
148 if self.refTable:
149 return "struct %s%s *" % (prefix, self.refTable.lower())
150 else:
151 return {'integer': 'int64_t ',
152 'real': 'double ',
153 'uuid': 'struct uuid ',
154 'boolean': 'bool ',
155 'string': 'char *'}[self.type]
156
157 def copyCValue(self, dst, src):
158 args = {'dst': dst, 'src': src}
159 if self.refTable:
160 return ("%(dst)s = %(src)s->header_.uuid;") % args
161 elif self.type == 'string':
162 return "%(dst)s = xstrdup(%(src)s);" % args
163 else:
164 return "%(dst)s = %(src)s;" % args
165
166 def initCDefault(self, var, isOptional):
167 if self.refTable:
168 return "%s = NULL;" % var
169 elif self.type == 'string' and not isOptional:
170 return "%s = \"\";" % var
171 else:
172 return {'integer': '%s = 0;',
173 'real': '%s = 0.0;',
174 'uuid': 'uuid_zero(&%s);',
175 'boolean': '%s = false;',
176 'string': '%s = NULL;'}[self.type] % var
177
178 def cInitBaseType(self, indent, var):
179 stmts = []
180 stmts.append('ovsdb_base_type_init(&%s, OVSDB_TYPE_%s);' % (
181 var, self.type.upper()),)
182 if self.type == 'integer':
183 if self.minInteger != None:
184 stmts.append('%s.u.integer.min = %d;' % (var, self.minInteger))
185 if self.maxInteger != None:
186 stmts.append('%s.u.integer.max = %d;' % (var, self.maxInteger))
187 elif self.type == 'real':
188 if self.minReal != None:
189 stmts.append('%s.u.real.min = %d;' % (var, self.minReal))
190 if self.maxReal != None:
191 stmts.append('%s.u.real.max = %d;' % (var, self.maxReal))
192 elif self.type == 'string':
bd76d25d
BP
193 if self.minLength != None:
194 stmts.append('%s.u.string.minLen = %d;' % (var, self.minLength))
195 if self.maxLength != None:
196 stmts.append('%s.u.string.maxLen = %d;' % (var, self.maxLength))
0d0f05b9
BP
197 elif self.type == 'uuid':
198 if self.refTable != None:
199 stmts.append('%s.u.uuid.refTableName = "%s";' % (var, escapeCString(self.refTable)))
bd76d25d 200 return '\n'.join([indent + stmt for stmt in stmts])
d879a707
BP
201
202class Type:
bd76d25d 203 def __init__(self, key, value=None, min=1, max=1):
d879a707 204 self.key = key
d879a707 205 self.value = value
d879a707
BP
206 self.min = min
207 self.max = max
208
209 @staticmethod
210 def fromJson(json, description):
211 if type(json) == unicode:
bd76d25d 212 return Type(BaseType(json))
d879a707 213 else:
bd76d25d
BP
214 keyJson = mustGetMember(json, 'key', [dict, unicode], description)
215 key = BaseType.fromJson(keyJson, 'key in %s' % description)
bd76d25d
BP
216
217 valueJson = getMember(json, 'value', [dict, unicode], description)
218 if valueJson:
219 value = BaseType.fromJson(valueJson,
220 'value in %s' % description)
bd76d25d
BP
221 else:
222 value = None
223
d879a707
BP
224 min = getMember(json, 'min', [int], description, 1)
225 max = getMember(json, 'max', [int, unicode], description, 1)
bd76d25d 226 return Type(key, value, min, max)
d879a707 227
45a7de56
BP
228 def isScalar(self):
229 return self.min == 1 and self.max == 1 and not self.value
230
231 def isOptional(self):
232 return self.min == 0 and self.max == 1
233
bd76d25d
BP
234 def isOptionalPointer(self):
235 return (self.min == 0 and self.max == 1 and not self.value
236 and (self.key.type == 'string' or self.key.refTable))
237
45a7de56 238 def toEnglish(self):
bd76d25d 239 keyName = self.key.toEnglish()
45a7de56 240 if self.value:
bd76d25d 241 valueName = self.value.toEnglish()
45a7de56
BP
242
243 if self.isScalar():
bd76d25d 244 return keyName
45a7de56
BP
245 elif self.isOptional():
246 if self.value:
247 return "optional %s-%s pair" % (keyName, valueName)
248 else:
249 return "optional %s" % keyName
250 else:
251 if self.max == "unlimited":
252 if self.min:
253 quantity = "%d or more " % self.min
254 else:
255 quantity = ""
256 elif self.min:
257 quantity = "%d to %d " % (self.min, self.max)
258 else:
259 quantity = "up to %d " % self.max
260
261 if self.value:
262 return "map of %s%s-%s pairs" % (quantity, keyName, valueName)
263 else:
264 return "set of %s%s" % (quantity, keyName)
265
bd76d25d
BP
266 def cDeclComment(self):
267 if self.min == 1 and self.max == 1 and self.key.type == "string":
268 return "\t/* Always nonnull. */"
269 else:
270 return ""
45a7de56 271
bd76d25d
BP
272 def cInitType(self, indent, var):
273 initKey = self.key.cInitBaseType(indent, "%s.key" % var)
274 if self.value:
275 initValue = self.value.cInitBaseType(indent, "%s.value" % var)
276 else:
277 initValue = ('%sovsdb_base_type_init(&%s.value, '
278 'OVSDB_TYPE_VOID);' % (indent, var))
279 initMin = "%s%s.n_min = %s;" % (indent, var, self.min)
280 if self.max == "unlimited":
281 max = "UINT_MAX"
282 else:
283 max = self.max
284 initMax = "%s%s.n_max = %s;" % (indent, var, max)
285 return "\n".join((initKey, initValue, initMin, initMax))
45a7de56 286
d879a707 287def parseSchema(filename):
00732bf5
BP
288 return DbSchema.fromJson(json.load(open(filename, "r")))
289
290def annotateSchema(schemaFile, annotationFile):
291 schemaJson = json.load(open(schemaFile, "r"))
292 execfile(annotationFile, globals(), {"s": schemaJson})
293 json.dump(schemaJson, sys.stdout)
d879a707 294
02630ff2
BP
295def constify(cType, const):
296 if (const
297 and cType.endswith('*') and not cType.endswith('**')
298 and (cType.startswith('struct uuid') or cType.startswith('char'))):
299 return 'const %s' % cType
300 else:
301 return cType
302
303def cMembers(prefix, columnName, column, const):
475281c0
BP
304 type = column.type
305 if type.min == 1 and type.max == 1:
306 singleton = True
307 pointer = ''
308 else:
309 singleton = False
bd76d25d 310 if type.isOptionalPointer():
475281c0
BP
311 pointer = ''
312 else:
313 pointer = '*'
314
315 if type.value:
316 key = {'name': "key_%s" % columnName,
bd76d25d 317 'type': constify(type.key.toCType(prefix) + pointer, const),
475281c0
BP
318 'comment': ''}
319 value = {'name': "value_%s" % columnName,
bd76d25d 320 'type': constify(type.value.toCType(prefix) + pointer, const),
475281c0
BP
321 'comment': ''}
322 members = [key, value]
323 else:
324 m = {'name': columnName,
bd76d25d
BP
325 'type': constify(type.key.toCType(prefix) + pointer, const),
326 'comment': type.cDeclComment()}
475281c0
BP
327 members = [m]
328
bd76d25d 329 if not singleton and not type.isOptionalPointer():
475281c0
BP
330 members.append({'name': 'n_%s' % columnName,
331 'type': 'size_t ',
332 'comment': ''})
333 return members
334
00732bf5
BP
335def printCIDLHeader(schemaFile):
336 schema = parseSchema(schemaFile)
c3bb4bd7 337 prefix = schema.idlPrefix
d879a707
BP
338 print '''\
339/* Generated automatically -- do not modify! -*- buffer-read-only: t -*- */
340
341#ifndef %(prefix)sIDL_HEADER
342#define %(prefix)sIDL_HEADER 1
343
344#include <stdbool.h>
345#include <stddef.h>
346#include <stdint.h>
c3bb4bd7 347#include "ovsdb-idl-provider.h"
d879a707 348#include "uuid.h"''' % {'prefix': prefix.upper()}
979821c0 349
bd76d25d 350 for tableName, table in sorted(schema.tables.iteritems()):
c3bb4bd7 351 structName = "%s%s" % (prefix, tableName.lower())
979821c0
BP
352
353 print "\f"
354 print "/* %s table. */" % tableName
c3bb4bd7
BP
355 print "struct %s {" % structName
356 print "\tstruct ovsdb_idl_row header_;"
bd76d25d 357 for columnName, column in sorted(table.columns.iteritems()):
d879a707 358 print "\n\t/* %s column. */" % columnName
02630ff2 359 for member in cMembers(prefix, columnName, column, False):
475281c0 360 print "\t%(type)s%(name)s;%(comment)s" % member
979821c0 361 print "};"
c3bb4bd7 362
979821c0
BP
363 # Column indexes.
364 printEnum(["%s_COL_%s" % (structName.upper(), columnName.upper())
bd76d25d 365 for columnName in sorted(table.columns)]
979821c0
BP
366 + ["%s_N_COLUMNS" % structName.upper()])
367
368 print
369 for columnName in table.columns:
370 print "#define %(s)s_col_%(c)s (%(s)s_columns[%(S)s_COL_%(C)s])" % {
371 's': structName,
372 'S': structName.upper(),
373 'c': columnName,
374 'C': columnName.upper()}
375
376 print "\nextern struct ovsdb_idl_column %s_columns[%s_N_COLUMNS];" % (structName, structName.upper())
377
378 print '''
c3bb4bd7
BP
379const struct %(s)s *%(s)s_first(const struct ovsdb_idl *);
380const struct %(s)s *%(s)s_next(const struct %(s)s *);
475281c0
BP
381#define %(S)s_FOR_EACH(ROW, IDL) for ((ROW) = %(s)s_first(IDL); (ROW); (ROW) = %(s)s_next(ROW))
382
383void %(s)s_delete(const struct %(s)s *);
384struct %(s)s *%(s)s_insert(struct ovsdb_idl_txn *);
385''' % {'s': structName, 'S': structName.upper()}
386
bd76d25d 387 for columnName, column in sorted(table.columns.iteritems()):
475281c0
BP
388 print 'void %(s)s_verify_%(c)s(const struct %(s)s *);' % {'s': structName, 'c': columnName}
389
390 print
bd76d25d 391 for columnName, column in sorted(table.columns.iteritems()):
475281c0
BP
392
393 print 'void %(s)s_set_%(c)s(const struct %(s)s *,' % {'s': structName, 'c': columnName},
394 args = ['%(type)s%(name)s' % member for member
02630ff2 395 in cMembers(prefix, columnName, column, True)]
475281c0
BP
396 print '%s);' % ', '.join(args)
397
979821c0 398 # Table indexes.
bd76d25d 399 printEnum(["%sTABLE_%s" % (prefix.upper(), tableName.upper()) for tableName in sorted(schema.tables)] + ["%sN_TABLES" % prefix.upper()])
979821c0
BP
400 print
401 for tableName in schema.tables:
402 print "#define %(p)stable_%(t)s (%(p)stable_classes[%(P)sTABLE_%(T)s])" % {
403 'p': prefix,
404 'P': prefix.upper(),
405 't': tableName.lower(),
406 'T': tableName.upper()}
407 print "\nextern struct ovsdb_idl_table_class %stable_classes[%sN_TABLES];" % (prefix, prefix.upper())
408
c3bb4bd7 409 print "\nextern struct ovsdb_idl_class %sidl_class;" % prefix
bd76d25d 410 print "\nvoid %sinit(void);" % prefix
c3bb4bd7
BP
411 print "\n#endif /* %(prefix)sIDL_HEADER */" % {'prefix': prefix.upper()}
412
413def printEnum(members):
414 if len(members) == 0:
415 return
416
417 print "\nenum {";
418 for member in members[:-1]:
419 print " %s," % member
420 print " %s" % members[-1]
421 print "};"
422
00732bf5
BP
423def printCIDLSource(schemaFile):
424 schema = parseSchema(schemaFile)
c3bb4bd7
BP
425 prefix = schema.idlPrefix
426 print '''\
427/* Generated automatically -- do not modify! -*- buffer-read-only: t -*- */
428
429#include <config.h>
430#include %s
bd76d25d 431#include <assert.h>
c3bb4bd7 432#include <limits.h>
bd76d25d
BP
433#include "ovsdb-data.h"
434#include "ovsdb-error.h"
435
436static bool inited;
89521e3f 437''' % schema.idlHeader
c3bb4bd7 438
66095e15 439 # Cast functions.
bd76d25d 440 for tableName, table in sorted(schema.tables.iteritems()):
66095e15
BP
441 structName = "%s%s" % (prefix, tableName.lower())
442 print '''
443static struct %(s)s *
979821c0 444%(s)s_cast(const struct ovsdb_idl_row *row)
66095e15
BP
445{
446 return row ? CONTAINER_OF(row, struct %(s)s, header_) : NULL;
447}\
448''' % {'s': structName}
449
450
bd76d25d 451 for tableName, table in sorted(schema.tables.iteritems()):
c3bb4bd7
BP
452 structName = "%s%s" % (prefix, tableName.lower())
453 print "\f"
454 if table.comment != None:
455 print "/* %s table (%s). */" % (tableName, table.comment)
456 else:
457 print "/* %s table. */" % (tableName)
458
979821c0 459 # Parse functions.
bd76d25d 460 for columnName, column in sorted(table.columns.iteritems()):
979821c0 461 print '''
c3bb4bd7 462static void
979821c0 463%(s)s_parse_%(c)s(struct ovsdb_idl_row *row_, const struct ovsdb_datum *datum)
c3bb4bd7 464{
979821c0
BP
465 struct %(s)s *row = %(s)s_cast(row_);''' % {'s': structName,
466 'c': columnName}
c3bb4bd7 467
c3bb4bd7 468 type = column.type
c3bb4bd7
BP
469 if type.value:
470 keyVar = "row->key_%s" % columnName
471 valueVar = "row->value_%s" % columnName
472 else:
473 keyVar = "row->%s" % columnName
474 valueVar = None
475
bd76d25d 476 if (type.min == 1 and type.max == 1) or type.isOptionalPointer():
979821c0 477 print
bd76d25d 478 print " assert(inited);"
c3bb4bd7 479 print " if (datum->n >= 1) {"
bd76d25d
BP
480 if not type.key.refTable:
481 print " %s = datum->keys[0].%s;" % (keyVar, type.key.type)
c3bb4bd7 482 else:
bd76d25d 483 print " %s = %s%s_cast(ovsdb_idl_get_row_arc(row_, &%stable_classes[%sTABLE_%s], &datum->keys[0].uuid));" % (keyVar, prefix, type.key.refTable.lower(), prefix, prefix.upper(), type.key.refTable.upper())
c3bb4bd7
BP
484
485 if valueVar:
bd76d25d
BP
486 if type.value.refTable:
487 print " %s = datum->values[0].%s;" % (valueVar, type.value.type)
c3bb4bd7 488 else:
bd76d25d 489 print " %s = %s%s_cast(ovsdb_idl_get_row_arc(row_, &%stable_classes[%sTABLE_%s], &datum->values[0].uuid));" % (valueVar, prefix, type.value.refTable.lower(), prefix, prefix.upper(), type.value.refTable.upper())
979821c0 490 print " } else {"
bd76d25d 491 print " %s" % type.key.initCDefault(keyVar, type.min == 0)
979821c0 492 if valueVar:
bd76d25d 493 print " %s" % type.value.initCDefault(valueVar, type.min == 0)
c3bb4bd7
BP
494 print " }"
495 else:
496 if type.max != 'unlimited':
979821c0
BP
497 print " size_t n = MIN(%d, datum->n);" % type.max
498 nMax = "n"
c3bb4bd7
BP
499 else:
500 nMax = "datum->n"
979821c0
BP
501 print " size_t i;"
502 print
bd76d25d 503 print " assert(inited);"
979821c0
BP
504 print " %s = NULL;" % keyVar
505 if valueVar:
506 print " %s = NULL;" % valueVar
507 print " row->n_%s = 0;" % columnName
c3bb4bd7
BP
508 print " for (i = 0; i < %s; i++) {" % nMax
509 refs = []
bd76d25d
BP
510 if type.key.refTable:
511 print " struct %s%s *keyRow = %s%s_cast(ovsdb_idl_get_row_arc(row_, &%stable_classes[%sTABLE_%s], &datum->keys[i].uuid));" % (prefix, type.key.refTable.lower(), prefix, type.key.refTable.lower(), prefix, prefix.upper(), type.key.refTable.upper())
c3bb4bd7
BP
512 keySrc = "keyRow"
513 refs.append('keyRow')
514 else:
bd76d25d
BP
515 keySrc = "datum->keys[i].%s" % type.key.type
516 if type.value and type.value.refTable:
517 print " struct %s%s *valueRow = %s%s_cast(ovsdb_idl_get_row_arc(row_, &%stable_classes[%sTABLE_%s], &datum->values[i].uuid));" % (prefix, type.value.refTable.lower(), prefix, type.value.refTable.lower(), prefix, prefix.upper(), type.value.refTable.upper())
c3bb4bd7
BP
518 valueSrc = "valueRow"
519 refs.append('valueRow')
520 elif valueVar:
bd76d25d 521 valueSrc = "datum->values[i].%s" % type.value.type
c3bb4bd7
BP
522 if refs:
523 print " if (%s) {" % ' && '.join(refs)
524 indent = " "
525 else:
526 indent = " "
527 print "%sif (!row->n_%s) {" % (indent, columnName)
528 print "%s %s = xmalloc(%s * sizeof *%s);" % (indent, keyVar, nMax, keyVar)
529 if valueVar:
66095e15 530 print "%s %s = xmalloc(%s * sizeof %s);" % (indent, valueVar, nMax, valueVar)
c3bb4bd7
BP
531 print "%s}" % indent
532 print "%s%s[row->n_%s] = %s;" % (indent, keyVar, columnName, keySrc)
533 if valueVar:
66095e15 534 print "%s%s[row->n_%s] = %s;" % (indent, valueVar, columnName, valueSrc)
c3bb4bd7
BP
535 print "%srow->n_%s++;" % (indent, columnName)
536 if refs:
537 print " }"
538 print " }"
979821c0 539 print "}"
c3bb4bd7 540
979821c0 541 # Unparse functions.
bd76d25d 542 for columnName, column in sorted(table.columns.iteritems()):
c3bb4bd7 543 type = column.type
bd76d25d 544 if (type.min != 1 or type.max != 1) and not type.isOptionalPointer():
979821c0 545 print '''
c3bb4bd7 546static void
979821c0 547%(s)s_unparse_%(c)s(struct ovsdb_idl_row *row_)
c3bb4bd7 548{
979821c0 549 struct %(s)s *row = %(s)s_cast(row_);
bd76d25d
BP
550
551 assert(inited);''' % {'s': structName, 'c': columnName}
c3bb4bd7
BP
552 if type.value:
553 keyVar = "row->key_%s" % columnName
554 valueVar = "row->value_%s" % columnName
555 else:
556 keyVar = "row->%s" % columnName
557 valueVar = None
558 print " free(%s);" % keyVar
559 if valueVar:
560 print " free(%s);" % valueVar
979821c0
BP
561 print '}'
562 else:
563 print '''
c3bb4bd7 564static void
c69ee87c 565%(s)s_unparse_%(c)s(struct ovsdb_idl_row *row OVS_UNUSED)
979821c0
BP
566{
567 /* Nothing to do. */
568}''' % {'s': structName, 'c': columnName}
569
c3bb4bd7
BP
570 # First, next functions.
571 print '''
66095e15
BP
572const struct %(s)s *
573%(s)s_first(const struct ovsdb_idl *idl)
c3bb4bd7 574{
66095e15 575 return %(s)s_cast(ovsdb_idl_first_row(idl, &%(p)stable_classes[%(P)sTABLE_%(T)s]));
c3bb4bd7
BP
576}
577
66095e15
BP
578const struct %(s)s *
579%(s)s_next(const struct %(s)s *row)
c3bb4bd7 580{
66095e15 581 return %(s)s_cast(ovsdb_idl_next_row(&row->header_));
475281c0
BP
582}''' % {'s': structName,
583 'p': prefix,
584 'P': prefix.upper(),
585 'T': tableName.upper()}
586
587 print '''
588void
9e336f49 589%(s)s_delete(const struct %(s)s *row)
475281c0 590{
475281c0
BP
591 ovsdb_idl_txn_delete(&row->header_);
592}
593
594struct %(s)s *
595%(s)s_insert(struct ovsdb_idl_txn *txn)
596{
597 return %(s)s_cast(ovsdb_idl_txn_insert(txn, &%(p)stable_classes[%(P)sTABLE_%(T)s]));
598}
599''' % {'s': structName,
600 'p': prefix,
601 'P': prefix.upper(),
602 'T': tableName.upper()}
603
604 # Verify functions.
bd76d25d 605 for columnName, column in sorted(table.columns.iteritems()):
475281c0
BP
606 print '''
607void
608%(s)s_verify_%(c)s(const struct %(s)s *row)
609{
bd76d25d 610 assert(inited);
475281c0
BP
611 ovsdb_idl_txn_verify(&row->header_, &%(s)s_columns[%(S)s_COL_%(C)s]);
612}''' % {'s': structName,
613 'S': structName.upper(),
614 'c': columnName,
615 'C': columnName.upper()}
616
617 # Set functions.
bd76d25d 618 for columnName, column in sorted(table.columns.iteritems()):
475281c0
BP
619 type = column.type
620 print '\nvoid'
02630ff2 621 members = cMembers(prefix, columnName, column, True)
475281c0
BP
622 keyVar = members[0]['name']
623 nVar = None
624 valueVar = None
625 if type.value:
626 valueVar = members[1]['name']
627 if len(members) > 2:
628 nVar = members[2]['name']
629 else:
630 if len(members) > 1:
631 nVar = members[1]['name']
979821c0 632 print '%(s)s_set_%(c)s(const struct %(s)s *row, %(args)s)' % \
475281c0
BP
633 {'s': structName, 'c': columnName,
634 'args': ', '.join(['%(type)s%(name)s' % m for m in members])}
635 print "{"
475281c0
BP
636 print " struct ovsdb_datum datum;"
637 if type.min == 1 and type.max == 1:
638 print
bd76d25d 639 print " assert(inited);"
475281c0
BP
640 print " datum.n = 1;"
641 print " datum.keys = xmalloc(sizeof *datum.keys);"
bd76d25d 642 print " " + type.key.copyCValue("datum.keys[0].%s" % type.key.type, keyVar)
475281c0
BP
643 if type.value:
644 print " datum.values = xmalloc(sizeof *datum.values);"
bd76d25d 645 print " "+ type.value.copyCValue("datum.values[0].%s" % type.value.type, valueVar)
475281c0
BP
646 else:
647 print " datum.values = NULL;"
bd76d25d 648 elif type.isOptionalPointer():
475281c0 649 print
bd76d25d 650 print " assert(inited);"
475281c0
BP
651 print " if (%s) {" % keyVar
652 print " datum.n = 1;"
653 print " datum.keys = xmalloc(sizeof *datum.keys);"
bd76d25d 654 print " " + type.key.copyCValue("datum.keys[0].%s" % type.key.type, keyVar)
475281c0
BP
655 print " } else {"
656 print " datum.n = 0;"
657 print " datum.keys = NULL;"
658 print " }"
659 print " datum.values = NULL;"
660 else:
661 print " size_t i;"
662 print
bd76d25d 663 print " assert(inited);"
475281c0
BP
664 print " datum.n = %s;" % nVar
665 print " datum.keys = xmalloc(%s * sizeof *datum.keys);" % nVar
666 if type.value:
667 print " datum.values = xmalloc(%s * sizeof *datum.values);" % nVar
668 else:
669 print " datum.values = NULL;"
670 print " for (i = 0; i < %s; i++) {" % nVar
bd76d25d 671 print " " + type.key.copyCValue("datum.keys[i].%s" % type.key.type, "%s[i]" % keyVar)
475281c0 672 if type.value:
bd76d25d 673 print " " + type.value.copyCValue("datum.values[i].%s" % type.value.type, "%s[i]" % valueVar)
475281c0
BP
674 print " }"
675 print " ovsdb_idl_txn_write(&row->header_, &%(s)s_columns[%(S)s_COL_%(C)s], &datum);" \
676 % {'s': structName,
677 'S': structName.upper(),
678 'C': columnName.upper()}
679 print "}"
c3bb4bd7
BP
680
681 # Table columns.
bd76d25d 682 print "\nstruct ovsdb_idl_column %s_columns[%s_N_COLUMNS];" % (
c3bb4bd7 683 structName, structName.upper())
bd76d25d
BP
684 print """
685static void\n%s_columns_init(void)
686{
687 struct ovsdb_idl_column *c;\
688""" % structName
689 for columnName, column in sorted(table.columns.iteritems()):
690 cs = "%s_col_%s" % (structName, columnName)
691 d = {'cs': cs, 'c': columnName, 's': structName}
692 print
693 print " /* Initialize %(cs)s. */" % d
694 print " c = &%(cs)s;" % d
695 print " c->name = \"%(c)s\";" % d
696 print column.type.cInitType(" ", "c->type")
697 print " c->parse = %(s)s_parse_%(c)s;" % d
698 print " c->unparse = %(s)s_unparse_%(c)s;" % d
699 print "}"
c3bb4bd7
BP
700
701 # Table classes.
702 print "\f"
979821c0 703 print "struct ovsdb_idl_table_class %stable_classes[%sN_TABLES] = {" % (prefix, prefix.upper())
bd76d25d 704 for tableName, table in sorted(schema.tables.iteritems()):
c3bb4bd7
BP
705 structName = "%s%s" % (prefix, tableName.lower())
706 print " {\"%s\"," % tableName
707 print " %s_columns, ARRAY_SIZE(%s_columns)," % (
708 structName, structName)
979821c0 709 print " sizeof(struct %s)}," % structName
c3bb4bd7
BP
710 print "};"
711
712 # IDL class.
713 print "\nstruct ovsdb_idl_class %sidl_class = {" % prefix
9cb53f26
BP
714 print " \"%s\", %stable_classes, ARRAY_SIZE(%stable_classes)" % (
715 schema.name, prefix, prefix)
c3bb4bd7 716 print "};"
d879a707 717
bd76d25d
BP
718 # global init function
719 print """
720void
721%sinit(void)
722{
723 if (inited) {
724 return;
725 }
726 inited = true;
727""" % prefix
728 for tableName, table in sorted(schema.tables.iteritems()):
729 structName = "%s%s" % (prefix, tableName.lower())
730 print " %s_columns_init();" % structName
731 print "}"
732
d879a707
BP
733def ovsdb_escape(string):
734 def escape(match):
735 c = match.group(0)
736 if c == '\0':
737 raise Error("strings may not contain null bytes")
738 elif c == '\\':
739 return '\\\\'
740 elif c == '\n':
741 return '\\n'
742 elif c == '\r':
743 return '\\r'
744 elif c == '\t':
745 return '\\t'
746 elif c == '\b':
747 return '\\b'
748 elif c == '\a':
749 return '\\a'
750 else:
751 return '\\x%02x' % ord(c)
752 return re.sub(r'["\\\000-\037]', escape, string)
753
00732bf5
BP
754def printDoc(schemaFile):
755 schema = parseSchema(schemaFile)
45a7de56
BP
756 print schema.name
757 if schema.comment:
758 print schema.comment
759
8fdf8457 760 for tableName, table in sorted(schema.tables.iteritems()):
45a7de56
BP
761 title = "%s table" % tableName
762 print
763 print title
764 print '-' * len(title)
765 if table.comment:
766 print table.comment
767
8fdf8457 768 for columnName, column in sorted(table.columns.iteritems()):
45a7de56
BP
769 print
770 print "%s (%s)" % (columnName, column.type.toEnglish())
771 if column.comment:
772 print "\t%s" % column.comment
773
d879a707
BP
774def usage():
775 print """\
776%(argv0)s: ovsdb schema compiler
00732bf5 777usage: %(argv0)s [OPTIONS] COMMAND ARG...
d879a707 778
00732bf5
BP
779The following commands are supported:
780 annotate SCHEMA ANNOTATIONS print SCHEMA combined with ANNOTATIONS
781 c-idl-header IDL print C header file for IDL
782 c-idl-source IDL print C source file for IDL implementation
783 doc IDL print schema documentation
d879a707
BP
784
785The following options are also available:
786 -h, --help display this help message
787 -V, --version display version information\
788""" % {'argv0': argv0}
789 sys.exit(0)
790
791if __name__ == "__main__":
792 try:
793 try:
00732bf5
BP
794 options, args = getopt.gnu_getopt(sys.argv[1:], 'C:hV',
795 ['directory',
796 'help',
d879a707
BP
797 'version'])
798 except getopt.GetoptError, geo:
799 sys.stderr.write("%s: %s\n" % (argv0, geo.msg))
800 sys.exit(1)
801
00732bf5
BP
802 for key, value in options:
803 if key in ['-h', '--help']:
804 usage()
805 elif key in ['-V', '--version']:
806 print "ovsdb-idlc (Open vSwitch) @VERSION@"
807 elif key in ['-C', '--directory']:
808 os.chdir(value)
809 else:
810 sys.exit(0)
811
d879a707 812 optKeys = [key for key, value in options]
00732bf5
BP
813
814 if not args:
815 sys.stderr.write("%s: missing command argument "
816 "(use --help for help)\n" % argv0)
d879a707
BP
817 sys.exit(1)
818
00732bf5
BP
819 commands = {"annotate": (annotateSchema, 2),
820 "c-idl-header": (printCIDLHeader, 1),
821 "c-idl-source": (printCIDLSource, 1),
822 "doc": (printDoc, 1)}
823
824 if not args[0] in commands:
825 sys.stderr.write("%s: unknown command \"%s\" "
826 "(use --help for help)\n" % (argv0, args[0]))
d879a707 827 sys.exit(1)
00732bf5
BP
828
829 func, n_args = commands[args[0]]
830 if len(args) - 1 != n_args:
831 sys.stderr.write("%s: \"%s\" requires %d arguments but %d "
832 "provided\n"
833 % (argv0, args[0], n_args, len(args) - 1))
834 sys.exit(1)
835
836 func(*args[1:])
d879a707
BP
837 except Error, e:
838 sys.stderr.write("%s: %s\n" % (argv0, e.msg))
839 sys.exit(1)
840
841# Local variables:
842# mode: python
843# End: