]> git.cworth.org Git - apitrace/blob - specs/stdapi.py
Add Function.argNames() method.
[apitrace] / specs / stdapi.py
1 ##########################################################################
2 #
3 # Copyright 2008-2010 VMware, Inc.
4 # All Rights Reserved.
5 #
6 # Permission is hereby granted, free of charge, to any person obtaining a copy
7 # of this software and associated documentation files (the "Software"), to deal
8 # in the Software without restriction, including without limitation the rights
9 # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
10 # copies of the Software, and to permit persons to whom the Software is
11 # furnished to do so, subject to the following conditions:
12 #
13 # The above copyright notice and this permission notice shall be included in
14 # all copies or substantial portions of the Software.
15 #
16 # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
17 # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
18 # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
19 # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
20 # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
21 # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
22 # THE SOFTWARE.
23 #
24 ##########################################################################/
25
26 """C basic types"""
27
28
29 import debug
30
31
32 class Type:
33     """Base class for all types."""
34
35     __tags = set()
36
37     def __init__(self, expr, tag = None):
38         self.expr = expr
39
40         # Generate a default tag, used when naming functions that will operate
41         # on this type, so it should preferrably be something representative of
42         # the type.
43         if tag is None:
44             tag = ''.join([c for c in expr if c.isalnum() or c in '_'])
45         else:
46             for c in tag:
47                 assert c.isalnum() or c in '_'
48
49         # Ensure it is unique.
50         if tag in Type.__tags:
51             suffix = 1
52             while tag + str(suffix) in Type.__tags:
53                 suffix += 1
54             tag += str(suffix)
55
56         assert tag not in Type.__tags
57         Type.__tags.add(tag)
58
59         self.tag = tag
60
61     def __str__(self):
62         """Return the C/C++ type expression for this type."""
63         return self.expr
64
65     def visit(self, visitor, *args, **kwargs):
66         raise NotImplementedError
67
68
69
70 class _Void(Type):
71     """Singleton void type."""
72
73     def __init__(self):
74         Type.__init__(self, "void")
75
76     def visit(self, visitor, *args, **kwargs):
77         return visitor.visitVoid(self, *args, **kwargs)
78
79 Void = _Void()
80
81
82 class Literal(Type):
83     """Class to describe literal types.
84
85     Types which are not defined in terms of other types, such as integers and
86     floats."""
87
88     def __init__(self, expr, kind):
89         Type.__init__(self, expr)
90         self.kind = kind
91
92     def visit(self, visitor, *args, **kwargs):
93         return visitor.visitLiteral(self, *args, **kwargs)
94
95
96 class Const(Type):
97
98     def __init__(self, type):
99         # While "const foo" and "foo const" are synonymous, "const foo *" and
100         # "foo * const" are not quite the same, and some compilers do enforce
101         # strict const correctness.
102         if isinstance(type, String) or type is WString:
103             # For strings we never intend to say a const pointer to chars, but
104             # rather a point to const chars.
105             expr = "const " + type.expr
106         elif type.expr.startswith("const ") or '*' in type.expr:
107             expr = type.expr + " const"
108         else:
109             # The most legible
110             expr = "const " + type.expr
111
112         Type.__init__(self, expr, 'C' + type.tag)
113
114         self.type = type
115
116     def visit(self, visitor, *args, **kwargs):
117         return visitor.visitConst(self, *args, **kwargs)
118
119
120 class Pointer(Type):
121
122     def __init__(self, type):
123         Type.__init__(self, type.expr + " *", 'P' + type.tag)
124         self.type = type
125
126     def visit(self, visitor, *args, **kwargs):
127         return visitor.visitPointer(self, *args, **kwargs)
128
129
130 class Handle(Type):
131
132     def __init__(self, name, type, range=None, key=None):
133         Type.__init__(self, type.expr, 'P' + type.tag)
134         self.name = name
135         self.type = type
136         self.range = range
137         self.key = key
138
139     def visit(self, visitor, *args, **kwargs):
140         return visitor.visitHandle(self, *args, **kwargs)
141
142
143 def ConstPointer(type):
144     return Pointer(Const(type))
145
146
147 class Enum(Type):
148
149     __id = 0
150
151     def __init__(self, name, values):
152         Type.__init__(self, name)
153
154         self.id = Enum.__id
155         Enum.__id += 1
156
157         self.values = list(values)
158
159     def visit(self, visitor, *args, **kwargs):
160         return visitor.visitEnum(self, *args, **kwargs)
161
162
163 def FakeEnum(type, values):
164     return Enum(type.expr, values)
165
166
167 class Bitmask(Type):
168
169     __id = 0
170
171     def __init__(self, type, values):
172         Type.__init__(self, type.expr)
173
174         self.id = Bitmask.__id
175         Bitmask.__id += 1
176
177         self.type = type
178         self.values = values
179
180     def visit(self, visitor, *args, **kwargs):
181         return visitor.visitBitmask(self, *args, **kwargs)
182
183 Flags = Bitmask
184
185
186 class Array(Type):
187
188     def __init__(self, type, length):
189         Type.__init__(self, type.expr + " *")
190         self.type = type
191         self.length = length
192
193     def visit(self, visitor, *args, **kwargs):
194         return visitor.visitArray(self, *args, **kwargs)
195
196
197 class Blob(Type):
198
199     def __init__(self, type, size):
200         Type.__init__(self, type.expr + ' *')
201         self.type = type
202         self.size = size
203
204     def visit(self, visitor, *args, **kwargs):
205         return visitor.visitBlob(self, *args, **kwargs)
206
207
208 class Struct(Type):
209
210     __id = 0
211
212     def __init__(self, name, members):
213         Type.__init__(self, name)
214
215         self.id = Struct.__id
216         Struct.__id += 1
217
218         self.name = name
219         self.members = members
220
221     def visit(self, visitor, *args, **kwargs):
222         return visitor.visitStruct(self, *args, **kwargs)
223
224
225 class Alias(Type):
226
227     def __init__(self, expr, type):
228         Type.__init__(self, expr)
229         self.type = type
230
231     def visit(self, visitor, *args, **kwargs):
232         return visitor.visitAlias(self, *args, **kwargs)
233
234
235 def Out(type, name):
236     arg = Arg(type, name, output=True)
237     return arg
238
239
240 class Arg:
241
242     def __init__(self, type, name, output=False):
243         self.type = type
244         self.name = name
245         self.output = output
246         self.index = None
247
248     def __str__(self):
249         return '%s %s' % (self.type, self.name)
250
251
252 class Function:
253
254     # 0-3 are reserved to memcpy, malloc, free, and realloc
255     __id = 4
256
257     def __init__(self, type, name, args, call = '', fail = None, sideeffects=True):
258         self.id = Function.__id
259         Function.__id += 1
260
261         self.type = type
262         self.name = name
263
264         self.args = []
265         index = 0
266         for arg in args:
267             if not isinstance(arg, Arg):
268                 if isinstance(arg, tuple):
269                     arg_type, arg_name = arg
270                 else:
271                     arg_type = arg
272                     arg_name = "arg%u" % index
273                 arg = Arg(arg_type, arg_name)
274             arg.index = index
275             index += 1
276             self.args.append(arg)
277
278         self.call = call
279         self.fail = fail
280         self.sideeffects = sideeffects
281
282     def prototype(self, name=None):
283         if name is not None:
284             name = name.strip()
285         else:
286             name = self.name
287         s = name
288         if self.call:
289             s = self.call + ' ' + s
290         if name.startswith('*'):
291             s = '(' + s + ')'
292         s = self.type.expr + ' ' + s
293         s += "("
294         if self.args:
295             s += ", ".join(["%s %s" % (arg.type, arg.name) for arg in self.args])
296         else:
297             s += "void"
298         s += ")"
299         return s
300
301     def argNames(self):
302         return [arg.name for arg in self.args]
303
304
305 def StdFunction(*args, **kwargs):
306     kwargs.setdefault('call', '__stdcall')
307     return Function(*args, **kwargs)
308
309
310 def FunctionPointer(type, name, args, **kwargs):
311     # XXX: We should probably treat function pointers (callbacks or not) in a generic fashion
312     return Opaque(name)
313
314
315 class Interface(Type):
316
317     def __init__(self, name, base=None):
318         Type.__init__(self, name)
319         self.name = name
320         self.base = base
321         self.methods = []
322
323     def visit(self, visitor, *args, **kwargs):
324         return visitor.visitInterface(self, *args, **kwargs)
325
326     def iterMethods(self):
327         if self.base is not None:
328             for method in self.base.iterMethods():
329                 yield method
330         for method in self.methods:
331             yield method
332         raise StopIteration
333
334
335 class Method(Function):
336
337     def __init__(self, type, name, args):
338         Function.__init__(self, type, name, args, call = '__stdcall')
339         for index in range(len(self.args)):
340             self.args[index].index = index + 1
341
342
343 class String(Type):
344
345     def __init__(self, expr = "char *", length = None):
346         Type.__init__(self, expr)
347         self.length = length
348
349     def visit(self, visitor, *args, **kwargs):
350         return visitor.visitString(self, *args, **kwargs)
351
352 # C string (i.e., zero terminated)
353 CString = String()
354
355
356 class Opaque(Type):
357     '''Opaque pointer.'''
358
359     def __init__(self, expr):
360         Type.__init__(self, expr)
361
362     def visit(self, visitor, *args, **kwargs):
363         return visitor.visitOpaque(self, *args, **kwargs)
364
365
366 def OpaquePointer(type, *args):
367     return Opaque(type.expr + ' *')
368
369 def OpaqueArray(type, size):
370     return Opaque(type.expr + ' *')
371
372 def OpaqueBlob(type, size):
373     return Opaque(type.expr + ' *')
374
375
376 class Polymorphic(Type):
377
378     def __init__(self, defaultType, switchExpr, switchTypes):
379         Type.__init__(self, defaultType.expr)
380         self.defaultType = defaultType
381         self.switchExpr = switchExpr
382         self.switchTypes = switchTypes
383
384     def visit(self, visitor, *args, **kwargs):
385         return visitor.visitPolymorphic(self, *args, **kwargs)
386
387     def iterSwitch(self):
388         cases = [['default']]
389         types = [self.defaultType]
390
391         for expr, type in self.switchTypes:
392             case = 'case %s' % expr
393             try:
394                 i = types.index(type)
395             except ValueError:
396                 cases.append([case])
397                 types.append(type)
398             else:
399                 cases[i].append(case)
400
401         return zip(cases, types)
402
403
404 class Visitor:
405     '''Abstract visitor for the type hierarchy.'''
406
407     def visit(self, type, *args, **kwargs):
408         return type.visit(self, *args, **kwargs)
409
410     def visitVoid(self, void, *args, **kwargs):
411         raise NotImplementedError
412
413     def visitLiteral(self, literal, *args, **kwargs):
414         raise NotImplementedError
415
416     def visitString(self, string, *args, **kwargs):
417         raise NotImplementedError
418
419     def visitConst(self, const, *args, **kwargs):
420         raise NotImplementedError
421
422     def visitStruct(self, struct, *args, **kwargs):
423         raise NotImplementedError
424
425     def visitArray(self, array, *args, **kwargs):
426         raise NotImplementedError
427
428     def visitBlob(self, blob, *args, **kwargs):
429         raise NotImplementedError
430
431     def visitEnum(self, enum, *args, **kwargs):
432         raise NotImplementedError
433
434     def visitBitmask(self, bitmask, *args, **kwargs):
435         raise NotImplementedError
436
437     def visitPointer(self, pointer, *args, **kwargs):
438         raise NotImplementedError
439
440     def visitHandle(self, handle, *args, **kwargs):
441         raise NotImplementedError
442
443     def visitAlias(self, alias, *args, **kwargs):
444         raise NotImplementedError
445
446     def visitOpaque(self, opaque, *args, **kwargs):
447         raise NotImplementedError
448
449     def visitInterface(self, interface, *args, **kwargs):
450         raise NotImplementedError
451
452     def visitPolymorphic(self, polymorphic, *args, **kwargs):
453         raise NotImplementedError
454         #return self.visit(polymorphic.defaultType, *args, **kwargs)
455
456
457 class OnceVisitor(Visitor):
458     '''Visitor that guarantees that each type is visited only once.'''
459
460     def __init__(self):
461         self.__visited = set()
462
463     def visit(self, type, *args, **kwargs):
464         if type not in self.__visited:
465             self.__visited.add(type)
466             return type.visit(self, *args, **kwargs)
467         return None
468
469
470 class Rebuilder(Visitor):
471     '''Visitor which rebuild types as it visits them.
472
473     By itself it is a no-op -- it is intended to be overwritten.
474     '''
475
476     def visitVoid(self, void):
477         return void
478
479     def visitLiteral(self, literal):
480         return literal
481
482     def visitString(self, string):
483         return string
484
485     def visitConst(self, const):
486         return Const(const.type)
487
488     def visitStruct(self, struct):
489         members = [(self.visit(type), name) for type, name in struct.members]
490         return Struct(struct.name, members)
491
492     def visitArray(self, array):
493         type = self.visit(array.type)
494         return Array(type, array.length)
495
496     def visitBlob(self, blob):
497         type = self.visit(blob.type)
498         return Blob(type, blob.size)
499
500     def visitEnum(self, enum):
501         return enum
502
503     def visitBitmask(self, bitmask):
504         type = self.visit(bitmask.type)
505         return Bitmask(type, bitmask.values)
506
507     def visitPointer(self, pointer):
508         type = self.visit(pointer.type)
509         return Pointer(type)
510
511     def visitHandle(self, handle):
512         type = self.visit(handle.type)
513         return Handle(handle.name, type, range=handle.range, key=handle.key)
514
515     def visitAlias(self, alias):
516         type = self.visit(alias.type)
517         return Alias(alias.expr, type)
518
519     def visitOpaque(self, opaque):
520         return opaque
521
522     def visitPolymorphic(self, polymorphic):
523         defaultType = self.visit(polymorphic.defaultType)
524         switchExpr = polymorphic.switchExpr
525         switchTypes = [(expr, self.visit(type)) for expr, type in polymorphic.switchTypes]
526         return Polymorphic(defaultType, switchExpr, switchTypes)
527
528
529 class Collector(Visitor):
530     '''Visitor which collects all unique types as it traverses them.'''
531
532     def __init__(self):
533         self.__visited = set()
534         self.types = []
535
536     def visit(self, type):
537         if type in self.__visited:
538             return
539         self.__visited.add(type)
540         Visitor.visit(self, type)
541         self.types.append(type)
542
543     def visitVoid(self, literal):
544         pass
545
546     def visitLiteral(self, literal):
547         pass
548
549     def visitString(self, string):
550         pass
551
552     def visitConst(self, const):
553         self.visit(const.type)
554
555     def visitStruct(self, struct):
556         for type, name in struct.members:
557             self.visit(type)
558
559     def visitArray(self, array):
560         self.visit(array.type)
561
562     def visitBlob(self, array):
563         pass
564
565     def visitEnum(self, enum):
566         pass
567
568     def visitBitmask(self, bitmask):
569         self.visit(bitmask.type)
570
571     def visitPointer(self, pointer):
572         self.visit(pointer.type)
573
574     def visitHandle(self, handle):
575         self.visit(handle.type)
576
577     def visitAlias(self, alias):
578         self.visit(alias.type)
579
580     def visitOpaque(self, opaque):
581         pass
582
583     def visitInterface(self, interface):
584         if interface.base is not None:
585             self.visit(interface.base)
586         for method in interface.iterMethods():
587             for arg in method.args:
588                 self.visit(arg.type)
589             self.visit(method.type)
590
591     def visitPolymorphic(self, polymorphic):
592         self.visit(polymorphic.defaultType)
593         for expr, type in polymorphic.switchTypes:
594             self.visit(type)
595
596
597 class API:
598     '''API abstraction.
599
600     Essentially, a collection of types, functions, and interfaces.
601     '''
602
603     def __init__(self, name = None):
604         self.name = name
605         self.headers = []
606         self.functions = []
607         self.interfaces = []
608
609     def all_types(self):
610         collector = Collector()
611         for function in self.functions:
612             for arg in function.args:
613                 collector.visit(arg.type)
614             collector.visit(function.type)
615         for interface in self.interfaces:
616             collector.visit(interface)
617             for method in interface.iterMethods():
618                 for arg in method.args:
619                     collector.visit(arg.type)
620                 collector.visit(method.type)
621         return collector.types
622
623     def addFunction(self, function):
624         self.functions.append(function)
625
626     def addFunctions(self, functions):
627         for function in functions:
628             self.addFunction(function)
629
630     def addInterface(self, interface):
631         self.interfaces.append(interface)
632
633     def addInterfaces(self, interfaces):
634         self.interfaces.extend(interfaces)
635
636     def addApi(self, api):
637         self.headers.extend(api.headers)
638         self.addFunctions(api.functions)
639         self.addInterfaces(api.interfaces)
640
641     def get_function_by_name(self, name):
642         for function in self.functions:
643             if function.name == name:
644                 return function
645         return None
646
647
648 Bool = Literal("bool", "Bool")
649 SChar = Literal("signed char", "SInt")
650 UChar = Literal("unsigned char", "UInt")
651 Short = Literal("short", "SInt")
652 Int = Literal("int", "SInt")
653 Long = Literal("long", "SInt")
654 LongLong = Literal("long long", "SInt")
655 UShort = Literal("unsigned short", "UInt")
656 UInt = Literal("unsigned int", "UInt")
657 ULong = Literal("unsigned long", "UInt")
658 ULongLong = Literal("unsigned long long", "UInt")
659 Float = Literal("float", "Float")
660 Double = Literal("double", "Double")
661 SizeT = Literal("size_t", "UInt")
662 WString = Literal("wchar_t *", "WString")
663
664 Int8 = Literal("int8_t", "SInt")
665 UInt8 = Literal("uint8_t", "UInt")
666 Int16 = Literal("int16_t", "SInt")
667 UInt16 = Literal("uint16_t", "UInt")
668 Int32 = Literal("int32_t", "SInt")
669 UInt32 = Literal("uint32_t", "UInt")
670 Int64 = Literal("int64_t", "SInt")
671 UInt64 = Literal("uint64_t", "UInt")