675712ab616d330d32db8d1eda0130e3f76ddfd5
[vpp.git] / vppapigen / pyvppapigen.py
1 #!/usr/bin/env python
2 #
3 # Copyright (c) 2016 Cisco and/or its affiliates.
4 # Licensed under the Apache License, Version 2.0 (the "License");
5 # you may not use this file except in compliance with the License.
6 # You may obtain a copy of the License at:
7 #
8 #     http://www.apache.org/licenses/LICENSE-2.0
9 #
10 # Unless required by applicable law or agreed to in writing, software
11 # distributed under the License is distributed on an "AS IS" BASIS,
12 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 # See the License for the specific language governing permissions and
14 # limitations under the License.
15 #
16
17 from __future__ import print_function
18 import argparse, sys, os, importlib, pprint
19
20 parser = argparse.ArgumentParser(description='VPP Python API generator')
21 parser.add_argument('-i', '--input', action="store", dest="inputfile", type=argparse.FileType('r'))
22 parser.add_argument('-c', '--cfile', action="store")
23 args = parser.parse_args()
24
25 #
26 # Read API definitions file into vppapidefs
27 #
28 exec(args.inputfile.read())
29
30 # https://docs.python.org/3/library/struct.html
31 format_struct = {'u8': 'B',
32                  'u16' : 'H',
33                  'u32' : 'I',
34                  'i32' : 'i',
35                  'u64' : 'Q',
36                  'f64' : 'd',
37                  'vl_api_ip4_fib_counter_t' : 'IBQQ',
38                  'vl_api_ip6_fib_counter_t' : 'QQBQQ',
39                  'vl_api_lisp_adjacency_t' : 'B' * 35
40                  };
41 #
42 # NB: If new types are introduced in vpe.api, these must be updated.
43 #
44 type_size = {'u8':   1,
45              'u16' : 2,
46              'u32' : 4,
47              'i32' : 4,
48              'u64' : 8,
49              'f64' : 8,
50              'vl_api_ip4_fib_counter_t' : 21,
51              'vl_api_ip6_fib_counter_t' : 33,
52              'vl_api_lisp_adjacency_t' : 35
53 };
54
55 def eprint(*args, **kwargs):
56     print(*args, file=sys.stderr, **kwargs)
57
58 def get_args(t):
59     argslist = []
60     for i in t:
61         if i[1][0] == '_':
62             argslist.append(i[1][1:])
63         else:
64             argslist.append(i[1])
65
66     return argslist
67
68 def get_pack(f):
69     zeroarray = False
70     bytecount = 0
71     pack = ''
72     elements = 1
73     if len(f) is 3 or len(f) is 4:
74         size = type_size[f[0]]
75         bytecount += size * int(f[2])
76         # Check if we have a zero length array
77         if f[2] == '0':
78             # If len 3 zero array
79             elements = 0;
80             pack += format_struct[f[0]]
81             bytecount = size
82         elif size == 1:
83             n = f[2] * size
84             pack += str(n) + 's'
85         else:
86             pack += format_struct[f[0]] * int(f[2])
87             elements = int(f[2])
88     else:
89         bytecount += type_size[f[0]]
90         pack += format_struct[f[0]]
91     return (pack, elements, bytecount)
92
93
94 '''
95 def get_reply_func(f):
96     if f['name']+'_reply' in func_name:
97         return func_name[f['name']+'_reply']
98     if f['name'].find('_dump') > 0:
99         r = f['name'].replace('_dump','_details')
100         if r in func_name:
101             return func_name[r]
102     return None
103 '''
104
105 def footer_print():
106     print('''
107 def msg_id_base_set(b):
108     global base
109     base = b
110
111 import os
112 name = os.path.splitext(os.path.basename(__file__))[0]
113     ''')
114     print(u"plugin_register(name, api_func_table, api_name_to_id,", vl_api_version, ", msg_id_base_set)")
115
116 def api_table_print(name, i):
117     msg_id_in = 'VL_API_' + name.upper()
118     fstr = name + '_decode'
119     print('api_func_table.append(' + fstr + ')')
120     print('api_name_to_id["' + msg_id_in + '"] =', i)
121     print('')
122
123
124 def encode_print(name, id, t):
125     args = get_args(t)
126
127     if name.find('_dump') > 0:
128         multipart = True
129     else:
130         multipart = False
131
132     if len(args) < 4:
133         print(u"def", name + "(async = False):")
134     else:
135         print(u"def", name + "(" + ', '.join(args[3:]) + ", async = False):")
136     print(u"    global base")
137     print(u"    context = get_context(base + " + id + ")")
138
139     print('''
140     results_prepare(context)
141     waiting_for_reply_set()
142     ''')
143     if multipart == True:
144         print(u"    results_more_set(context)")
145
146     t = list(t)
147
148     # only the last field can be a variable-length-array
149     # it can either be 0, or a string
150     # first, deal with all the other fields
151     pack = '>' + ''.join([get_pack(f)[0] for f in t[:-1]])
152
153     # named variable-length-array
154     if len(t[-1]) == 4 and t[-1][2] == '0' and t[-1][3] == t[-2][1]:
155         print(u"    vpp_api.write(pack('" + pack + "', base + "
156               + id + ", 0, context, " + ', '.join(args[3:-2] + ["len(" + args[-1] + ")"])
157               + ") + " + args[-1] + ")")
158
159     # unnamed variable-length-array
160     elif len(t[-1]) >= 3 and t[-1][2] == '0':
161         print(u"    vpp_api.write(pack('" + pack + "', base + " +
162               id + ", 0, context, " + ', '.join(args[3:-1]) + ") + "
163               + args[-1] + ")")
164
165
166     # not a variable-length-array
167     else:
168         pack += get_pack(t[-1])[0]
169         print(u"    vpp_api.write(pack('" + pack + "', base + " + id +
170               ", 0, context, " + ', '.join(args[3:]) + "))")
171
172     if multipart == True:
173         print(
174             u"    vpp_api.write(pack('>HII', VL_API_CONTROL_PING, 0, context))")
175
176     print('''
177     if not async:
178         results_event_wait(context, 5)
179         return results_get(context)
180     return context
181     ''')
182
183 def get_normal_pack(t, i, pack, offset):
184     while t:
185         f = t.pop(0)
186         i += 1
187         if len(f) >= 3:
188             return t, i, pack, offset, f
189         p, elements, size = get_pack(f)
190         pack += p
191         offset += size
192     return t, i, pack, offset, None
193
194 def decode_print(name, t):
195     #
196     # Generate code for each element
197     #
198     print(u'def ' + name + u'_decode(msg):')
199     total = 0
200     args = get_args(t)
201     print(u"    n = namedtuple('" + name + "', '" + ', '.join(args) + "')")
202     print(u"    res = []")
203
204     pack = '>'
205     start = 0
206     end = 0
207     offset = 0
208     t = list(t)
209     i = 0
210     while t:
211         t, i, pack, offset, array = get_normal_pack(t, i, pack, offset)
212         if array:
213             p, elements, size = get_pack(array)
214
215             # Byte string
216             if elements > 0 and type_size[array[0]] == 1:
217                 pack += p
218                 offset += size * elements
219                 continue
220
221             # Dump current pack string
222             if pack != '>':
223                 print(u"    tr = unpack_from('" + pack + "', msg[" + str(start) + ":])")
224                 print(u"    res.extend(list(tr))")
225                 start += offset
226             pack = '>'
227
228             if elements == 0:
229                 # This has to be the last element
230                 if len(array) == 3:
231                     print(u"    res.append(msg[" + str(offset) + ":])")
232                     if len(t) > 0:
233                         eprint('WARNING: Variable length array must be last element in message', name, array)
234
235                     continue
236                 if size == 1 or len(p) == 1:
237                     # Do it as a bytestring.
238                     if p == 'B':
239                         p = 's'
240                     # XXX: Assume that length parameter is the previous field. Add validation.
241                     print(u"    c = res[" + str(i - 2) + "]")
242                     print(u"    tr = unpack_from('>' + str(c) + '" + p + "', msg[" + str(start) + ":])")
243                     print(u"    res.append(tr)")
244                     continue
245                 print(u"    tr2 = []")
246                 print(u"    offset = " + str(total))
247                 print(u"    for j in range(res[" + str(i - 2) + "]):")
248                 print(u"        tr2.append(unpack_from('>" + p + "', msg[" + str(start) + ":], offset))")
249                 print(u"        offset += " + str(size))
250                 print(u"    res.append(tr2)")
251                 continue
252
253             # Missing something!!
254             print(u"    tr = unpack_from('>" + p + "', msg[" + str(start) + ":])")
255             start += size
256
257             print(u"    res.append(tr)")
258
259     if pack != '>':
260         print(u"    tr = unpack_from('" + pack + "', msg[" + str(start) + ":])")
261         print(u"    res.extend(list(tr))")
262     print(u"    return n._make(res)")
263     print('')
264
265 #
266 # Generate the main Python file
267 #
268 def main():
269     print('''
270 #
271 # AUTO-GENERATED FILE. PLEASE DO NOT EDIT.
272 #
273 from vpp_api_base import *
274 from struct import *
275 from collections import namedtuple
276 import vpp_api
277 api_func_table = []
278 api_name_to_id = {}
279     ''')
280
281     for i, a in enumerate(messages):
282         name = a[0]
283         encode_print(name, str(i), a[1:])
284         decode_print(name, a[1:])
285         api_table_print(name, i)
286     footer_print()
287
288 if __name__ == "__main__":
289     main()