]> git.cworth.org Git - apitrace/blob - retrace/glstate_params.py
1b578eed6c4d245f1c30e4e538cf215a08a55add
[apitrace] / retrace / glstate_params.py
1 ##########################################################################
2 #
3 # Copyright 2011 Jose Fonseca
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
27 '''Generate code to dump most GL state into JSON.'''
28
29
30 import retrace # to adjust sys.path
31
32 from specs.stdapi import *
33
34 from specs.gltypes import *
35 from specs.glparams import *
36
37
38 texture_targets = [
39     ('GL_TEXTURE_1D', 'GL_TEXTURE_BINDING_1D'),
40     ('GL_TEXTURE_2D', 'GL_TEXTURE_BINDING_2D'),
41     ('GL_TEXTURE_3D', 'GL_TEXTURE_BINDING_3D'),
42     ('GL_TEXTURE_RECTANGLE', 'GL_TEXTURE_BINDING_RECTANGLE'),
43     ('GL_TEXTURE_CUBE_MAP', 'GL_TEXTURE_BINDING_CUBE_MAP')
44 ]
45
46 framebuffer_targets = [
47     ('GL_DRAW_FRAMEBUFFER', 'GL_DRAW_FRAMEBUFFER_BINDING'),
48     ('GL_READ_FRAMEBUFFER', 'GL_READ_FRAMEBUFFER_BINDING'),
49 ]
50
51 class GetInflector:
52     '''Objects that describes how to inflect.'''
53
54     reduced_types = {
55         B: I,
56         E: I,
57         I: F,
58     }
59
60     def __init__(self, radical, inflections, suffix = ''):
61         self.radical = radical
62         self.inflections = inflections
63         self.suffix = suffix
64
65     def reduced_type(self, type):
66         if type in self.inflections:
67             return type
68         if type in self.reduced_types:
69             return self.reduced_type(self.reduced_types[type])
70         raise NotImplementedError
71
72     def inflect(self, type):
73         return self.radical + self.inflection(type) + self.suffix
74
75     def inflection(self, type):
76         type = self.reduced_type(type)
77         assert type in self.inflections
78         return self.inflections[type]
79
80     def __str__(self):
81         return self.radical + self.suffix
82
83
84 class StateGetter(Visitor):
85     '''Type visitor that is able to extract the state via one of the glGet*
86     functions.
87
88     It will declare any temporary variable
89     '''
90
91     def __init__(self, radical, inflections, suffix=''):
92         self.inflector = GetInflector(radical, inflections)
93         self.suffix = suffix
94
95     def iter(self):
96         for function, type, count, name in parameters:
97             inflection = self.inflector.radical + self.suffix
98             if inflection not in function.split(','):
99                 continue
100             if type is X:
101                 continue
102             yield type, count, name
103
104     def __call__(self, *args):
105         pname = args[-1]
106
107         for type, count, name in self.iter():
108             if name == pname:
109                 if count != 1:
110                     type = Array(type, str(count))
111
112                 return type, self.visit(type, args)
113
114         raise NotImplementedError
115
116     def temp_name(self, args):
117         '''Return the name of a temporary variable to hold the state.'''
118         pname = args[-1]
119
120         return pname[3:].lower()
121
122     def visitConst(self, const, args):
123         return self.visit(const.type, args)
124
125     def visitScalar(self, type, args):
126         temp_name = self.temp_name(args)
127         elem_type = self.inflector.reduced_type(type)
128         inflection = self.inflector.inflect(type)
129         if inflection.endswith('v'):
130             print '    %s %s = 0;' % (elem_type, temp_name)
131             print '    %s(%s, &%s);' % (inflection + self.suffix, ', '.join(args), temp_name)
132         else:
133             print '    %s %s = %s(%s);' % (elem_type, temp_name, inflection + self.suffix, ', '.join(args))
134         return temp_name
135
136     def visitString(self, string, args):
137         temp_name = self.temp_name(args)
138         inflection = self.inflector.inflect(string)
139         assert not inflection.endswith('v')
140         print '    %s %s = (%s)%s(%s);' % (string, temp_name, string, inflection + self.suffix, ', '.join(args))
141         return temp_name
142
143     def visitAlias(self, alias, args):
144         return self.visitScalar(alias, args)
145
146     def visitEnum(self, enum, args):
147         return self.visitScalar(enum, args)
148
149     def visitBitmask(self, bitmask, args):
150         return self.visit(GLint, args)
151
152     def visitArray(self, array, args):
153         temp_name = self.temp_name(args)
154         if array.length == '1':
155             return self.visit(array.type)
156         elem_type = self.inflector.reduced_type(array.type)
157         inflection = self.inflector.inflect(array.type)
158         assert inflection.endswith('v')
159         print '    %s %s[%s + 1];' % (elem_type, temp_name, array.length)
160         print '    memset(%s, 0, %s * sizeof *%s);' % (temp_name, array.length, temp_name)
161         print '    %s[%s] = (%s)0xdeadc0de;' % (temp_name, array.length, elem_type)
162         print '    %s(%s, %s);' % (inflection + self.suffix, ', '.join(args), temp_name)
163         # Simple buffer overflow detection
164         print '    assert(%s[%s] == (%s)0xdeadc0de);' % (temp_name, array.length, elem_type)
165         return temp_name
166
167     def visitOpaque(self, pointer, args):
168         temp_name = self.temp_name(args)
169         inflection = self.inflector.inflect(pointer)
170         assert inflection.endswith('v')
171         print '    GLvoid *%s;' % temp_name
172         print '    %s(%s, &%s);' % (inflection + self.suffix, ', '.join(args), temp_name)
173         return temp_name
174
175
176 glGet = StateGetter('glGet', {
177     B: 'Booleanv',
178     I: 'Integerv',
179     F: 'Floatv',
180     D: 'Doublev',
181     S: 'String',
182     P: 'Pointerv',
183 })
184
185 glGetMaterial = StateGetter('glGetMaterial', {I: 'iv', F: 'fv'})
186 glGetLight = StateGetter('glGetLight', {I: 'iv', F: 'fv'})
187 glGetVertexAttrib = StateGetter('glGetVertexAttrib', {I: 'iv', F: 'fv', D: 'dv', P: 'Pointerv'})
188 glGetTexParameter = StateGetter('glGetTexParameter', {I: 'iv', F: 'fv'})
189 glGetTexEnv = StateGetter('glGetTexEnv', {I: 'iv', F: 'fv'})
190 glGetTexLevelParameter = StateGetter('glGetTexLevelParameter', {I: 'iv', F: 'fv'})
191 glGetShader = StateGetter('glGetShaderiv', {I: 'iv'})
192 glGetProgram = StateGetter('glGetProgram', {I: 'iv'})
193 glGetProgramARB = StateGetter('glGetProgram', {I: 'iv', F: 'fv', S: 'Stringv'}, 'ARB')
194 glGetFramebufferAttachmentParameter = StateGetter('glGetFramebufferAttachmentParameter', {I: 'iv'})
195
196
197 class JsonWriter(Visitor):
198     '''Type visitor that will dump a value of the specified type through the
199     JSON writer.
200     
201     It expects a previously declared JSONWriter instance named "json".'''
202
203     def visitLiteral(self, literal, instance):
204         if literal.kind == 'Bool':
205             print '    json.writeBool(%s);' % instance
206         elif literal.kind in ('SInt', 'Uint', 'Float', 'Double'):
207             print '    json.writeNumber(%s);' % instance
208         else:
209             raise NotImplementedError
210
211     def visitString(self, string, instance):
212         assert string.length is None
213         print '    json.writeString((const char *)%s);' % instance
214
215     def visitEnum(self, enum, instance):
216         if enum is GLboolean:
217             print '    dumpBoolean(json, %s);' % instance
218         elif enum is GLenum:
219             print '    dumpEnum(json, %s);' % instance
220         else:
221             assert False
222             print '    json.writeNumber(%s);' % instance
223
224     def visitBitmask(self, bitmask, instance):
225         raise NotImplementedError
226
227     def visitAlias(self, alias, instance):
228         self.visit(alias.type, instance)
229
230     def visitOpaque(self, opaque, instance):
231         print '    json.writeNumber((size_t)%s);' % instance
232
233     __index = 0
234
235     def visitArray(self, array, instance):
236         index = '__i%u' % JsonWriter.__index
237         JsonWriter.__index += 1
238         print '    json.beginArray();'
239         print '    for (unsigned %s = 0; %s < %s; ++%s) {' % (index, index, array.length, index)
240         self.visit(array.type, '%s[%s]' % (instance, index))
241         print '    }'
242         print '    json.endArray();'
243
244
245
246 class StateDumper:
247     '''Class to generate code to dump all GL state in JSON format via
248     stdout.'''
249
250     def __init__(self):
251         pass
252
253     def dump(self):
254         print '#include <string.h>'
255         print
256         print '#include "json.hpp"'
257         print '#include "glproc.hpp"'
258         print '#include "glsize.hpp"'
259         print '#include "glstate.hpp"'
260         print '#include "glstate_internal.hpp"'
261         print
262         print 'namespace glstate {'
263         print
264
265         print 'void'
266         print 'dumpBoolean(JSONWriter &json, GLboolean value)'
267         print '{'
268         print '    switch (value) {'
269         print '    case GL_FALSE:'
270         print '        json.writeString("GL_FALSE");'
271         print '        break;'
272         print '    case GL_TRUE:'
273         print '        json.writeString("GL_TRUE");'
274         print '        break;'
275         print '    default:'
276         print '        json.writeNumber(static_cast<GLint>(value));'
277         print '        break;'
278         print '    }'
279         print '}'
280         print
281
282         print 'const char *'
283         print 'enumToString(GLenum pname)'
284         print '{'
285         print '    switch (pname) {'
286         for name in GLenum.values:
287             print '    case %s:' % name
288             print '        return "%s";' % name
289         print '    default:'
290         print '        return NULL;'
291         print '    }'
292         print '}'
293         print
294
295         print 'void'
296         print 'dumpEnum(JSONWriter &json, GLenum pname)'
297         print '{'
298         print '    const char *s = enumToString(pname);'
299         print '    if (s) {'
300         print '        json.writeString(s);'
301         print '    } else {'
302         print '        json.writeNumber(pname);'
303         print '    }'
304         print '}'
305         print
306
307         print 'static void'
308         print 'dumpFramebufferAttachementParameters(JSONWriter &json, GLenum target, GLenum attachment)'
309         print '{'
310         self.dump_attachment_parameters('target', 'attachment')
311         print '}'
312         print
313
314         print 'void dumpParameters(JSONWriter &json, Context &context)'
315         print '{'
316         print '    json.beginMember("parameters");'
317         print '    json.beginObject();'
318         
319         self.dump_atoms(glGet)
320         
321         self.dump_material_params()
322         self.dump_light_params()
323         self.dump_vertex_attribs()
324         self.dump_program_params()
325         self.dump_texture_parameters()
326         self.dump_framebuffer_parameters()
327
328         print '    json.endObject();'
329         print '    json.endMember(); // parameters'
330         print '}'
331         print
332         
333         print '} /*namespace glstate */'
334
335     def dump_material_params(self):
336         print '    if (!context.ES) {'
337         for face in ['GL_FRONT', 'GL_BACK']:
338             print '    json.beginMember("%s");' % face
339             print '    json.beginObject();'
340             self.dump_atoms(glGetMaterial, face)
341             print '    json.endObject();'
342         print '    }'
343         print
344
345     def dump_light_params(self):
346         print '    GLint max_lights = 0;'
347         print '    __glGetIntegerv(GL_MAX_LIGHTS, &max_lights);'
348         print '    for (GLint index = 0; index < max_lights; ++index) {'
349         print '        GLenum light = GL_LIGHT0 + index;'
350         print '        if (glIsEnabled(light)) {'
351         print '            char name[32];'
352         print '            snprintf(name, sizeof name, "GL_LIGHT%i", index);'
353         print '            json.beginMember(name);'
354         print '            json.beginObject();'
355         self.dump_atoms(glGetLight, '    GL_LIGHT0 + index')
356         print '            json.endObject();'
357         print '            json.endMember(); // GL_LIGHTi'
358         print '        }'
359         print '    }'
360         print
361
362     def texenv_param_target(self, name):
363         if name == 'GL_TEXTURE_LOD_BIAS':
364            return 'GL_TEXTURE_FILTER_CONTROL'
365         elif name == 'GL_COORD_REPLACE':
366            return 'GL_POINT_SPRITE'
367         else:
368            return 'GL_TEXTURE_ENV'
369
370     def dump_texenv_params(self):
371         for target in ['GL_TEXTURE_ENV', 'GL_TEXTURE_FILTER_CONTROL', 'GL_POINT_SPRITE']:
372             print '    if (!context.ES) {'
373             print '        json.beginMember("%s");' % target
374             print '        json.beginObject();'
375             for _, _, name in glGetTexEnv.iter():
376                 if self.texenv_param_target(name) == target:
377                     self.dump_atom(glGetTexEnv, target, name) 
378             print '        json.endObject();'
379             print '    }'
380
381     def dump_vertex_attribs(self):
382         print '    GLint max_vertex_attribs = 0;'
383         print '    __glGetIntegerv(GL_MAX_VERTEX_ATTRIBS, &max_vertex_attribs);'
384         print '    for (GLint index = 0; index < max_vertex_attribs; ++index) {'
385         print '        char name[32];'
386         print '        snprintf(name, sizeof name, "GL_VERTEX_ATTRIB_ARRAY%i", index);'
387         print '        json.beginMember(name);'
388         print '        json.beginObject();'
389         self.dump_atoms(glGetVertexAttrib, 'index')
390         print '        json.endObject();'
391         print '        json.endMember(); // GL_VERTEX_ATTRIB_ARRAYi'
392         print '    }'
393         print
394
395     program_targets = [
396         'GL_FRAGMENT_PROGRAM_ARB',
397         'GL_VERTEX_PROGRAM_ARB',
398     ]
399
400     def dump_program_params(self):
401         for target in self.program_targets:
402             print '    if (glIsEnabled(%s)) {' % target
403             print '        json.beginMember("%s");' % target
404             print '        json.beginObject();'
405             self.dump_atoms(glGetProgramARB, target)
406             print '        json.endObject();'
407             print '    }'
408
409     def dump_texture_parameters(self):
410         print '    {'
411         print '        GLint active_texture = GL_TEXTURE0;'
412         print '        glGetIntegerv(GL_ACTIVE_TEXTURE, &active_texture);'
413         print '        GLint max_texture_coords = 0;'
414         print '        glGetIntegerv(GL_MAX_TEXTURE_COORDS, &max_texture_coords);'
415         print '        GLint max_combined_texture_image_units = 0;'
416         print '        glGetIntegerv(GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS, &max_combined_texture_image_units);'
417         print '        GLint max_units = std::max(std::max(max_combined_texture_image_units, max_texture_coords), 2);'
418         print '        for (GLint unit = 0; unit < max_units; ++unit) {'
419         print '            char name[32];'
420         print '            snprintf(name, sizeof name, "GL_TEXTURE%i", unit);'
421         print '            json.beginMember(name);'
422         print '            glActiveTexture(GL_TEXTURE0 + unit);'
423         print '            json.beginObject();'
424         print '            GLboolean enabled;'
425         print '            GLint binding;'
426         print
427         for target, binding in texture_targets:
428             print '            // %s' % target
429             print '            enabled = GL_FALSE;'
430             print '            glGetBooleanv(%s, &enabled);' % target
431             print '            json.beginMember("%s");' % target
432             print '            dumpBoolean(json, enabled);'
433             print '            json.endMember();'
434             print '            binding = 0;'
435             print '            glGetIntegerv(%s, &binding);' % binding
436             print '            json.writeNumberMember("%s", binding);' % binding
437             print '            if (enabled || binding) {'
438             print '                json.beginMember("%s");' % target
439             print '                json.beginObject();'
440             self.dump_atoms(glGetTexParameter, target)
441             print '                if (!context.ES) {'
442             # We only dump the first level parameters
443             self.dump_atoms(glGetTexLevelParameter, target, "0")
444             print '                }'
445             print '                json.endObject();'
446             print '                json.endMember(); // %s' % target
447             print '            }'
448             print
449         print '            if (unit < max_texture_coords) {'
450         self.dump_texenv_params()
451         print '            }'
452         print '            json.endObject();'
453         print '            json.endMember(); // GL_TEXTUREi'
454         print '        }'
455         print '        glActiveTexture(active_texture);'
456         print '    }'
457         print
458
459     def dump_framebuffer_parameters(self):
460         print '    {'
461         print '        GLint max_color_attachments = 0;'
462         print '        glGetIntegerv(GL_MAX_COLOR_ATTACHMENTS, &max_color_attachments);'
463         print '        GLint framebuffer;'
464         for target, binding in framebuffer_targets:
465             print '            // %s' % target
466             print '            framebuffer = 0;'
467             print '            glGetIntegerv(%s, &framebuffer);' % binding
468             print '            if (framebuffer) {'
469             print '                json.beginMember("%s");' % target
470             print '                json.beginObject();'
471             print '                for (GLint i = 0; i < max_color_attachments; ++i) {'
472             print '                    GLint color_attachment = GL_COLOR_ATTACHMENT0 + i;'
473             print '                    dumpFramebufferAttachementParameters(json, %s, color_attachment);' % target
474             print '                }'
475             print '                dumpFramebufferAttachementParameters(json, %s, GL_DEPTH_ATTACHMENT);' % target
476             print '                dumpFramebufferAttachementParameters(json, %s, GL_STENCIL_ATTACHMENT);' % target
477             print '                json.endObject();'
478             print '                json.endMember(); // %s' % target
479             print '            }'
480             print
481         print '    }'
482         print
483
484     def dump_attachment_parameters(self, target, attachment):
485         print '            {'
486         print '                GLint object_type = GL_NONE;'
487         print '                glGetFramebufferAttachmentParameteriv(%s, %s, GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE, &object_type);' % (target, attachment)
488         print '                if (object_type != GL_NONE) {'
489         print '                    json.beginMember(enumToString(%s));' % attachment
490         print '                    json.beginObject();'
491         self.dump_atoms(glGetFramebufferAttachmentParameter, target, attachment)
492         print '                    json.endObject();'
493         print '                    json.endMember(); // GL_x_ATTACHMENT'
494         print '                }'
495         print '            }'
496
497     def dump_atoms(self, getter, *args):
498         for _, _, name in getter.iter():
499             self.dump_atom(getter, *(args + (name,))) 
500
501     def dump_atom(self, getter, *args):
502         name = args[-1]
503
504         # Avoid crash on MacOSX
505         # XXX: The right fix would be to look at the support extensions..
506         import platform
507         if name == 'GL_SAMPLER_BINDING' and platform.system() == 'Darwin':
508             return
509
510         print '        // %s' % name
511         print '        {'
512         #print '            assert(glGetError() == GL_NO_ERROR);'
513         type, value = getter(*args)
514         print '            if (glGetError() != GL_NO_ERROR) {'
515         #print '                std::cerr << "warning: %s(%s) failed\\n";' % (inflection, name)
516         print '                while (glGetError() != GL_NO_ERROR) {}'
517         print '            } else {'
518         print '                json.beginMember("%s");' % name
519         JsonWriter().visit(type, value)
520         print '                json.endMember();'
521         print '            }'
522         print '        }'
523         print
524
525
526 if __name__ == '__main__':
527     StateDumper().dump()