]> git.cworth.org Git - apitrace/blob - glstate.py
Linearize texture data in JSON.
[apitrace] / glstate.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 from stdapi import *
31
32 from gltypes import *
33 from glparams import *
34
35
36 texture_targets = [
37     ('GL_TEXTURE_1D', 'GL_TEXTURE_BINDING_1D'),
38     ('GL_TEXTURE_2D', 'GL_TEXTURE_BINDING_2D'),
39     ('GL_TEXTURE_3D', 'GL_TEXTURE_BINDING_3D'),
40     ('GL_TEXTURE_RECTANGLE', 'GL_TEXTURE_BINDING_RECTANGLE'),
41     ('GL_TEXTURE_CUBE_MAP', 'GL_TEXTURE_BINDING_CUBE_MAP')
42 ]
43
44
45 class GetInflector:
46     '''Objects that describes how to inflect.'''
47
48     reduced_types = {
49         B: I,
50         E: I,
51         I: F,
52     }
53
54     def __init__(self, radical, inflections, suffix = ''):
55         self.radical = radical
56         self.inflections = inflections
57         self.suffix = suffix
58
59     def reduced_type(self, type):
60         if type in self.inflections:
61             return type
62         if type in self.reduced_types:
63             return self.reduced_type(self.reduced_types[type])
64         raise NotImplementedError
65
66     def inflect(self, type):
67         return self.radical + self.inflection(type) + self.suffix
68
69     def inflection(self, type):
70         type = self.reduced_type(type)
71         assert type in self.inflections
72         return self.inflections[type]
73
74     def __str__(self):
75         return self.radical + self.suffix
76
77
78 class StateGetter(Visitor):
79     '''Type visitor that is able to extract the state via one of the glGet*
80     functions.
81
82     It will declare any temporary variable
83     '''
84
85     def __init__(self, radical, inflections, suffix=''):
86         self.inflector = GetInflector(radical, inflections)
87         self.suffix = suffix
88
89     def __call__(self, *args):
90         pname = args[-1]
91
92         for function, type, count, name in parameters:
93             if type is X:
94                 continue
95             if name == pname:
96                 if count != 1:
97                     type = Array(type, str(count))
98
99                 return type, self.visit(type, args)
100
101         raise NotImplementedError
102
103     def temp_name(self, args):
104         '''Return the name of a temporary variable to hold the state.'''
105         pname = args[-1]
106
107         return pname[3:].lower()
108
109     def visit_const(self, const, args):
110         return self.visit(const.type, args)
111
112     def visit_scalar(self, type, args):
113         temp_name = self.temp_name(args)
114         elem_type = self.inflector.reduced_type(type)
115         inflection = self.inflector.inflect(type)
116         if inflection.endswith('v'):
117             print '    %s %s = 0;' % (elem_type, temp_name)
118             print '    %s(%s, &%s);' % (inflection + self.suffix, ', '.join(args), temp_name)
119         else:
120             print '    %s %s = %s(%s);' % (elem_type, temp_name, inflection + self.suffix, ', '.join(args))
121         return temp_name
122
123     def visit_string(self, string, args):
124         temp_name = self.temp_name(args)
125         inflection = self.inflector.inflect(string)
126         assert not inflection.endswith('v')
127         print '    %s %s = (%s)%s(%s);' % (string, temp_name, string, inflection + self.suffix, ', '.join(args))
128         return temp_name
129
130     def visit_alias(self, alias, args):
131         return self.visit_scalar(alias, args)
132
133     def visit_enum(self, enum, args):
134         return self.visit(GLint, args)
135
136     def visit_bitmask(self, bitmask, args):
137         return self.visit(GLint, args)
138
139     def visit_array(self, array, args):
140         temp_name = self.temp_name(args)
141         if array.length == '1':
142             return self.visit(array.type)
143         elem_type = self.inflector.reduced_type(array.type)
144         inflection = self.inflector.inflect(array.type)
145         assert inflection.endswith('v')
146         print '    %s %s[%s];' % (elem_type, temp_name, array.length)
147         print '    memset(%s, 0, %s * sizeof *%s);' % (temp_name, array.length, temp_name)
148         print '    %s(%s, %s);' % (inflection + self.suffix, ', '.join(args), temp_name)
149         return temp_name
150
151     def visit_opaque(self, pointer, args):
152         temp_name = self.temp_name(args)
153         inflection = self.inflector.inflect(pointer)
154         assert inflection.endswith('v')
155         print '    GLvoid *%s;' % temp_name
156         print '    %s(%s, &%s);' % (inflection + self.suffix, ', '.join(args), temp_name)
157         return temp_name
158
159
160 glGet = StateGetter('glGet', {
161     B: 'Booleanv',
162     I: 'Integerv',
163     F: 'Floatv',
164     D: 'Doublev',
165     S: 'String',
166     P: 'Pointerv',
167 })
168
169 glGetMaterial = StateGetter('glGetMaterial', {I: 'iv', F: 'fv'})
170 glGetLight = StateGetter('glGetLight', {I: 'iv', F: 'fv'})
171 glGetVertexAttrib = StateGetter('glGetVertexAttrib', {I: 'iv', F: 'fv', D: 'dv', P: 'Pointerv'})
172 glGetTexParameter = StateGetter('glGetTexParameter', {I: 'iv', F: 'fv'})
173 glGetTexEnv = StateGetter('glGetTexEnv', {I: 'iv', F: 'fv'})
174 glGetTexLevelParameter = StateGetter('glGetTexLevelParameter', {I: 'iv', F: 'fv'})
175 glGetProgramARB = StateGetter('glGetProgram', {I: 'iv', F: 'fv', S: 'Stringv'}, 'ARB')
176
177
178 class JsonWriter(Visitor):
179     '''Type visitor that will dump a value of the specified type through the
180     JSON writer.
181     
182     It expects a previously declared JSONWriter instance named "json".'''
183
184     def visit_literal(self, literal, instance):
185         if literal.format == 'Bool':
186             print '    json.writeBool(%s);' % instance
187         elif literal.format in ('SInt', 'Uint', 'Float', 'Double'):
188             print '    json.writeNumber(%s);' % instance
189         else:
190             raise NotImplementedError
191
192     def visit_string(self, string, instance):
193         assert string.length is None
194         print '    json.writeString((const char *)%s);' % instance
195
196     def visit_enum(self, enum, instance):
197         if enum.expr == 'GLenum':
198             print '    writeEnum(json, %s);' % instance
199         else:
200             print '    json.writeNumber(%s);' % instance
201
202     def visit_bitmask(self, bitmask, instance):
203         raise NotImplementedError
204
205     def visit_alias(self, alias, instance):
206         self.visit(alias.type, instance)
207
208     def visit_opaque(self, opaque, instance):
209         print '    json.writeNumber((size_t)%s);' % instance
210
211     __index = 0
212
213     def visit_array(self, array, instance):
214         index = '__i%u' % JsonWriter.__index
215         JsonWriter.__index += 1
216         print '    json.beginArray();'
217         print '    for (unsigned %s = 0; %s < %s; ++%s) {' % (index, index, array.length, index)
218         self.visit(array.type, '%s[%s]' % (instance, index))
219         print '    }'
220         print '    json.endArray();'
221
222
223
224 class StateDumper:
225     '''Class to generate code to dump all GL state in JSON format via
226     stdout.'''
227
228     def __init__(self):
229         pass
230
231     def dump(self):
232         print '#include <string.h>'
233         print '#include <iostream>'
234         print '#include <algorithm>'
235         print
236         print '#include "image.hpp"'
237         print '#include "json.hpp"'
238         print '#include "glimports.hpp"'
239         print '#include "glproc.hpp"'
240         print '#include "glsize.hpp"'
241         print '#include "glretrace.hpp"'
242         print
243
244         print 'static const char *'
245         print '_enum_string(GLenum pname)'
246         print '{'
247         print '    switch(pname) {'
248         for name in GLenum.values:
249             print '    case %s:' % name
250             print '        return "%s";' % name
251         print '    default:'
252         print '        return NULL;'
253         print '    }'
254         print '}'
255         print
256
257         print 'static const char *'
258         print 'enum_string(GLenum pname)'
259         print '{'
260         print '    const char *s = _enum_string(pname);'
261         print '    if (s) {'
262         print '        return s;'
263         print '    } else {'
264         print '        static char buf[16];'
265         print '        snprintf(buf, sizeof buf, "0x%04x", pname);'
266         print '        return buf;'
267         print '    }'
268         print '}'
269         print
270
271         print 'static inline void'
272         print 'writeEnum(JSONWriter &json, GLenum pname)'
273         print '{'
274         print '    const char *s = _enum_string(pname);'
275         print '    if (s) {'
276         print '        json.writeString(s);'
277         print '    } else {'
278         print '        json.writeNumber(pname);'
279         print '    }'
280         print '}'
281         print
282
283         # shaders
284         print '''
285 static void
286 writeShader(JSONWriter &json, GLuint shader)
287 {
288     if (!shader) {
289         return;
290     }
291
292     GLint shader_type = 0;
293     glGetShaderiv(shader, GL_SHADER_TYPE, &shader_type);
294     if (!shader_type) {
295         return;
296     }
297
298     GLint source_length = 0;
299     glGetShaderiv(shader, GL_SHADER_SOURCE_LENGTH, &source_length);
300     if (!source_length) {
301         return;
302     }
303
304     GLchar *source = new GLchar[source_length];
305     GLsizei length = 0;
306     source[0] = 0;
307     glGetShaderSource(shader, source_length, &length, source);
308
309     json.beginMember(enum_string(shader_type));
310     json.writeString(source);
311     json.endMember();
312
313     delete [] source;
314 }
315
316 static inline void
317 writeCurrentProgram(JSONWriter &json)
318 {
319     GLint program = 0;
320     glGetIntegerv(GL_CURRENT_PROGRAM, &program);
321     if (!program) {
322         return;
323     }
324
325     GLint attached_shaders = 0;
326     glGetProgramiv(program, GL_ATTACHED_SHADERS, &attached_shaders);
327     if (!attached_shaders) {
328         return;
329     }
330
331     GLuint *shaders = new GLuint[attached_shaders];
332     GLsizei count = 0;
333     glGetAttachedShaders(program, attached_shaders, &count, shaders);
334     for (GLsizei i = 0; i < count; ++ i) {
335        writeShader(json, shaders[i]);
336     }
337     delete [] shaders;
338 }
339
340 static inline void
341 writeArbProgram(JSONWriter &json, GLenum target)
342 {
343     if (!glIsEnabled(target)) {
344         return;
345     }
346
347     GLint program_length = 0;
348     glGetProgramivARB(target, GL_PROGRAM_LENGTH_ARB, &program_length);
349     if (!program_length) {
350         return;
351     }
352
353     GLchar *source = new GLchar[program_length + 1];
354     source[0] = 0;
355     glGetProgramStringARB(target, GL_PROGRAM_STRING_ARB, source);
356     source[program_length] = 0;
357
358     json.beginMember(enum_string(target));
359     json.writeString(source);
360     json.endMember();
361
362     delete [] source;
363 }
364 '''
365
366         # texture image
367         print '''
368 static inline void
369 writeTextureImage(JSONWriter &json, GLenum target, GLint level)
370 {
371     GLint width, height = 1, depth = 1;
372
373     width = 0;
374     glGetTexLevelParameteriv(target, level, GL_TEXTURE_WIDTH, &width);
375
376     if (target != GL_TEXTURE_1D) {
377         height = 0;
378         glGetTexLevelParameteriv(target, level, GL_TEXTURE_HEIGHT, &height);
379         if (target == GL_TEXTURE_3D) {
380             depth = 0;
381             glGetTexLevelParameteriv(target, level, GL_TEXTURE_DEPTH, &depth);
382         }
383     }
384
385     if (width <= 0 || height <= 0 || depth <= 0) {
386         return;
387     } else {
388         char label[512];
389
390         GLint active_texture = GL_TEXTURE0;
391         glGetIntegerv(GL_ACTIVE_TEXTURE, &active_texture);
392         snprintf(label, sizeof label, "%s, %s, level = %i", _enum_string(active_texture), _enum_string(target), level);
393
394         json.beginMember(label);
395
396         json.beginObject();
397
398         // Tell the GUI this is no ordinary object, but an image
399         json.writeStringMember("__class__", "image");
400
401         json.writeNumberMember("__width__", width);
402         json.writeNumberMember("__height__", height);
403         json.writeNumberMember("__depth__", depth);
404
405         // Hardcoded for now, but we could chose types more adequate to the
406         // texture internal format
407         json.writeStringMember("__type__", "uint8");
408         json.writeBoolMember("__normalized__", true);
409         json.writeNumberMember("__channels__", 4);
410         
411         GLubyte *pixels = new GLubyte[depth*width*height*4];
412
413         if (target == GL_TEXTURE_CUBE_MAP) {
414             // TODO: dump other faces too
415             target = GL_TEXTURE_CUBE_MAP_POSITIVE_X;
416         }
417         
418         glGetTexImage(target, level, GL_RGBA, GL_UNSIGNED_BYTE, pixels);
419
420         json.beginMember("__data__");
421         char *pngBuffer;
422         int pngBufferSize;
423         Image::writePixelsToBuffer(pixels, width, height, 4, false, &pngBuffer, &pngBufferSize);
424         json.writeBase64(pngBuffer, pngBufferSize);
425         free(pngBuffer);
426         json.endMember(); // __data__
427
428         delete [] pixels;
429         json.endObject();
430     }
431 }
432
433 static inline void
434 writeDrawBufferImage(JSONWriter &json, GLenum format)
435 {
436     GLint width  = glretrace::window_width;
437     GLint height = glretrace::window_height;
438
439     GLint channels = __gl_format_channels(format);
440
441     if (!width || !height) {
442         json.writeNull();
443     } else {
444         json.beginObject();
445
446         // Tell the GUI this is no ordinary object, but an image
447         json.writeStringMember("__class__", "image");
448
449         json.writeNumberMember("__width__", width);
450         json.writeNumberMember("__height__", height);
451         json.writeNumberMember("__depth__", 1);
452
453         // Hardcoded for now, but we could chose types more adequate to the
454         // texture internal format
455         json.writeStringMember("__type__", "uint8");
456         json.writeBoolMember("__normalized__", true);
457         json.writeNumberMember("__channels__", channels);
458
459         GLubyte *pixels = new GLubyte[width*height*channels];
460         
461         GLint drawbuffer = glretrace::double_buffer ? GL_BACK : GL_FRONT;
462         GLint readbuffer = glretrace::double_buffer ? GL_BACK : GL_FRONT;
463         glGetIntegerv(GL_DRAW_BUFFER, &drawbuffer);
464         glGetIntegerv(GL_READ_BUFFER, &readbuffer);
465         glReadBuffer(drawbuffer);
466
467         glPushClientAttrib(GL_CLIENT_PIXEL_STORE_BIT);
468         glPixelStorei(GL_PACK_ALIGNMENT, 1);
469
470         glReadPixels(0, 0, width, height, format, GL_UNSIGNED_BYTE, pixels);
471
472         glPopClientAttrib();
473         glReadBuffer(readbuffer);
474
475         json.beginMember("__data__");
476         char *pngBuffer;
477         int pngBufferSize;
478         Image::writePixelsToBuffer(pixels, width, height, channels, false, &pngBuffer, &pngBufferSize);
479         //std::cerr <<" Before = "<<(width * height * channels * sizeof *pixels)
480         //          <<", after = "<<pngBufferSize << ", ratio = " << double(width * height * channels * sizeof *pixels)/pngBufferSize;
481         json.writeBase64(pngBuffer, pngBufferSize);
482         free(pngBuffer);
483         json.endMember(); // __data__
484
485         delete [] pixels;
486         json.endObject();
487     }
488 }
489
490 static inline GLuint
491 downsampledFramebuffer(GLuint oldFbo, GLint drawbuffer,
492                        GLint colorRb, GLint depthRb, GLint stencilRb,
493                        GLuint *rbs, GLint *numRbs)
494 {
495     GLuint fbo;
496     GLint format;
497     GLint w, h;
498
499     *numRbs = 0;
500
501     glGenFramebuffers(1, &fbo);
502     glBindFramebuffer(GL_FRAMEBUFFER, fbo);
503
504     glBindRenderbuffer(GL_RENDERBUFFER, colorRb);
505     glGetRenderbufferParameteriv(GL_RENDERBUFFER,
506                                  GL_RENDERBUFFER_WIDTH, &w);
507     glGetRenderbufferParameteriv(GL_RENDERBUFFER,
508                                  GL_RENDERBUFFER_HEIGHT, &h);
509     glGetRenderbufferParameteriv(GL_RENDERBUFFER,
510                                  GL_RENDERBUFFER_INTERNAL_FORMAT, &format);
511
512     glGenRenderbuffers(1, &rbs[*numRbs]);
513     glBindRenderbuffer(GL_RENDERBUFFER, rbs[*numRbs]);
514     glRenderbufferStorage(GL_RENDERBUFFER, format, w, h);
515     glFramebufferRenderbuffer(GL_FRAMEBUFFER, drawbuffer,
516                               GL_RENDERBUFFER, rbs[*numRbs]);
517
518     glBindFramebuffer(GL_READ_FRAMEBUFFER, oldFbo);
519     glBindFramebuffer(GL_DRAW_FRAMEBUFFER, fbo);
520     glDrawBuffer(drawbuffer);
521     glReadBuffer(drawbuffer);
522     glBlitFramebuffer(0, 0, w, h, 0, 0, w, h,
523                       GL_COLOR_BUFFER_BIT, GL_NEAREST);
524     glBindFramebuffer(GL_FRAMEBUFFER, fbo);
525     ++*numRbs;
526
527     if (stencilRb == depthRb && stencilRb) {
528         //combined depth and stencil buffer
529         glBindRenderbuffer(GL_RENDERBUFFER, depthRb);
530         glGetRenderbufferParameteriv(GL_RENDERBUFFER,
531                                      GL_RENDERBUFFER_WIDTH, &w);
532         glGetRenderbufferParameteriv(GL_RENDERBUFFER,
533                                      GL_RENDERBUFFER_HEIGHT, &h);
534         glGetRenderbufferParameteriv(GL_RENDERBUFFER,
535                                      GL_RENDERBUFFER_INTERNAL_FORMAT, &format);
536
537         glGenRenderbuffers(1, &rbs[*numRbs]);
538         glBindRenderbuffer(GL_RENDERBUFFER, rbs[*numRbs]);
539         glRenderbufferStorage(GL_RENDERBUFFER, format, w, h);
540         glFramebufferRenderbuffer(GL_FRAMEBUFFER, GL_DEPTH_STENCIL_ATTACHMENT,
541                                   GL_RENDERBUFFER, rbs[*numRbs]);
542         glBindFramebuffer(GL_READ_FRAMEBUFFER, oldFbo);
543         glBindFramebuffer(GL_DRAW_FRAMEBUFFER, fbo);
544         glBlitFramebuffer(0, 0, w, h, 0, 0, w, h,
545                           GL_DEPTH_BUFFER_BIT | GL_STENCIL_BUFFER_BIT, GL_NEAREST);
546         glBindFramebuffer(GL_FRAMEBUFFER, fbo);
547         ++*numRbs;
548     } else {
549         if (depthRb) {
550             glBindRenderbuffer(GL_RENDERBUFFER, depthRb);
551             glGetRenderbufferParameteriv(GL_RENDERBUFFER,
552                                          GL_RENDERBUFFER_WIDTH, &w);
553             glGetRenderbufferParameteriv(GL_RENDERBUFFER,
554                                          GL_RENDERBUFFER_HEIGHT, &h);
555             glGetRenderbufferParameteriv(GL_RENDERBUFFER,
556                                          GL_RENDERBUFFER_INTERNAL_FORMAT, &format);
557
558             glGenRenderbuffers(1, &rbs[*numRbs]);
559             glBindRenderbuffer(GL_RENDERBUFFER, rbs[*numRbs]);
560             glRenderbufferStorage(GL_RENDERBUFFER, format, w, h);
561             glFramebufferRenderbuffer(GL_FRAMEBUFFER,
562                                       GL_DEPTH_ATTACHMENT,
563                                       GL_RENDERBUFFER, rbs[*numRbs]);
564             glBindFramebuffer(GL_READ_FRAMEBUFFER, oldFbo);
565             glBindFramebuffer(GL_DRAW_FRAMEBUFFER, fbo);
566             glDrawBuffer(GL_DEPTH_ATTACHMENT);
567             glReadBuffer(GL_DEPTH_ATTACHMENT);
568             glBlitFramebuffer(0, 0, w, h, 0, 0, w, h,
569                               GL_DEPTH_BUFFER_BIT, GL_NEAREST);
570             ++*numRbs;
571         }
572         if (stencilRb) {
573             glBindRenderbuffer(GL_RENDERBUFFER, stencilRb);
574             glGetRenderbufferParameteriv(GL_RENDERBUFFER,
575                                          GL_RENDERBUFFER_WIDTH, &w);
576             glGetRenderbufferParameteriv(GL_RENDERBUFFER,
577                                          GL_RENDERBUFFER_HEIGHT, &h);
578             glGetRenderbufferParameteriv(GL_RENDERBUFFER,
579                                      GL_RENDERBUFFER_INTERNAL_FORMAT, &format);
580
581             glGenRenderbuffers(1, &rbs[*numRbs]);
582             glBindRenderbuffer(GL_RENDERBUFFER, rbs[*numRbs]);
583             glRenderbufferStorage(GL_RENDERBUFFER, format, w, h);
584             glFramebufferRenderbuffer(GL_FRAMEBUFFER,
585                                       GL_STENCIL_ATTACHMENT,
586                                       GL_RENDERBUFFER, rbs[*numRbs]);
587             glBindFramebuffer(GL_READ_FRAMEBUFFER, oldFbo);
588             glBindFramebuffer(GL_DRAW_FRAMEBUFFER, fbo);
589             glDrawBuffer(GL_STENCIL_ATTACHMENT);
590             glReadBuffer(GL_STENCIL_ATTACHMENT);
591             glBlitFramebuffer(0, 0, w, h, 0, 0, w, h,
592                               GL_STENCIL_BUFFER_BIT, GL_NEAREST);
593             ++*numRbs;
594         }
595     }
596
597     return fbo;
598 }
599
600 static void
601 writeDrawBuffers(JSONWriter &json, GLboolean writeDepth, GLboolean writeStencil)
602 {
603     json.beginMember("GL_RGBA");
604     writeDrawBufferImage(json, GL_RGBA);
605     json.endMember();
606
607     if (writeDepth) {
608         json.beginMember("GL_DEPTH_COMPONENT");
609         writeDrawBufferImage(json, GL_DEPTH_COMPONENT);
610         json.endMember();
611     }
612
613     if (writeStencil) {
614         json.beginMember("GL_STENCIL_INDEX");
615         writeDrawBufferImage(json, GL_STENCIL_INDEX);
616         json.endMember();
617     }
618 }
619
620 '''
621
622         # textures
623         print 'static inline void'
624         print 'writeTexture(JSONWriter &json, GLenum target, GLenum binding)'
625         print '{'
626         print '    GLint texture_binding = 0;'
627         print '    glGetIntegerv(binding, &texture_binding);'
628         print '    if (!glIsEnabled(target) && !texture_binding) {'
629         print '        return;'
630         print '    }'
631         print
632         print '    GLint level = 0;'
633         print '    do {'
634         print '        GLint width = 0, height = 0;'
635         print '        glGetTexLevelParameteriv(target, level, GL_TEXTURE_WIDTH, &width);'
636         print '        glGetTexLevelParameteriv(target, level, GL_TEXTURE_HEIGHT, &height);'
637         print '        if (!width || !height) {'
638         print '            break;'
639         print '        }'
640         print
641         print '        writeTextureImage(json, target, level);'
642         print
643         print '        ++level;'
644         print '    } while(true);'
645         print '}'
646         print
647
648         print 'void glretrace::state_dump(std::ostream &os)'
649         print '{'
650         print '    JSONWriter json(os);'
651         self.dump_parameters()
652         self.dump_current_program()
653         self.dump_textures()
654         self.dump_framebuffer()
655         print '}'
656         print
657
658     def dump_parameters(self):
659         print '    json.beginMember("parameters");'
660         print '    json.beginObject();'
661         
662         self.dump_atoms(glGet)
663         
664         self.dump_material_params()
665         self.dump_light_params()
666         self.dump_vertex_attribs()
667         self.dump_texenv_params()
668         self.dump_program_params()
669         self.dump_texture_parameters()
670
671         print '    json.endObject();'
672         print '    json.endMember(); // parameters'
673         print
674
675     def dump_material_params(self):
676         for face in ['GL_FRONT', 'GL_BACK']:
677             print '    json.beginMember("%s");' % face
678             print '    json.beginObject();'
679             self.dump_atoms(glGetMaterial, face)
680             print '    json.endObject();'
681         print
682
683     def dump_light_params(self):
684         print '    GLint max_lights = 0;'
685         print '    __glGetIntegerv(GL_MAX_LIGHTS, &max_lights);'
686         print '    for (GLint index = 0; index < max_lights; ++index) {'
687         print '        GLenum light = GL_LIGHT0 + index;'
688         print '        if (glIsEnabled(light)) {'
689         print '            char name[32];'
690         print '            snprintf(name, sizeof name, "GL_LIGHT%i", index);'
691         print '            json.beginMember(name);'
692         print '            json.beginObject();'
693         self.dump_atoms(glGetLight, '    GL_LIGHT0 + index')
694         print '            json.endObject();'
695         print '            json.endMember(); // GL_LIGHTi'
696         print '        }'
697         print '    }'
698         print
699
700     def dump_texenv_params(self):
701         for target in ['GL_TEXTURE_ENV', 'GL_TEXTURE_FILTER_CONTROL', 'GL_POINT_SPRITE']:
702             if target != 'GL_TEXTURE_FILTER_CONTROL':
703                 print '    if (glIsEnabled(%s)) {' % target
704             else:
705                 print '    {'
706             print '        json.beginMember("%s");' % target
707             print '        json.beginObject();'
708             self.dump_atoms(glGetTexEnv, target)
709             print '        json.endObject();'
710             print '    }'
711
712     def dump_vertex_attribs(self):
713         print '    GLint max_vertex_attribs = 0;'
714         print '    __glGetIntegerv(GL_MAX_VERTEX_ATTRIBS, &max_vertex_attribs);'
715         print '    for (GLint index = 0; index < max_vertex_attribs; ++index) {'
716         print '        char name[32];'
717         print '        snprintf(name, sizeof name, "GL_VERTEX_ATTRIB_ARRAY%i", index);'
718         print '        json.beginMember(name);'
719         print '        json.beginObject();'
720         self.dump_atoms(glGetVertexAttrib, 'index')
721         print '        json.endObject();'
722         print '        json.endMember(); // GL_VERTEX_ATTRIB_ARRAYi'
723         print '    }'
724         print
725
726     program_targets = [
727         'GL_FRAGMENT_PROGRAM_ARB',
728         'GL_VERTEX_PROGRAM_ARB',
729     ]
730
731     def dump_program_params(self):
732         for target in self.program_targets:
733             print '    if (glIsEnabled(%s)) {' % target
734             print '        json.beginMember("%s");' % target
735             print '        json.beginObject();'
736             self.dump_atoms(glGetProgramARB, target)
737             print '        json.endObject();'
738             print '    }'
739
740     def dump_texture_parameters(self):
741         print '    {'
742         print '        GLint active_texture = GL_TEXTURE0;'
743         print '        glGetIntegerv(GL_ACTIVE_TEXTURE, &active_texture);'
744         print '        GLint max_texture_coords = 0;'
745         print '        glGetIntegerv(GL_MAX_TEXTURE_COORDS, &max_texture_coords);'
746         print '        GLint max_combined_texture_image_units = 0;'
747         print '        glGetIntegerv(GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS, &max_combined_texture_image_units);'
748         print '        GLint max_units = std::max(max_combined_texture_image_units, max_texture_coords);'
749         print '        for (GLint unit = 0; unit < max_units; ++unit) {'
750         print '            char name[32];'
751         print '            snprintf(name, sizeof name, "GL_TEXTURE%i", unit);'
752         print '            json.beginMember(name);'
753         print '            glActiveTexture(GL_TEXTURE0 + unit);'
754         print '            json.beginObject();'
755         print '            GLint texture;'
756         print
757         for target, binding in texture_targets:
758             print '            // %s' % target
759             print '            texture = 0;'
760             print '            glGetIntegerv(%s, &texture);' % binding
761             print '            if (glIsEnabled(%s) || texture) {' % target
762             print '                json.beginMember("%s");' % target
763             print '                json.beginObject();'
764             self.dump_atoms(glGetTexParameter, target)
765             # We only dump the first level parameters
766             self.dump_atoms(glGetTexLevelParameter, target, "0")
767             print '                json.endObject();'
768             print '                json.endMember(); // %s' % target
769             print '            }'
770             print
771         print '            json.endObject();'
772         print '            json.endMember(); // GL_TEXTUREi'
773         print '        }'
774         print '        glActiveTexture(active_texture);'
775         print '    }'
776         print
777
778     def dump_current_program(self):
779         print '    json.beginMember("shaders");'
780         print '    json.beginObject();'
781         print '    writeCurrentProgram(json);'
782         for target in self.program_targets:
783             print '    writeArbProgram(json, %s);' % target
784         print '    json.endObject();'
785         print '    json.endMember(); //shaders'
786         print
787
788     def dump_textures(self):
789         print '    {'
790         print '        json.beginMember("textures");'
791         print '        json.beginObject();'
792         print '        GLint active_texture = GL_TEXTURE0;'
793         print '        glGetIntegerv(GL_ACTIVE_TEXTURE, &active_texture);'
794         print '        GLint max_texture_coords = 0;'
795         print '        glGetIntegerv(GL_MAX_TEXTURE_COORDS, &max_texture_coords);'
796         print '        GLint max_combined_texture_image_units = 0;'
797         print '        glGetIntegerv(GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS, &max_combined_texture_image_units);'
798         print '        GLint max_units = std::max(max_combined_texture_image_units, max_texture_coords);'
799         print '        for (GLint unit = 0; unit < max_units; ++unit) {'
800         print '            GLenum texture = GL_TEXTURE0 + unit;'
801         print '            glActiveTexture(texture);'
802         for target, binding in texture_targets:
803             print '            writeTexture(json, %s, %s);' % (target, binding)
804         print '        }'
805         print '        glActiveTexture(active_texture);'
806         print '        json.endObject();'
807         print '        json.endMember(); // textures'
808         print '    }'
809         print
810
811     def dump_framebuffer(self):
812         print '    json.beginMember("framebuffer");'
813         print '    json.beginObject();'
814         # TODO: Handle real FBOs
815         print
816         print '    GLint boundDrawFbo = 0, boundReadFbo = 0;'
817         print '    glGetIntegerv(GL_DRAW_FRAMEBUFFER_BINDING, &boundDrawFbo);'
818         print '    glGetIntegerv(GL_READ_FRAMEBUFFER_BINDING, &boundReadFbo);'
819         print '    if (!boundDrawFbo) {'
820         print '        GLint depth_bits = 0;'
821         print '        glGetIntegerv(GL_DEPTH_BITS, &depth_bits);'
822         print '        GLint stencil_bits = 0;'
823         print '        glGetIntegerv(GL_STENCIL_BITS, &stencil_bits);'
824         print '        writeDrawBuffers(json, depth_bits, stencil_bits);'
825         print '    } else {'
826         print '        GLint colorRb, stencilRb, depthRb;'
827         print '        GLint boundRb;'
828         print '        glGetIntegerv(GL_RENDERBUFFER_BINDING, &boundRb);'
829         print '        GLint drawbuffer = glretrace::double_buffer ? GL_BACK : GL_FRONT;'
830         print '        glGetIntegerv(GL_DRAW_BUFFER, &drawbuffer);'
831         print
832         print '        glGetFramebufferAttachmentParameteriv(GL_FRAMEBUFFER,'
833         print '                                              drawbuffer,'
834         print '                                              GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME,'
835         print '                                              &colorRb);'
836         print '        glGetFramebufferAttachmentParameteriv(GL_FRAMEBUFFER,'
837         print '                                              GL_DEPTH_ATTACHMENT,'
838         print '                                              GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME,'
839         print '                                              &depthRb);'
840         print '        glGetFramebufferAttachmentParameteriv(GL_FRAMEBUFFER,'
841         print '                                              GL_STENCIL_ATTACHMENT,'
842         print '                                              GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME,'
843         print '                                              &stencilRb);'
844         print
845         print '        GLint colorSamples, depthSamples, stencilSamples;'
846         print '        GLuint rbs[3];'
847         print '        GLint numRbs = 0;'
848         print '        GLuint fboCopy = 0;'
849         print '        glBindRenderbuffer(GL_RENDERBUFFER, colorRb);'
850         print '        glGetRenderbufferParameteriv(GL_RENDERBUFFER,'
851         print '                                     GL_RENDERBUFFER_SAMPLES, &colorSamples);'
852         print '        glBindRenderbuffer(GL_RENDERBUFFER, depthRb);'
853         print '        glGetRenderbufferParameteriv(GL_RENDERBUFFER,'
854         print '                                     GL_RENDERBUFFER_SAMPLES, &depthSamples);'
855         print '        glBindRenderbuffer(GL_RENDERBUFFER, stencilRb);'
856         print '        glGetRenderbufferParameteriv(GL_RENDERBUFFER,'
857         print '                                     GL_RENDERBUFFER_SAMPLES, &stencilSamples);'
858         print '        glBindRenderbuffer(GL_RENDERBUFFER, boundRb);'
859         print
860         print '        if (colorSamples || depthSamples || stencilSamples) {'
861         print '            //glReadPixels doesnt support multisampled buffers so we need'
862         print '            // to blit the fbo to a temporary one'
863         print '            fboCopy = downsampledFramebuffer(boundDrawFbo, drawbuffer,'
864         print '                                             colorRb, depthRb, stencilRb,'
865         print '                                             rbs, &numRbs);'
866         print '        }'
867         print '        glDrawBuffer(drawbuffer);'
868         print '        glReadBuffer(drawbuffer);'
869         print
870         print '        writeDrawBuffers(json, depthRb, stencilRb);'
871         print
872         print '        if (fboCopy) {'
873         print '            glBindFramebuffer(GL_FRAMEBUFFER, boundDrawFbo);'
874         print '            glBindFramebuffer(GL_READ_FRAMEBUFFER, boundReadFbo);'
875         print '            glBindFramebuffer(GL_DRAW_FRAMEBUFFER, boundDrawFbo);'
876         print '            glBindRenderbuffer(GL_RENDERBUFFER_BINDING, boundRb);'
877         print '            glDeleteRenderbuffers(numRbs, rbs);'
878         print '            glDeleteFramebuffers(1, &fboCopy);'
879         print '        }'
880         print '    }'
881         print
882         print '    json.endObject();'
883         print '    json.endMember(); // framebuffer'
884         pass
885
886     def dump_atoms(self, getter, *args):
887         for function, type, count, name in parameters:
888             inflection = getter.inflector.radical + getter.suffix
889             if inflection not in function.split(','):
890                 continue
891             if type is X:
892                 continue
893             print '        // %s' % name
894             print '        {'
895             type, value = getter(*(args + (name,)))
896             print '            if (glGetError() != GL_NO_ERROR) {'
897             #print '                std::cerr << "warning: %s(%s) failed\\n";' % (inflection, name)
898             print '            } else {'
899             print '                json.beginMember("%s");' % name
900             JsonWriter().visit(type, value)
901             print '                json.endMember();'
902             print '            }'
903             print '        }'
904             print
905
906
907 if __name__ == '__main__':
908     StateDumper().dump()