]> git.cworth.org Git - apitrace/blob - specs/stdapi.py
Merge branch 'master' into d3dretrace
[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, kind = 'String'):
380         Type.__init__(self, expr)
381         self.length = length
382         self.kind = kind
383
384     def visit(self, visitor, *args, **kwargs):
385         return visitor.visitString(self, *args, **kwargs)
386
387
388 class Opaque(Type):
389     '''Opaque pointer.'''
390
391     def __init__(self, expr):
392         Type.__init__(self, expr)
393
394     def visit(self, visitor, *args, **kwargs):
395         return visitor.visitOpaque(self, *args, **kwargs)
396
397
398 def OpaquePointer(type, *args):
399     return Opaque(type.expr + ' *')
400
401 def OpaqueArray(type, size):
402     return Opaque(type.expr + ' *')
403
404 def OpaqueBlob(type, size):
405     return Opaque(type.expr + ' *')
406
407
408 class Polymorphic(Type):
409
410     def __init__(self, defaultType, switchExpr, switchTypes):
411         Type.__init__(self, defaultType.expr)
412         self.defaultType = defaultType
413         self.switchExpr = switchExpr
414         self.switchTypes = switchTypes
415
416     def visit(self, visitor, *args, **kwargs):
417         return visitor.visitPolymorphic(self, *args, **kwargs)
418
419     def iterSwitch(self):
420         cases = [['default']]
421         types = [self.defaultType]
422
423         for expr, type in self.switchTypes:
424             case = 'case %s' % expr
425             try:
426                 i = types.index(type)
427             except ValueError:
428                 cases.append([case])
429                 types.append(type)
430             else:
431                 cases[i].append(case)
432
433         return zip(cases, types)
434
435
436 class Visitor:
437     '''Abstract visitor for the type hierarchy.'''
438
439     def visit(self, type, *args, **kwargs):
440         return type.visit(self, *args, **kwargs)
441
442     def visitVoid(self, void, *args, **kwargs):
443         raise NotImplementedError
444
445     def visitLiteral(self, literal, *args, **kwargs):
446         raise NotImplementedError
447
448     def visitString(self, string, *args, **kwargs):
449         raise NotImplementedError
450
451     def visitConst(self, const, *args, **kwargs):
452         raise NotImplementedError
453
454     def visitStruct(self, struct, *args, **kwargs):
455         raise NotImplementedError
456
457     def visitArray(self, array, *args, **kwargs):
458         raise NotImplementedError
459
460     def visitBlob(self, blob, *args, **kwargs):
461         raise NotImplementedError
462
463     def visitEnum(self, enum, *args, **kwargs):
464         raise NotImplementedError
465
466     def visitBitmask(self, bitmask, *args, **kwargs):
467         raise NotImplementedError
468
469     def visitPointer(self, pointer, *args, **kwargs):
470         raise NotImplementedError
471
472     def visitIntPointer(self, pointer, *args, **kwargs):
473         raise NotImplementedError
474
475     def visitLinearPointer(self, pointer, *args, **kwargs):
476         raise NotImplementedError
477
478     def visitHandle(self, handle, *args, **kwargs):
479         raise NotImplementedError
480
481     def visitAlias(self, alias, *args, **kwargs):
482         raise NotImplementedError
483
484     def visitOpaque(self, opaque, *args, **kwargs):
485         raise NotImplementedError
486
487     def visitInterface(self, interface, *args, **kwargs):
488         raise NotImplementedError
489
490     def visitPolymorphic(self, polymorphic, *args, **kwargs):
491         raise NotImplementedError
492         #return self.visit(polymorphic.defaultType, *args, **kwargs)
493
494
495 class OnceVisitor(Visitor):
496     '''Visitor that guarantees that each type is visited only once.'''
497
498     def __init__(self):
499         self.__visited = set()
500
501     def visit(self, type, *args, **kwargs):
502         if type not in self.__visited:
503             self.__visited.add(type)
504             return type.visit(self, *args, **kwargs)
505         return None
506
507
508 class Rebuilder(Visitor):
509     '''Visitor which rebuild types as it visits them.
510
511     By itself it is a no-op -- it is intended to be overwritten.
512     '''
513
514     def visitVoid(self, void):
515         return void
516
517     def visitLiteral(self, literal):
518         return literal
519
520     def visitString(self, string):
521         return string
522
523     def visitConst(self, const):
524         return Const(const.type)
525
526     def visitStruct(self, struct):
527         members = [(self.visit(type), name) for type, name in struct.members]
528         return Struct(struct.name, members)
529
530     def visitArray(self, array):
531         type = self.visit(array.type)
532         return Array(type, array.length)
533
534     def visitBlob(self, blob):
535         type = self.visit(blob.type)
536         return Blob(type, blob.size)
537
538     def visitEnum(self, enum):
539         return enum
540
541     def visitBitmask(self, bitmask):
542         type = self.visit(bitmask.type)
543         return Bitmask(type, bitmask.values)
544
545     def visitPointer(self, pointer):
546         type = self.visit(pointer.type)
547         return Pointer(type)
548
549     def visitIntPointer(self, pointer):
550         return pointer
551
552     def visitLinearPointer(self, pointer):
553         type = self.visit(pointer.type)
554         return LinearPointer(type, pointer.size)
555
556     def visitHandle(self, handle):
557         type = self.visit(handle.type)
558         return Handle(handle.name, type, range=handle.range, key=handle.key)
559
560     def visitAlias(self, alias):
561         type = self.visit(alias.type)
562         return Alias(alias.expr, type)
563
564     def visitOpaque(self, opaque):
565         return opaque
566
567     def visitInterface(self, interface, *args, **kwargs):
568         return interface
569
570     def visitPolymorphic(self, polymorphic):
571         defaultType = self.visit(polymorphic.defaultType)
572         switchExpr = polymorphic.switchExpr
573         switchTypes = [(expr, self.visit(type)) for expr, type in polymorphic.switchTypes]
574         return Polymorphic(defaultType, switchExpr, switchTypes)
575
576
577 class Collector(Visitor):
578     '''Visitor which collects all unique types as it traverses them.'''
579
580     def __init__(self):
581         self.__visited = set()
582         self.types = []
583
584     def visit(self, type):
585         if type in self.__visited:
586             return
587         self.__visited.add(type)
588         Visitor.visit(self, type)
589         self.types.append(type)
590
591     def visitVoid(self, literal):
592         pass
593
594     def visitLiteral(self, literal):
595         pass
596
597     def visitString(self, string):
598         pass
599
600     def visitConst(self, const):
601         self.visit(const.type)
602
603     def visitStruct(self, struct):
604         for type, name in struct.members:
605             self.visit(type)
606
607     def visitArray(self, array):
608         self.visit(array.type)
609
610     def visitBlob(self, array):
611         pass
612
613     def visitEnum(self, enum):
614         pass
615
616     def visitBitmask(self, bitmask):
617         self.visit(bitmask.type)
618
619     def visitPointer(self, pointer):
620         self.visit(pointer.type)
621
622     def visitIntPointer(self, pointer):
623         pass
624
625     def visitLinearPointer(self, pointer):
626         self.visit(pointer.type)
627
628     def visitHandle(self, handle):
629         self.visit(handle.type)
630
631     def visitAlias(self, alias):
632         self.visit(alias.type)
633
634     def visitOpaque(self, opaque):
635         pass
636
637     def visitInterface(self, interface):
638         if interface.base is not None:
639             self.visit(interface.base)
640         for method in interface.iterMethods():
641             for arg in method.args:
642                 self.visit(arg.type)
643             self.visit(method.type)
644
645     def visitPolymorphic(self, polymorphic):
646         self.visit(polymorphic.defaultType)
647         for expr, type in polymorphic.switchTypes:
648             self.visit(type)
649
650
651 class API:
652     '''API abstraction.
653
654     Essentially, a collection of types, functions, and interfaces.
655     '''
656
657     def __init__(self, name = None):
658         self.name = name
659         self.headers = []
660         self.functions = []
661         self.interfaces = []
662
663     def getAllTypes(self):
664         collector = Collector()
665         for function in self.functions:
666             for arg in function.args:
667                 collector.visit(arg.type)
668             collector.visit(function.type)
669         for interface in self.interfaces:
670             collector.visit(interface)
671             for method in interface.iterMethods():
672                 for arg in method.args:
673                     collector.visit(arg.type)
674                 collector.visit(method.type)
675         return collector.types
676
677     def getAllInterfaces(self):
678         types = self.getAllTypes()
679         interfaces = [type for type in types if isinstance(type, Interface)]
680         for interface in self.interfaces:
681             if interface not in interfaces:
682                 interfaces.append(interface)
683         return interfaces
684
685     def addFunction(self, function):
686         self.functions.append(function)
687
688     def addFunctions(self, functions):
689         for function in functions:
690             self.addFunction(function)
691
692     def addInterface(self, interface):
693         self.interfaces.append(interface)
694
695     def addInterfaces(self, interfaces):
696         self.interfaces.extend(interfaces)
697
698     def addApi(self, api):
699         self.headers.extend(api.headers)
700         self.addFunctions(api.functions)
701         self.addInterfaces(api.interfaces)
702
703     def get_function_by_name(self, name):
704         for function in self.functions:
705             if function.name == name:
706                 return function
707         return None
708
709
710 Bool = Literal("bool", "Bool")
711 SChar = Literal("signed char", "SInt")
712 UChar = Literal("unsigned char", "UInt")
713 Short = Literal("short", "SInt")
714 Int = Literal("int", "SInt")
715 Long = Literal("long", "SInt")
716 LongLong = Literal("long long", "SInt")
717 UShort = Literal("unsigned short", "UInt")
718 UInt = Literal("unsigned int", "UInt")
719 ULong = Literal("unsigned long", "UInt")
720 ULongLong = Literal("unsigned long long", "UInt")
721 Float = Literal("float", "Float")
722 Double = Literal("double", "Double")
723 SizeT = Literal("size_t", "UInt")
724
725 # C string (i.e., zero terminated)
726 CString = String()
727 WString = String("wchar_t *", kind="WString")
728
729 Int8 = Literal("int8_t", "SInt")
730 UInt8 = Literal("uint8_t", "UInt")
731 Int16 = Literal("int16_t", "SInt")
732 UInt16 = Literal("uint16_t", "UInt")
733 Int32 = Literal("int32_t", "SInt")
734 UInt32 = Literal("uint32_t", "UInt")
735 Int64 = Literal("int64_t", "SInt")
736 UInt64 = Literal("uint64_t", "UInt")