]> git.cworth.org Git - apitrace/blob - specs/stdapi.py
Merge branch 'master' into d2d
[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 IntPointer(Type):
131     '''Integer encoded as a pointer.'''
132
133     def visit(self, visitor, *args, **kwargs):
134         return visitor.visitIntPointer(self, *args, **kwargs)
135
136
137 class LinearPointer(Type):
138     '''Integer encoded as a pointer.'''
139
140     def __init__(self, type, size = None):
141         Type.__init__(self, type.expr + " *", 'P' + type.tag)
142         self.type = type
143         self.size = size
144
145     def visit(self, visitor, *args, **kwargs):
146         return visitor.visitLinearPointer(self, *args, **kwargs)
147
148
149 class Handle(Type):
150
151     def __init__(self, name, type, range=None, key=None):
152         Type.__init__(self, type.expr, 'P' + type.tag)
153         self.name = name
154         self.type = type
155         self.range = range
156         self.key = key
157
158     def visit(self, visitor, *args, **kwargs):
159         return visitor.visitHandle(self, *args, **kwargs)
160
161
162 def ConstPointer(type):
163     return Pointer(Const(type))
164
165
166 class Enum(Type):
167
168     __id = 0
169
170     def __init__(self, name, values):
171         Type.__init__(self, name)
172
173         self.id = Enum.__id
174         Enum.__id += 1
175
176         self.values = list(values)
177
178     def visit(self, visitor, *args, **kwargs):
179         return visitor.visitEnum(self, *args, **kwargs)
180
181
182 def FakeEnum(type, values):
183     return Enum(type.expr, values)
184
185
186 class Bitmask(Type):
187
188     __id = 0
189
190     def __init__(self, type, values):
191         Type.__init__(self, type.expr)
192
193         self.id = Bitmask.__id
194         Bitmask.__id += 1
195
196         self.type = type
197         self.values = values
198
199     def visit(self, visitor, *args, **kwargs):
200         return visitor.visitBitmask(self, *args, **kwargs)
201
202 Flags = Bitmask
203
204
205 class Array(Type):
206
207     def __init__(self, type, length):
208         Type.__init__(self, type.expr + " *")
209         self.type = type
210         self.length = length
211
212     def visit(self, visitor, *args, **kwargs):
213         return visitor.visitArray(self, *args, **kwargs)
214
215
216 class Blob(Type):
217
218     def __init__(self, type, size):
219         Type.__init__(self, type.expr + ' *')
220         self.type = type
221         self.size = size
222
223     def visit(self, visitor, *args, **kwargs):
224         return visitor.visitBlob(self, *args, **kwargs)
225
226
227 class Struct(Type):
228
229     __id = 0
230
231     def __init__(self, name, members):
232         Type.__init__(self, name)
233
234         self.id = Struct.__id
235         Struct.__id += 1
236
237         self.name = name
238         self.members = members
239
240     def visit(self, visitor, *args, **kwargs):
241         return visitor.visitStruct(self, *args, **kwargs)
242
243
244 class Alias(Type):
245
246     def __init__(self, expr, type):
247         Type.__init__(self, expr)
248         self.type = type
249
250     def visit(self, visitor, *args, **kwargs):
251         return visitor.visitAlias(self, *args, **kwargs)
252
253
254 def Out(type, name):
255     arg = Arg(type, name, output=True)
256     return arg
257
258
259 class Arg:
260
261     def __init__(self, type, name, output=False):
262         self.type = type
263         self.name = name
264         self.output = output
265         self.index = None
266
267     def __str__(self):
268         return '%s %s' % (self.type, self.name)
269
270
271 class Function:
272
273     # 0-3 are reserved to memcpy, malloc, free, and realloc
274     __id = 4
275
276     def __init__(self, type, name, args, call = '', fail = None, sideeffects=True):
277         self.id = Function.__id
278         Function.__id += 1
279
280         self.type = type
281         self.name = name
282
283         self.args = []
284         index = 0
285         for arg in args:
286             if not isinstance(arg, Arg):
287                 if isinstance(arg, tuple):
288                     arg_type, arg_name = arg
289                 else:
290                     arg_type = arg
291                     arg_name = "arg%u" % index
292                 arg = Arg(arg_type, arg_name)
293             arg.index = index
294             index += 1
295             self.args.append(arg)
296
297         self.call = call
298         self.fail = fail
299         self.sideeffects = sideeffects
300
301     def prototype(self, name=None):
302         if name is not None:
303             name = name.strip()
304         else:
305             name = self.name
306         s = name
307         if self.call:
308             s = self.call + ' ' + s
309         if name.startswith('*'):
310             s = '(' + s + ')'
311         s = self.type.expr + ' ' + s
312         s += "("
313         if self.args:
314             s += ", ".join(["%s %s" % (arg.type, arg.name) for arg in self.args])
315         else:
316             s += "void"
317         s += ")"
318         return s
319
320     def argNames(self):
321         return [arg.name for arg in self.args]
322
323
324 def StdFunction(*args, **kwargs):
325     kwargs.setdefault('call', '__stdcall')
326     return Function(*args, **kwargs)
327
328
329 def FunctionPointer(type, name, args, **kwargs):
330     # XXX: We should probably treat function pointers (callbacks or not) in a generic fashion
331     return Opaque(name)
332
333
334 class Interface(Type):
335
336     def __init__(self, name, base=None):
337         Type.__init__(self, name)
338         self.name = name
339         self.base = base
340         self.methods = []
341
342     def visit(self, visitor, *args, **kwargs):
343         return visitor.visitInterface(self, *args, **kwargs)
344
345     def iterMethods(self):
346         if self.base is not None:
347             for method in self.base.iterMethods():
348                 yield method
349         for method in self.methods:
350             yield method
351         raise StopIteration
352     
353     def iterBaseMethods(self):
354         if self.base is not None:
355             for iface, method in self.base.iterBaseMethods():
356                 yield iface, method
357         for method in self.methods:
358             yield self, method
359         raise StopIteration
360
361
362 class Method(Function):
363
364     def __init__(self, type, name, args, const=False):
365         Function.__init__(self, type, name, args, call = '__stdcall')
366         for index in range(len(self.args)):
367             self.args[index].index = index + 1
368         self.const = const
369
370     def prototype(self, name=None):
371         s = Function.prototype(self, name)
372         if self.const:
373             s += ' const'
374         return s
375
376
377 class String(Type):
378
379     def __init__(self, expr = "char *", length = None):
380         Type.__init__(self, expr)
381         self.length = length
382
383     def visit(self, visitor, *args, **kwargs):
384         return visitor.visitString(self, *args, **kwargs)
385
386 # C string (i.e., zero terminated)
387 CString = String()
388
389
390 class Opaque(Type):
391     '''Opaque pointer.'''
392
393     def __init__(self, expr):
394         Type.__init__(self, expr)
395
396     def visit(self, visitor, *args, **kwargs):
397         return visitor.visitOpaque(self, *args, **kwargs)
398
399
400 def OpaquePointer(type, *args):
401     return Opaque(type.expr + ' *')
402
403 def OpaqueArray(type, size):
404     return Opaque(type.expr + ' *')
405
406 def OpaqueBlob(type, size):
407     return Opaque(type.expr + ' *')
408
409
410 class Polymorphic(Type):
411
412     def __init__(self, defaultType, switchExpr, switchTypes):
413         Type.__init__(self, defaultType.expr)
414         self.defaultType = defaultType
415         self.switchExpr = switchExpr
416         self.switchTypes = switchTypes
417
418     def visit(self, visitor, *args, **kwargs):
419         return visitor.visitPolymorphic(self, *args, **kwargs)
420
421     def iterSwitch(self):
422         cases = [['default']]
423         types = [self.defaultType]
424
425         for expr, type in self.switchTypes:
426             case = 'case %s' % expr
427             try:
428                 i = types.index(type)
429             except ValueError:
430                 cases.append([case])
431                 types.append(type)
432             else:
433                 cases[i].append(case)
434
435         return zip(cases, types)
436
437
438 class Visitor:
439     '''Abstract visitor for the type hierarchy.'''
440
441     def visit(self, type, *args, **kwargs):
442         return type.visit(self, *args, **kwargs)
443
444     def visitVoid(self, void, *args, **kwargs):
445         raise NotImplementedError
446
447     def visitLiteral(self, literal, *args, **kwargs):
448         raise NotImplementedError
449
450     def visitString(self, string, *args, **kwargs):
451         raise NotImplementedError
452
453     def visitConst(self, const, *args, **kwargs):
454         raise NotImplementedError
455
456     def visitStruct(self, struct, *args, **kwargs):
457         raise NotImplementedError
458
459     def visitArray(self, array, *args, **kwargs):
460         raise NotImplementedError
461
462     def visitBlob(self, blob, *args, **kwargs):
463         raise NotImplementedError
464
465     def visitEnum(self, enum, *args, **kwargs):
466         raise NotImplementedError
467
468     def visitBitmask(self, bitmask, *args, **kwargs):
469         raise NotImplementedError
470
471     def visitPointer(self, pointer, *args, **kwargs):
472         raise NotImplementedError
473
474     def visitIntPointer(self, pointer, *args, **kwargs):
475         raise NotImplementedError
476
477     def visitLinearPointer(self, pointer, *args, **kwargs):
478         raise NotImplementedError
479
480     def visitHandle(self, handle, *args, **kwargs):
481         raise NotImplementedError
482
483     def visitAlias(self, alias, *args, **kwargs):
484         raise NotImplementedError
485
486     def visitOpaque(self, opaque, *args, **kwargs):
487         raise NotImplementedError
488
489     def visitInterface(self, interface, *args, **kwargs):
490         raise NotImplementedError
491
492     def visitPolymorphic(self, polymorphic, *args, **kwargs):
493         raise NotImplementedError
494         #return self.visit(polymorphic.defaultType, *args, **kwargs)
495
496
497 class OnceVisitor(Visitor):
498     '''Visitor that guarantees that each type is visited only once.'''
499
500     def __init__(self):
501         self.__visited = set()
502
503     def visit(self, type, *args, **kwargs):
504         if type not in self.__visited:
505             self.__visited.add(type)
506             return type.visit(self, *args, **kwargs)
507         return None
508
509
510 class Rebuilder(Visitor):
511     '''Visitor which rebuild types as it visits them.
512
513     By itself it is a no-op -- it is intended to be overwritten.
514     '''
515
516     def visitVoid(self, void):
517         return void
518
519     def visitLiteral(self, literal):
520         return literal
521
522     def visitString(self, string):
523         return string
524
525     def visitConst(self, const):
526         return Const(const.type)
527
528     def visitStruct(self, struct):
529         members = [(self.visit(type), name) for type, name in struct.members]
530         return Struct(struct.name, members)
531
532     def visitArray(self, array):
533         type = self.visit(array.type)
534         return Array(type, array.length)
535
536     def visitBlob(self, blob):
537         type = self.visit(blob.type)
538         return Blob(type, blob.size)
539
540     def visitEnum(self, enum):
541         return enum
542
543     def visitBitmask(self, bitmask):
544         type = self.visit(bitmask.type)
545         return Bitmask(type, bitmask.values)
546
547     def visitPointer(self, pointer):
548         type = self.visit(pointer.type)
549         return Pointer(type)
550
551     def visitIntPointer(self, pointer):
552         return pointer
553
554     def visitLinearPointer(self, pointer):
555         type = self.visit(pointer.type)
556         return LinearPointer(type, pointer.size)
557
558     def visitHandle(self, handle):
559         type = self.visit(handle.type)
560         return Handle(handle.name, type, range=handle.range, key=handle.key)
561
562     def visitAlias(self, alias):
563         type = self.visit(alias.type)
564         return Alias(alias.expr, type)
565
566     def visitOpaque(self, opaque):
567         return opaque
568
569     def visitPolymorphic(self, polymorphic):
570         defaultType = self.visit(polymorphic.defaultType)
571         switchExpr = polymorphic.switchExpr
572         switchTypes = [(expr, self.visit(type)) for expr, type in polymorphic.switchTypes]
573         return Polymorphic(defaultType, switchExpr, switchTypes)
574
575
576 class Collector(Visitor):
577     '''Visitor which collects all unique types as it traverses them.'''
578
579     def __init__(self):
580         self.__visited = set()
581         self.types = []
582
583     def visit(self, type):
584         if type in self.__visited:
585             return
586         self.__visited.add(type)
587         Visitor.visit(self, type)
588         self.types.append(type)
589
590     def visitVoid(self, literal):
591         pass
592
593     def visitLiteral(self, literal):
594         pass
595
596     def visitString(self, string):
597         pass
598
599     def visitConst(self, const):
600         self.visit(const.type)
601
602     def visitStruct(self, struct):
603         for type, name in struct.members:
604             self.visit(type)
605
606     def visitArray(self, array):
607         self.visit(array.type)
608
609     def visitBlob(self, array):
610         pass
611
612     def visitEnum(self, enum):
613         pass
614
615     def visitBitmask(self, bitmask):
616         self.visit(bitmask.type)
617
618     def visitPointer(self, pointer):
619         self.visit(pointer.type)
620
621     def visitIntPointer(self, pointer):
622         pass
623
624     def visitLinearPointer(self, pointer):
625         self.visit(pointer.type)
626
627     def visitHandle(self, handle):
628         self.visit(handle.type)
629
630     def visitAlias(self, alias):
631         self.visit(alias.type)
632
633     def visitOpaque(self, opaque):
634         pass
635
636     def visitInterface(self, interface):
637         if interface.base is not None:
638             self.visit(interface.base)
639         for method in interface.iterMethods():
640             for arg in method.args:
641                 self.visit(arg.type)
642             self.visit(method.type)
643
644     def visitPolymorphic(self, polymorphic):
645         self.visit(polymorphic.defaultType)
646         for expr, type in polymorphic.switchTypes:
647             self.visit(type)
648
649
650 class API:
651     '''API abstraction.
652
653     Essentially, a collection of types, functions, and interfaces.
654     '''
655
656     def __init__(self, name = None):
657         self.name = name
658         self.headers = []
659         self.functions = []
660         self.interfaces = []
661
662     def all_types(self):
663         collector = Collector()
664         for function in self.functions:
665             for arg in function.args:
666                 collector.visit(arg.type)
667             collector.visit(function.type)
668         for interface in self.interfaces:
669             collector.visit(interface)
670             for method in interface.iterMethods():
671                 for arg in method.args:
672                     collector.visit(arg.type)
673                 collector.visit(method.type)
674         return collector.types
675
676     def addFunction(self, function):
677         self.functions.append(function)
678
679     def addFunctions(self, functions):
680         for function in functions:
681             self.addFunction(function)
682
683     def addInterface(self, interface):
684         self.interfaces.append(interface)
685
686     def addInterfaces(self, interfaces):
687         self.interfaces.extend(interfaces)
688
689     def addApi(self, api):
690         self.headers.extend(api.headers)
691         self.addFunctions(api.functions)
692         self.addInterfaces(api.interfaces)
693
694     def get_function_by_name(self, name):
695         for function in self.functions:
696             if function.name == name:
697                 return function
698         return None
699
700
701 Bool = Literal("bool", "Bool")
702 SChar = Literal("signed char", "SInt")
703 UChar = Literal("unsigned char", "UInt")
704 Short = Literal("short", "SInt")
705 Int = Literal("int", "SInt")
706 Long = Literal("long", "SInt")
707 LongLong = Literal("long long", "SInt")
708 UShort = Literal("unsigned short", "UInt")
709 UInt = Literal("unsigned int", "UInt")
710 ULong = Literal("unsigned long", "UInt")
711 ULongLong = Literal("unsigned long long", "UInt")
712 Float = Literal("float", "Float")
713 Double = Literal("double", "Double")
714 SizeT = Literal("size_t", "UInt")
715 WString = Literal("wchar_t *", "WString")
716
717 Int8 = Literal("int8_t", "SInt")
718 UInt8 = Literal("uint8_t", "UInt")
719 Int16 = Literal("int16_t", "SInt")
720 UInt16 = Literal("uint16_t", "UInt")
721 Int32 = Literal("int32_t", "SInt")
722 UInt32 = Literal("uint32_t", "UInt")
723 Int64 = Literal("int64_t", "SInt")
724 UInt64 = Literal("uint64_t", "UInt")