47f8dd5b96214b757855fc5af9557b82aac911b6
[mesa.git] / src / mapi / glapi / gen / gl_XML.py
1 #!/usr/bin/env python
2
3 # (C) Copyright IBM Corporation 2004, 2005
4 # All Rights Reserved.
5 #
6 # Permission is hereby granted, free of charge, to any person obtaining a
7 # copy of this software and associated documentation files (the "Software"),
8 # to deal in the Software without restriction, including without limitation
9 # on the rights to use, copy, modify, merge, publish, distribute, sub
10 # license, and/or sell copies of the Software, and to permit persons to whom
11 # the Software is furnished to do so, subject to the following conditions:
12 #
13 # The above copyright notice and this permission notice (including the next
14 # paragraph) shall be included in all copies or substantial portions of the
15 # Software.
16 #
17 # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
18 # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
19 # FITNESS FOR A PARTICULAR PURPOSE AND NON-INFRINGEMENT. IN NO EVENT SHALL
20 # IBM AND/OR ITS SUPPLIERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
21 # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
22 # FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
23 # IN THE SOFTWARE.
24 #
25 # Authors:
26 # Ian Romanick <idr@us.ibm.com>
27
28 from decimal import Decimal
29 import libxml2
30 import re, sys, string
31 import typeexpr
32
33
34 def parse_GL_API( file_name, factory = None ):
35 doc = libxml2.readFile( file_name, None, libxml2.XML_PARSE_XINCLUDE + libxml2.XML_PARSE_NOBLANKS + libxml2.XML_PARSE_DTDVALID + libxml2.XML_PARSE_DTDATTR + libxml2.XML_PARSE_DTDLOAD + libxml2.XML_PARSE_NOENT )
36 ret = doc.xincludeProcess()
37
38 if not factory:
39 factory = gl_item_factory()
40
41 api = factory.create_item( "api", None, None )
42 api.process_element( doc )
43
44 # After the XML has been processed, we need to go back and assign
45 # dispatch offsets to the functions that request that their offsets
46 # be assigned by the scripts. Typically this means all functions
47 # that are not part of the ABI.
48
49 for func in api.functionIterateByCategory():
50 if func.assign_offset:
51 func.offset = api.next_offset;
52 api.next_offset += 1
53
54 doc.freeDoc()
55
56 return api
57
58
59 def is_attr_true( element, name ):
60 """Read a name value from an element's attributes.
61
62 The value read from the attribute list must be either 'true' or
63 'false'. If the value is 'false', zero will be returned. If the
64 value is 'true', non-zero will be returned. An exception will be
65 raised for any other value."""
66
67 value = element.nsProp( name, None )
68 if value == "true":
69 return 1
70 elif value == "false":
71 return 0
72 else:
73 raise RuntimeError('Invalid value "%s" for boolean "%s".' % (value, name))
74
75
76 class gl_print_base(object):
77 """Base class of all API pretty-printers.
78
79 In the model-view-controller pattern, this is the view. Any derived
80 class will want to over-ride the printBody, printRealHader, and
81 printRealFooter methods. Some derived classes may want to over-ride
82 printHeader and printFooter, or even Print (though this is unlikely).
83 """
84
85 def __init__(self):
86 # Name of the script that is generating the output file.
87 # Every derived class should set this to the name of its
88 # source file.
89
90 self.name = "a"
91
92
93 # License on the *generated* source file. This may differ
94 # from the license on the script that is generating the file.
95 # Every derived class should set this to some reasonable
96 # value.
97 #
98 # See license.py for an example of a reasonable value.
99
100 self.license = "The license for this file is unspecified."
101
102
103 # The header_tag is the name of the C preprocessor define
104 # used to prevent multiple inclusion. Typically only
105 # generated C header files need this to be set. Setting it
106 # causes code to be generated automatically in printHeader
107 # and printFooter.
108
109 self.header_tag = None
110
111
112 # List of file-private defines that must be undefined at the
113 # end of the file. This can be used in header files to define
114 # names for use in the file, then undefine them at the end of
115 # the header file.
116
117 self.undef_list = []
118 return
119
120
121 def Print(self, api):
122 self.printHeader()
123 self.printBody(api)
124 self.printFooter()
125 return
126
127
128 def printHeader(self):
129 """Print the header associated with all files and call the printRealHeader method."""
130
131 print '/* DO NOT EDIT - This file generated automatically by %s script */' \
132 % (self.name)
133 print ''
134 print '/*'
135 print ' * ' + self.license.replace('\n', '\n * ')
136 print ' */'
137 print ''
138 if self.header_tag:
139 print '#if !defined( %s )' % (self.header_tag)
140 print '# define %s' % (self.header_tag)
141 print ''
142 self.printRealHeader();
143 return
144
145
146 def printFooter(self):
147 """Print the header associated with all files and call the printRealFooter method."""
148
149 self.printRealFooter()
150
151 if self.undef_list:
152 print ''
153 for u in self.undef_list:
154 print "# undef %s" % (u)
155
156 if self.header_tag:
157 print ''
158 print '#endif /* !defined( %s ) */' % (self.header_tag)
159
160
161 def printRealHeader(self):
162 """Print the "real" header for the created file.
163
164 In the base class, this function is empty. All derived
165 classes should over-ride this function."""
166 return
167
168
169 def printRealFooter(self):
170 """Print the "real" footer for the created file.
171
172 In the base class, this function is empty. All derived
173 classes should over-ride this function."""
174 return
175
176
177 def printPure(self):
178 """Conditionally define `PURE' function attribute.
179
180 Conditionally defines a preprocessor macro `PURE' that wraps
181 GCC's `pure' function attribute. The conditional code can be
182 easilly adapted to other compilers that support a similar
183 feature.
184
185 The name is also added to the file's undef_list.
186 """
187 self.undef_list.append("PURE")
188 print """# if defined(__GNUC__) || (defined(__SUNPRO_C) && (__SUNPRO_C >= 0x590))
189 # define PURE __attribute__((pure))
190 # else
191 # define PURE
192 # endif"""
193 return
194
195
196 def printFastcall(self):
197 """Conditionally define `FASTCALL' function attribute.
198
199 Conditionally defines a preprocessor macro `FASTCALL' that
200 wraps GCC's `fastcall' function attribute. The conditional
201 code can be easilly adapted to other compilers that support a
202 similar feature.
203
204 The name is also added to the file's undef_list.
205 """
206
207 self.undef_list.append("FASTCALL")
208 print """# if defined(__i386__) && defined(__GNUC__) && !defined(__CYGWIN__) && !defined(__MINGW32__)
209 # define FASTCALL __attribute__((fastcall))
210 # else
211 # define FASTCALL
212 # endif"""
213 return
214
215
216 def printVisibility(self, S, s):
217 """Conditionally define visibility function attribute.
218
219 Conditionally defines a preprocessor macro name S that wraps
220 GCC's visibility function attribute. The visibility used is
221 the parameter s. The conditional code can be easilly adapted
222 to other compilers that support a similar feature.
223
224 The name is also added to the file's undef_list.
225 """
226
227 self.undef_list.append(S)
228 print """# if (defined(__GNUC__) && !defined(__CYGWIN__) && !defined(__MINGW32__)) || (defined(__SUNPRO_C) && (__SUNPRO_C >= 0x590) && defined(__ELF__))
229 # define %s __attribute__((visibility("%s")))
230 # else
231 # define %s
232 # endif""" % (S, s, S)
233 return
234
235
236 def printNoinline(self):
237 """Conditionally define `NOINLINE' function attribute.
238
239 Conditionally defines a preprocessor macro `NOINLINE' that
240 wraps GCC's `noinline' function attribute. The conditional
241 code can be easilly adapted to other compilers that support a
242 similar feature.
243
244 The name is also added to the file's undef_list.
245 """
246
247 self.undef_list.append("NOINLINE")
248 print """# if defined(__GNUC__) || (defined(__SUNPRO_C) && (__SUNPRO_C >= 0x590))
249 # define NOINLINE __attribute__((noinline))
250 # else
251 # define NOINLINE
252 # endif"""
253 return
254
255
256 def real_function_name(element):
257 name = element.nsProp( "name", None )
258 alias = element.nsProp( "alias", None )
259
260 if alias:
261 return alias
262 else:
263 return name
264
265
266 def real_category_name(c):
267 if re.compile("[1-9][0-9]*[.][0-9]+").match(c):
268 return "GL_VERSION_" + c.replace(".", "_")
269 else:
270 return c
271
272
273 def classify_category(name, number):
274 """Based on the category name and number, select a numerical class for it.
275
276 Categories are divided into four classes numbered 0 through 3. The
277 classes are:
278
279 0. Core GL versions, sorted by version number.
280 1. ARB extensions, sorted by extension number.
281 2. Non-ARB extensions, sorted by extension number.
282 3. Un-numbered extensions, sorted by extension name.
283 """
284
285 try:
286 core_version = float(name)
287 except Exception,e:
288 core_version = 0.0
289
290 if core_version > 0.0:
291 cat_type = 0
292 key = name
293 elif name.startswith("GL_ARB_") or name.startswith("GLX_ARB_") or name.startswith("WGL_ARB_"):
294 cat_type = 1
295 key = int(number)
296 else:
297 if number != None:
298 cat_type = 2
299 key = int(number)
300 else:
301 cat_type = 3
302 key = name
303
304
305 return [cat_type, key]
306
307
308 def create_parameter_string(parameters, include_names):
309 """Create a parameter string from a list of gl_parameters."""
310
311 list = []
312 for p in parameters:
313 if p.is_padding:
314 continue
315
316 if include_names:
317 list.append( p.string() )
318 else:
319 list.append( p.type_string() )
320
321 if len(list) == 0: list = ["void"]
322
323 return string.join(list, ", ")
324
325
326 class gl_item(object):
327 def __init__(self, element, context):
328 self.context = context
329 self.name = element.nsProp( "name", None )
330 self.category = real_category_name( element.parent.nsProp( "name", None ) )
331 return
332
333
334 class gl_type( gl_item ):
335 def __init__(self, element, context):
336 gl_item.__init__(self, element, context)
337 self.size = int( element.nsProp( "size", None ), 0 )
338
339 te = typeexpr.type_expression( None )
340 tn = typeexpr.type_node()
341 tn.size = int( element.nsProp( "size", None ), 0 )
342 tn.integer = not is_attr_true( element, "float" )
343 tn.unsigned = is_attr_true( element, "unsigned" )
344 tn.pointer = is_attr_true( element, "pointer" )
345 tn.name = "GL" + self.name
346 te.set_base_type_node( tn )
347
348 self.type_expr = te
349 return
350
351
352 def get_type_expression(self):
353 return self.type_expr
354
355
356 class gl_enum( gl_item ):
357 def __init__(self, element, context):
358 gl_item.__init__(self, element, context)
359 self.value = int( element.nsProp( "value", None ), 0 )
360
361 temp = element.nsProp( "count", None )
362 if not temp or temp == "?":
363 self.default_count = -1
364 else:
365 try:
366 c = int(temp)
367 except Exception,e:
368 raise RuntimeError('Invalid count value "%s" for enum "%s" in function "%s" when an integer was expected.' % (temp, self.name, n))
369
370 self.default_count = c
371
372 return
373
374
375 def priority(self):
376 """Calculate a 'priority' for this enum name.
377
378 When an enum is looked up by number, there may be many
379 possible names, but only one is the 'prefered' name. The
380 priority is used to select which name is the 'best'.
381
382 Highest precedence is given to core GL name. ARB extension
383 names have the next highest, followed by EXT extension names.
384 Vendor extension names are the lowest.
385 """
386
387 if self.name.endswith( "_BIT" ):
388 bias = 1
389 else:
390 bias = 0
391
392 if self.category.startswith( "GL_VERSION_" ):
393 priority = 0
394 elif self.category.startswith( "GL_ARB_" ):
395 priority = 2
396 elif self.category.startswith( "GL_EXT_" ):
397 priority = 4
398 else:
399 priority = 6
400
401 return priority + bias
402
403
404
405 class gl_parameter(object):
406 def __init__(self, element, context):
407 self.name = element.nsProp( "name", None )
408
409 ts = element.nsProp( "type", None )
410 self.type_expr = typeexpr.type_expression( ts, context )
411
412 temp = element.nsProp( "variable_param", None )
413 if temp:
414 self.count_parameter_list = temp.split( ' ' )
415 else:
416 self.count_parameter_list = []
417
418 # The count tag can be either a numeric string or the name of
419 # a variable. If it is the name of a variable, the int(c)
420 # statement will throw an exception, and the except block will
421 # take over.
422
423 c = element.nsProp( "count", None )
424 try:
425 count = int(c)
426 self.count = count
427 self.counter = None
428 except Exception,e:
429 count = 1
430 self.count = 0
431 self.counter = c
432
433 self.count_scale = int(element.nsProp( "count_scale", None ))
434
435 elements = (count * self.count_scale)
436 if elements == 1:
437 elements = 0
438
439 #if ts == "GLdouble":
440 # print '/* stack size -> %s = %u (before)*/' % (self.name, self.type_expr.get_stack_size())
441 # print '/* # elements = %u */' % (elements)
442 self.type_expr.set_elements( elements )
443 #if ts == "GLdouble":
444 # print '/* stack size -> %s = %u (after) */' % (self.name, self.type_expr.get_stack_size())
445
446 self.is_client_only = is_attr_true( element, 'client_only' )
447 self.is_counter = is_attr_true( element, 'counter' )
448 self.is_output = is_attr_true( element, 'output' )
449
450
451 # Pixel data has special parameters.
452
453 self.width = element.nsProp('img_width', None)
454 self.height = element.nsProp('img_height', None)
455 self.depth = element.nsProp('img_depth', None)
456 self.extent = element.nsProp('img_extent', None)
457
458 self.img_xoff = element.nsProp('img_xoff', None)
459 self.img_yoff = element.nsProp('img_yoff', None)
460 self.img_zoff = element.nsProp('img_zoff', None)
461 self.img_woff = element.nsProp('img_woff', None)
462
463 self.img_format = element.nsProp('img_format', None)
464 self.img_type = element.nsProp('img_type', None)
465 self.img_target = element.nsProp('img_target', None)
466
467 self.img_pad_dimensions = is_attr_true( element, 'img_pad_dimensions' )
468 self.img_null_flag = is_attr_true( element, 'img_null_flag' )
469 self.img_send_null = is_attr_true( element, 'img_send_null' )
470
471 self.is_padding = is_attr_true( element, 'padding' )
472 return
473
474
475 def compatible(self, other):
476 return 1
477
478
479 def is_array(self):
480 return self.is_pointer()
481
482
483 def is_pointer(self):
484 return self.type_expr.is_pointer()
485
486
487 def is_image(self):
488 if self.width:
489 return 1
490 else:
491 return 0
492
493
494 def is_variable_length(self):
495 return len(self.count_parameter_list) or self.counter
496
497
498 def is_64_bit(self):
499 count = self.type_expr.get_element_count()
500 if count:
501 if (self.size() / count) == 8:
502 return 1
503 else:
504 if self.size() == 8:
505 return 1
506
507 return 0
508
509
510 def string(self):
511 return self.type_expr.original_string + " " + self.name
512
513
514 def type_string(self):
515 return self.type_expr.original_string
516
517
518 def get_base_type_string(self):
519 return self.type_expr.get_base_name()
520
521
522 def get_dimensions(self):
523 if not self.width:
524 return [ 0, "0", "0", "0", "0" ]
525
526 dim = 1
527 w = self.width
528 h = "1"
529 d = "1"
530 e = "1"
531
532 if self.height:
533 dim = 2
534 h = self.height
535
536 if self.depth:
537 dim = 3
538 d = self.depth
539
540 if self.extent:
541 dim = 4
542 e = self.extent
543
544 return [ dim, w, h, d, e ]
545
546
547 def get_stack_size(self):
548 return self.type_expr.get_stack_size()
549
550
551 def size(self):
552 if self.is_image():
553 return 0
554 else:
555 return self.type_expr.get_element_size()
556
557
558 def get_element_count(self):
559 c = self.type_expr.get_element_count()
560 if c == 0:
561 return 1
562
563 return c
564
565
566 def size_string(self, use_parens = 1):
567 s = self.size()
568 if self.counter or self.count_parameter_list:
569 list = [ "compsize" ]
570
571 if self.counter and self.count_parameter_list:
572 list.append( self.counter )
573 elif self.counter:
574 list = [ self.counter ]
575
576 if s > 1:
577 list.append( str(s) )
578
579 if len(list) > 1 and use_parens :
580 return "(%s)" % (string.join(list, " * "))
581 else:
582 return string.join(list, " * ")
583
584 elif self.is_image():
585 return "compsize"
586 else:
587 return str(s)
588
589
590 def format_string(self):
591 if self.type_expr.original_string == "GLenum":
592 return "0x%x"
593 else:
594 return self.type_expr.format_string()
595
596
597 # Regular expression used to parse "mesa_name" attributes. A
598 # mesa_name attribute describes how to adjust a GL function name
599 # suffix to obtain the name of the function in Mesa that implements
600 # the functionality. The attribute string consists of a part preceded
601 # by a "-", indicating the suffix to remove, and a part preceded by a
602 # "+" indicating the suffix to add. Either part is optional.
603 #
604 # For example:
605 #
606 # <function name="EnableIndexedEXT" mesa_name="-EXT">...</function>
607 # <function name="IsProgramNV" mesa_name="-NV+ARB">...</function>
608 #
609 # means that EnableIndexedEXT is implemented by a Mesa function called
610 # _mesa_EnableIndexed, and IsProgramNV is implemented by a Mesa function
611 # called _mesa_IsProgramARB.
612 #
613 # Note: the prefix "_mesa_" is handled separately, by the "exec"
614 # attribute.
615 name_modification_regexp = re.compile(
616 r'^(-(?P<minus>[a-zA-Z0-9_]+))?(\+(?P<plus>[a-zA-Z0-9_]+))?$')
617
618
619 # Interpret a "mesa_name" attribute (see above) to determine the
620 # appropriate suffix for the Mesa function implementing a piece of GL
621 # functionality, and return the properly suffixed name.
622 def interpret_name_modification(name, mod):
623 m = name_modification_regexp.match(mod)
624 if m is None:
625 raise Exception('Unintelligible mesa_name property: {0!r}'.format(mod))
626 new_name = name
627 if m.group('minus'):
628 if not new_name.endswith(m.group('minus')):
629 raise Exception(
630 'Cannot subtract suffix {0!r} from function {1}'.format(
631 m.group('minus'), name))
632 new_name = new_name[:-len(m.group('minus'))]
633 if m.group('plus'):
634 new_name += m.group('plus')
635 return new_name
636
637
638 class gl_function( gl_item ):
639 def __init__(self, element, context):
640 self.context = context
641 self.name = None
642
643 self.entry_points = []
644 self.return_type = "void"
645 self.parameters = []
646 self.offset = -1
647 self.initialized = 0
648 self.images = []
649 self.exec_flavor = 'mesa'
650 self.desktop = True
651 self.deprecated = None
652 self.mesa_name = None
653
654 # self.entry_point_api_map[name][api] is a decimal value
655 # indicating the earliest version of the given API in which
656 # each entry point exists. Every entry point is included in
657 # the first level of the map; the second level of the map only
658 # lists APIs which contain the entry point in at least one
659 # version. For example,
660 # self.entry_point_api_map['ClipPlanex'] == { 'es1':
661 # Decimal('1.1') }.
662 self.entry_point_api_map = {}
663
664 # self.api_map[api] is a decimal value indicating the earliest
665 # version of the given API in which ANY alias for the function
666 # exists. The map only lists APIs which contain the function
667 # in at least one version. For example, for the ClipPlanex
668 # function, self.entry_point_api_map == { 'es1':
669 # Decimal('1.1') }.
670 self.api_map = {}
671
672 self.assign_offset = 0
673
674 self.static_entry_points = []
675
676 # Track the parameter string (for the function prototype)
677 # for each entry-point. This is done because some functions
678 # change their prototype slightly when promoted from extension
679 # to ARB extension to core. glTexImage3DEXT and glTexImage3D
680 # are good examples of this. Scripts that need to generate
681 # code for these differing aliases need to real prototype
682 # for each entry-point. Otherwise, they may generate code
683 # that won't compile.
684
685 self.entry_point_parameters = {}
686
687 self.process_element( element )
688
689 return
690
691
692 def process_element(self, element):
693 name = element.nsProp( "name", None )
694 alias = element.nsProp( "alias", None )
695
696 if is_attr_true(element, "static_dispatch"):
697 self.static_entry_points.append(name)
698
699 self.entry_points.append( name )
700
701 self.entry_point_api_map[name] = {}
702 for api in ('es1', 'es2'):
703 version_str = element.nsProp(api, None)
704 assert version_str is not None
705 if version_str != 'none':
706 version_decimal = Decimal(version_str)
707 self.entry_point_api_map[name][api] = version_decimal
708 if api not in self.api_map or \
709 version_decimal < self.api_map[api]:
710 self.api_map[api] = version_decimal
711
712 exec_flavor = element.nsProp('exec', None)
713 if exec_flavor:
714 self.exec_flavor = exec_flavor
715
716 deprecated = element.nsProp('deprecated', None)
717 if deprecated != 'none':
718 self.deprecated = Decimal(deprecated)
719
720 if not is_attr_true(element, 'desktop'):
721 self.desktop = False
722
723 if alias:
724 true_name = alias
725 else:
726 true_name = name
727
728 # Only try to set the offset and mesa_name when a
729 # non-alias entry-point is being processed.
730
731 offset = element.nsProp( "offset", None )
732 if offset:
733 try:
734 o = int( offset )
735 self.offset = o
736 except Exception, e:
737 self.offset = -1
738 if offset == "assign":
739 self.assign_offset = 1
740
741 mesa_name = element.nsProp('mesa_name', None)
742 if mesa_name is None:
743 self.mesa_name = name
744 else:
745 self.mesa_name = interpret_name_modification(name, mesa_name)
746
747
748 if not self.name:
749 self.name = true_name
750 elif self.name != true_name:
751 raise RuntimeError("Function true name redefined. Was %s, now %s." % (self.name, true_name))
752
753
754 # There are two possible cases. The first time an entry-point
755 # with data is seen, self.initialized will be 0. On that
756 # pass, we just fill in the data. The next time an
757 # entry-point with data is seen, self.initialized will be 1.
758 # On that pass we have to make that the new values match the
759 # valuse from the previous entry-point.
760
761 parameters = []
762 return_type = "void"
763 child = element.children
764 while child:
765 if child.type == "element":
766 if child.name == "return":
767 return_type = child.nsProp( "type", None )
768 elif child.name == "param":
769 param = self.context.factory.create_item( "parameter", child, self.context)
770 parameters.append( param )
771
772 child = child.next
773
774
775 if self.initialized:
776 if self.return_type != return_type:
777 raise RuntimeError( "Return type changed in %s. Was %s, now %s." % (name, self.return_type, return_type))
778
779 if len(parameters) != len(self.parameters):
780 raise RuntimeError( "Parameter count mismatch in %s. Was %d, now %d." % (name, len(self.parameters), len(parameters)))
781
782 for j in range(0, len(parameters)):
783 p1 = parameters[j]
784 p2 = self.parameters[j]
785 if not p1.compatible( p2 ):
786 raise RuntimeError( 'Parameter type mismatch in %s. "%s" was "%s", now "%s".' % (name, p2.name, p2.type_expr.original_string, p1.type_expr.original_string))
787
788
789 if true_name == name or not self.initialized:
790 self.return_type = return_type
791 self.parameters = parameters
792
793 for param in self.parameters:
794 if param.is_image():
795 self.images.append( param )
796
797 if element.children:
798 self.initialized = 1
799 self.entry_point_parameters[name] = parameters
800 else:
801 self.entry_point_parameters[name] = []
802
803 return
804
805 def filter_entry_points(self, entry_point_list):
806 """Filter out entry points not in entry_point_list."""
807 if not self.initialized:
808 raise RuntimeError('%s is not initialized yet' % self.name)
809
810 entry_points = []
811 for ent in self.entry_points:
812 if ent not in entry_point_list:
813 if ent in self.static_entry_points:
814 self.static_entry_points.remove(ent)
815 self.entry_point_parameters.pop(ent)
816 else:
817 entry_points.append(ent)
818
819 if not entry_points:
820 raise RuntimeError('%s has no entry point after filtering' % self.name)
821
822 self.entry_points = entry_points
823 if self.name not in entry_points:
824 # use the first remaining entry point
825 self.name = entry_points[0]
826 self.parameters = self.entry_point_parameters[entry_points[0]]
827
828 def get_images(self):
829 """Return potentially empty list of input images."""
830 return self.images
831
832
833 def parameterIterator(self, name = None):
834 if name is not None:
835 return self.entry_point_parameters[name].__iter__();
836 else:
837 return self.parameters.__iter__();
838
839
840 def get_parameter_string(self, entrypoint = None):
841 if entrypoint:
842 params = self.entry_point_parameters[ entrypoint ]
843 else:
844 params = self.parameters
845
846 return create_parameter_string( params, 1 )
847
848 def get_called_parameter_string(self):
849 p_string = ""
850 comma = ""
851
852 for p in self.parameterIterator():
853 p_string = p_string + comma + p.name
854 comma = ", "
855
856 return p_string
857
858
859 def is_abi(self):
860 return (self.offset >= 0 and not self.assign_offset)
861
862 def is_static_entry_point(self, name):
863 return name in self.static_entry_points
864
865 def dispatch_name(self):
866 if self.name in self.static_entry_points:
867 return self.name
868 else:
869 return "_dispatch_stub_%u" % (self.offset)
870
871 def static_name(self, name):
872 if name in self.static_entry_points:
873 return name
874 else:
875 return "_dispatch_stub_%u" % (self.offset)
876
877 def entry_points_for_api_version(self, api, version = None):
878 """Return a list of the entry point names for this function
879 which are supported in the given API (and optionally, version).
880
881 Use the decimal.Decimal type to precisely express non-integer
882 versions.
883 """
884 result = []
885 for entry_point, api_to_ver in self.entry_point_api_map.iteritems():
886 if api not in api_to_ver:
887 continue
888 if version is not None and version < api_to_ver[api]:
889 continue
890 result.append(entry_point)
891 return result
892
893
894 class gl_item_factory(object):
895 """Factory to create objects derived from gl_item."""
896
897 def create_item(self, item_name, element, context):
898 if item_name == "function":
899 return gl_function(element, context)
900 if item_name == "type":
901 return gl_type(element, context)
902 elif item_name == "enum":
903 return gl_enum(element, context)
904 elif item_name == "parameter":
905 return gl_parameter(element, context)
906 elif item_name == "api":
907 return gl_api(self)
908 else:
909 return None
910
911
912 class gl_api(object):
913 def __init__(self, factory):
914 self.functions_by_name = {}
915 self.enums_by_name = {}
916 self.types_by_name = {}
917
918 self.category_dict = {}
919 self.categories = [{}, {}, {}, {}]
920
921 self.factory = factory
922
923 self.next_offset = 0
924
925 typeexpr.create_initial_types()
926 return
927
928 def filter_functions(self, entry_point_list):
929 """Filter out entry points not in entry_point_list."""
930 functions_by_name = {}
931 for func in self.functions_by_name.itervalues():
932 entry_points = [ent for ent in func.entry_points if ent in entry_point_list]
933 if entry_points:
934 func.filter_entry_points(entry_points)
935 functions_by_name[func.name] = func
936
937 self.functions_by_name = functions_by_name
938
939 def filter_functions_by_api(self, api, version = None):
940 """Filter out entry points not in the given API (or
941 optionally, not in the given version of the given API).
942 """
943 functions_by_name = {}
944 for func in self.functions_by_name.itervalues():
945 entry_points = func.entry_points_for_api_version(api, version)
946 if entry_points:
947 func.filter_entry_points(entry_points)
948 functions_by_name[func.name] = func
949
950 self.functions_by_name = functions_by_name
951
952 def process_element(self, doc):
953 element = doc.children
954 while element.type != "element" or element.name != "OpenGLAPI":
955 element = element.next
956
957 if element:
958 self.process_OpenGLAPI(element)
959 return
960
961
962 def process_OpenGLAPI(self, element):
963 child = element.children
964 while child:
965 if child.type == "element":
966 if child.name == "category":
967 self.process_category( child )
968 elif child.name == "OpenGLAPI":
969 self.process_OpenGLAPI( child )
970
971 child = child.next
972
973 return
974
975
976 def process_category(self, cat):
977 cat_name = cat.nsProp( "name", None )
978 cat_number = cat.nsProp( "number", None )
979
980 [cat_type, key] = classify_category(cat_name, cat_number)
981 self.categories[cat_type][key] = [cat_name, cat_number]
982
983 child = cat.children
984 while child:
985 if child.type == "element":
986 if child.name == "function":
987 func_name = real_function_name( child )
988
989 temp_name = child.nsProp( "name", None )
990 self.category_dict[ temp_name ] = [cat_name, cat_number]
991
992 if self.functions_by_name.has_key( func_name ):
993 func = self.functions_by_name[ func_name ]
994 func.process_element( child )
995 else:
996 func = self.factory.create_item( "function", child, self )
997 self.functions_by_name[ func_name ] = func
998
999 if func.offset >= self.next_offset:
1000 self.next_offset = func.offset + 1
1001
1002
1003 elif child.name == "enum":
1004 enum = self.factory.create_item( "enum", child, self )
1005 self.enums_by_name[ enum.name ] = enum
1006 elif child.name == "type":
1007 t = self.factory.create_item( "type", child, self )
1008 self.types_by_name[ "GL" + t.name ] = t
1009
1010
1011 child = child.next
1012
1013 return
1014
1015
1016 def functionIterateByCategory(self, cat = None):
1017 """Iterate over functions by category.
1018
1019 If cat is None, all known functions are iterated in category
1020 order. See classify_category for details of the ordering.
1021 Within a category, functions are sorted by name. If cat is
1022 not None, then only functions in that category are iterated.
1023 """
1024 lists = [{}, {}, {}, {}]
1025
1026 for func in self.functionIterateAll():
1027 [cat_name, cat_number] = self.category_dict[func.name]
1028
1029 if (cat == None) or (cat == cat_name):
1030 [func_cat_type, key] = classify_category(cat_name, cat_number)
1031
1032 if not lists[func_cat_type].has_key(key):
1033 lists[func_cat_type][key] = {}
1034
1035 lists[func_cat_type][key][func.name] = func
1036
1037
1038 functions = []
1039 for func_cat_type in range(0,4):
1040 keys = lists[func_cat_type].keys()
1041 keys.sort()
1042
1043 for key in keys:
1044 names = lists[func_cat_type][key].keys()
1045 names.sort()
1046
1047 for name in names:
1048 functions.append(lists[func_cat_type][key][name])
1049
1050 return functions.__iter__()
1051
1052
1053 def functionIterateByOffset(self):
1054 max_offset = -1
1055 for func in self.functions_by_name.itervalues():
1056 if func.offset > max_offset:
1057 max_offset = func.offset
1058
1059
1060 temp = [None for i in range(0, max_offset + 1)]
1061 for func in self.functions_by_name.itervalues():
1062 if func.offset != -1:
1063 temp[ func.offset ] = func
1064
1065
1066 list = []
1067 for i in range(0, max_offset + 1):
1068 if temp[i]:
1069 list.append(temp[i])
1070
1071 return list.__iter__();
1072
1073
1074 def functionIterateAll(self):
1075 return self.functions_by_name.itervalues()
1076
1077
1078 def enumIterateByName(self):
1079 keys = self.enums_by_name.keys()
1080 keys.sort()
1081
1082 list = []
1083 for enum in keys:
1084 list.append( self.enums_by_name[ enum ] )
1085
1086 return list.__iter__()
1087
1088
1089 def categoryIterate(self):
1090 """Iterate over categories.
1091
1092 Iterate over all known categories in the order specified by
1093 classify_category. Each iterated value is a tuple of the
1094 name and number (which may be None) of the category.
1095 """
1096
1097 list = []
1098 for cat_type in range(0,4):
1099 keys = self.categories[cat_type].keys()
1100 keys.sort()
1101
1102 for key in keys:
1103 list.append(self.categories[cat_type][key])
1104
1105 return list.__iter__()
1106
1107
1108 def get_category_for_name( self, name ):
1109 if self.category_dict.has_key(name):
1110 return self.category_dict[name]
1111 else:
1112 return ["<unknown category>", None]
1113
1114
1115 def typeIterate(self):
1116 return self.types_by_name.itervalues()
1117
1118
1119 def find_type( self, type_name ):
1120 if type_name in self.types_by_name:
1121 return self.types_by_name[ type_name ].type_expr
1122 else:
1123 print "Unable to find base type matching \"%s\"." % (type_name)
1124 return None