-
-
Notifications
You must be signed in to change notification settings - Fork 174
/
gl.js
1565 lines (1440 loc) · 64.9 KB
/
gl.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// load wasm module and link with gl functions
//
// this file was made by tons of hacks from emscripten's parseTools and library_webgl
// https://github.com/emscripten-core/emscripten/blob/master/src/parseTools.js
// https://github.com/emscripten-core/emscripten/blob/master/src/library_webgl.js
//
// TODO: split to gl.js and loader.js
"use strict";
const version = 2;
const canvas = document.querySelector("#glcanvas");
var gl;
var clipboard = null;
var plugins = [];
var wasm_memory;
var animation_frame_timeout;
var high_dpi = false;
// if true, requestAnimationFrame will only be called from "schedule_update"
// if false, requestAnimationFrame will be called at the end of each frame
var blocking_event_loop = false;
function init_webgl(version) {
if (version == 1) {
gl = canvas.getContext("webgl");
function acquireVertexArrayObjectExtension(ctx) {
// Extension available in WebGL 1 from Firefox 25 and WebKit 536.28/desktop Safari 6.0.3 onwards. Core feature in WebGL 2.
var ext = ctx.getExtension('OES_vertex_array_object');
if (ext) {
ctx['createVertexArray'] = function () { return ext['createVertexArrayOES'](); };
ctx['deleteVertexArray'] = function (vao) { ext['deleteVertexArrayOES'](vao); };
ctx['bindVertexArray'] = function (vao) { ext['bindVertexArrayOES'](vao); };
ctx['isVertexArray'] = function (vao) { return ext['isVertexArrayOES'](vao); };
}
else {
alert("Unable to get OES_vertex_array_object extension");
}
}
function acquireInstancedArraysExtension(ctx) {
// Extension available in WebGL 1 from Firefox 26 and Google Chrome 30 onwards. Core feature in WebGL 2.
var ext = ctx.getExtension('ANGLE_instanced_arrays');
if (ext) {
ctx['vertexAttribDivisor'] = function (index, divisor) { ext['vertexAttribDivisorANGLE'](index, divisor); };
ctx['drawArraysInstanced'] = function (mode, first, count, primcount) { ext['drawArraysInstancedANGLE'](mode, first, count, primcount); };
ctx['drawElementsInstanced'] = function (mode, count, type, indices, primcount) { ext['drawElementsInstancedANGLE'](mode, count, type, indices, primcount); };
}
}
function acquireDisjointTimerQueryExtension(ctx) {
var ext = ctx.getExtension('EXT_disjoint_timer_query');
if (ext) {
ctx['createQuery'] = function () { return ext['createQueryEXT'](); };
ctx['beginQuery'] = function (target, query) { return ext['beginQueryEXT'](target, query); };
ctx['endQuery'] = function (target) { return ext['endQueryEXT'](target); };
ctx['deleteQuery'] = function (query) { ext['deleteQueryEXT'](query); };
ctx['getQueryObject'] = function (query, pname) { return ext['getQueryObjectEXT'](query, pname); };
}
}
function acquireDrawBuffers(ctx) {
var ext = ctx.getExtension('WEBGL_draw_buffers');
if (ext) {
ctx['drawBuffers'] = function (bufs) { return ext['drawBuffersWEBGL'](bufs); };
}
}
try {
gl.getExtension("EXT_shader_texture_lod");
gl.getExtension("OES_standard_derivatives");
} catch (e) {
console.warn(e);
}
acquireVertexArrayObjectExtension(gl);
acquireInstancedArraysExtension(gl);
acquireDisjointTimerQueryExtension(gl);
acquireDrawBuffers(gl);
// https://developer.mozilla.org/en-US/docs/Web/API/WEBGL_depth_texture
if (gl.getExtension('WEBGL_depth_texture') == null) {
alert("Cant initialize WEBGL_depth_texture extension");
}
} else {
gl = canvas.getContext("webgl2");
}
if (gl === null) {
alert("Unable to initialize WebGL. Your browser or machine may not support it.");
}
}
canvas.focus();
canvas.requestPointerLock = canvas.requestPointerLock ||
canvas.mozRequestPointerLock ||
// pointer lock in any form is not supported on iOS safari
// https://developer.mozilla.org/en-US/docs/Web/API/Pointer_Lock_API#browser_compatibility
(function () { });
document.exitPointerLock = document.exitPointerLock ||
document.mozExitPointerLock ||
// pointer lock in any form is not supported on iOS safari
(function () { });
function assert(flag, message) {
if (flag == false) {
alert(message)
}
}
function getArray(ptr, arr, n) {
return new arr(wasm_memory.buffer, ptr, n);
}
function UTF8ToString(ptr, maxBytesToRead) {
let u8Array = new Uint8Array(wasm_memory.buffer, ptr);
var idx = 0;
var endIdx = idx + maxBytesToRead;
var str = '';
while (!(idx >= endIdx)) {
// For UTF8 byte structure, see:
// http://en.wikipedia.org/wiki/UTF-8#Description
// https://www.ietf.org/rfc/rfc2279.txt
// https://tools.ietf.org/html/rfc3629
var u0 = u8Array[idx++];
// If not building with TextDecoder enabled, we don't know the string length, so scan for \0 byte.
// If building with TextDecoder, we know exactly at what byte index the string ends, so checking for nulls here would be redundant.
if (!u0) return str;
if (!(u0 & 0x80)) { str += String.fromCharCode(u0); continue; }
var u1 = u8Array[idx++] & 63;
if ((u0 & 0xE0) == 0xC0) { str += String.fromCharCode(((u0 & 31) << 6) | u1); continue; }
var u2 = u8Array[idx++] & 63;
if ((u0 & 0xF0) == 0xE0) {
u0 = ((u0 & 15) << 12) | (u1 << 6) | u2;
} else {
if ((u0 & 0xF8) != 0xF0) console.warn('Invalid UTF-8 leading byte 0x' + u0.toString(16) + ' encountered when deserializing a UTF-8 string on the asm.js/wasm heap to a JS string!');
u0 = ((u0 & 7) << 18) | (u1 << 12) | (u2 << 6) | (u8Array[idx++] & 63);
}
if (u0 < 0x10000) {
str += String.fromCharCode(u0);
} else {
var ch = u0 - 0x10000;
str += String.fromCharCode(0xD800 | (ch >> 10), 0xDC00 | (ch & 0x3FF));
}
}
return str;
}
function stringToUTF8(str, heap, outIdx, maxBytesToWrite) {
var startIdx = outIdx;
var endIdx = outIdx + maxBytesToWrite;
for (var i = 0; i < str.length; ++i) {
// Gotcha: charCodeAt returns a 16-bit word that is a UTF-16 encoded code unit, not a Unicode code point of the character! So decode UTF16->UTF32->UTF8.
// See http://unicode.org/faq/utf_bom.html#utf16-3
// For UTF8 byte structure, see http://en.wikipedia.org/wiki/UTF-8#Description and https://www.ietf.org/rfc/rfc2279.txt and https://tools.ietf.org/html/rfc3629
var u = str.charCodeAt(i); // possibly a lead surrogate
if (u >= 0xD800 && u <= 0xDFFF) {
var u1 = str.charCodeAt(++i);
u = 0x10000 + ((u & 0x3FF) << 10) | (u1 & 0x3FF);
}
if (u <= 0x7F) {
if (outIdx >= endIdx) break;
heap[outIdx++] = u;
} else if (u <= 0x7FF) {
if (outIdx + 1 >= endIdx) break;
heap[outIdx++] = 0xC0 | (u >> 6);
heap[outIdx++] = 0x80 | (u & 63);
} else if (u <= 0xFFFF) {
if (outIdx + 2 >= endIdx) break;
heap[outIdx++] = 0xE0 | (u >> 12);
heap[outIdx++] = 0x80 | ((u >> 6) & 63);
heap[outIdx++] = 0x80 | (u & 63);
} else {
if (outIdx + 3 >= endIdx) break;
if (u >= 0x200000) console.warn('Invalid Unicode code point 0x' + u.toString(16) + ' encountered when serializing a JS string to an UTF-8 string on the asm.js/wasm heap! (Valid unicode code points should be in range 0-0x1FFFFF).');
heap[outIdx++] = 0xF0 | (u >> 18);
heap[outIdx++] = 0x80 | ((u >> 12) & 63);
heap[outIdx++] = 0x80 | ((u >> 6) & 63);
heap[outIdx++] = 0x80 | (u & 63);
}
}
return outIdx - startIdx;
}
var FS = {
loaded_files: [],
unique_id: 0
};
var GL = {
counter: 1,
buffers: [],
mappedBuffers: {},
programs: [],
framebuffers: [],
renderbuffers: [],
textures: [],
uniforms: [],
shaders: [],
vaos: [],
timerQueries: [],
contexts: {},
programInfos: {},
getNewId: function (table) {
var ret = GL.counter++;
for (var i = table.length; i < ret; i++) {
table[i] = null;
}
return ret;
},
validateGLObjectID: function (objectHandleArray, objectID, callerFunctionName, objectReadableType) {
if (objectID != 0) {
if (objectHandleArray[objectID] === null) {
console.error(callerFunctionName + ' called with an already deleted ' + objectReadableType + ' ID ' + objectID + '!');
} else if (!objectHandleArray[objectID]) {
console.error(callerFunctionName + ' called with an invalid ' + objectReadableType + ' ID ' + objectID + '!');
}
}
},
getSource: function (shader, count, string, length) {
var source = '';
for (var i = 0; i < count; ++i) {
var len = length == 0 ? undefined : getArray(length + i * 4, Uint32Array, 1)[0];
source += UTF8ToString(getArray(string + i * 4, Uint32Array, 1)[0], len);
}
return source;
},
populateUniformTable: function (program) {
GL.validateGLObjectID(GL.programs, program, 'populateUniformTable', 'program');
var p = GL.programs[program];
var ptable = GL.programInfos[program] = {
uniforms: {},
maxUniformLength: 0, // This is eagerly computed below, since we already enumerate all uniforms anyway.
maxAttributeLength: -1, // This is lazily computed and cached, computed when/if first asked, "-1" meaning not computed yet.
maxUniformBlockNameLength: -1 // Lazily computed as well
};
var utable = ptable.uniforms;
// A program's uniform table maps the string name of an uniform to an integer location of that uniform.
// The global GL.uniforms map maps integer locations to WebGLUniformLocations.
var numUniforms = gl.getProgramParameter(p, 0x8B86/*GL_ACTIVE_UNIFORMS*/);
for (var i = 0; i < numUniforms; ++i) {
var u = gl.getActiveUniform(p, i);
var name = u.name;
ptable.maxUniformLength = Math.max(ptable.maxUniformLength, name.length + 1);
// If we are dealing with an array, e.g. vec4 foo[3], strip off the array index part to canonicalize that "foo", "foo[]",
// and "foo[0]" will mean the same. Loop below will populate foo[1] and foo[2].
if (name.slice(-1) == ']') {
name = name.slice(0, name.lastIndexOf('['));
}
// Optimize memory usage slightly: If we have an array of uniforms, e.g. 'vec3 colors[3];', then
// only store the string 'colors' in utable, and 'colors[0]', 'colors[1]' and 'colors[2]' will be parsed as 'colors'+i.
// Note that for the GL.uniforms table, we still need to fetch the all WebGLUniformLocations for all the indices.
var loc = gl.getUniformLocation(p, name);
if (loc) {
var id = GL.getNewId(GL.uniforms);
utable[name] = [u.size, id];
GL.uniforms[id] = loc;
for (var j = 1; j < u.size; ++j) {
var n = name + '[' + j + ']';
loc = gl.getUniformLocation(p, n);
id = GL.getNewId(GL.uniforms);
GL.uniforms[id] = loc;
}
}
}
}
}
function _glGenObject(n, buffers, createFunction, objectTable, functionName) {
for (var i = 0; i < n; i++) {
var buffer = gl[createFunction]();
var id = buffer && GL.getNewId(objectTable);
if (buffer) {
buffer.name = id;
objectTable[id] = buffer;
} else {
console.error("GL_INVALID_OPERATION");
GL.recordError(0x0502 /* GL_INVALID_OPERATION */);
alert('GL_INVALID_OPERATION in ' + functionName + ': GLctx.' + createFunction + ' returned null - most likely GL context is lost!');
}
getArray(buffers + i * 4, Int32Array, 1)[0] = id;
}
}
function _webglGet(name_, p, type) {
// Guard against user passing a null pointer.
// Note that GLES2 spec does not say anything about how passing a null pointer should be treated.
// Testing on desktop core GL 3, the application crashes on glGetIntegerv to a null pointer, but
// better to report an error instead of doing anything random.
if (!p) {
console.error('GL_INVALID_VALUE in glGet' + type + 'v(name=' + name_ + ': Function called with null out pointer!');
GL.recordError(0x501 /* GL_INVALID_VALUE */);
return;
}
var ret = undefined;
switch (name_) { // Handle a few trivial GLES values
case 0x8DFA: // GL_SHADER_COMPILER
ret = 1;
break;
case 0x8DF8: // GL_SHADER_BINARY_FORMATS
if (type != 'EM_FUNC_SIG_PARAM_I' && type != 'EM_FUNC_SIG_PARAM_I64') {
GL.recordError(0x500); // GL_INVALID_ENUM
err('GL_INVALID_ENUM in glGet' + type + 'v(GL_SHADER_BINARY_FORMATS): Invalid parameter type!');
}
return; // Do not write anything to the out pointer, since no binary formats are supported.
case 0x87FE: // GL_NUM_PROGRAM_BINARY_FORMATS
case 0x8DF9: // GL_NUM_SHADER_BINARY_FORMATS
ret = 0;
break;
case 0x86A2: // GL_NUM_COMPRESSED_TEXTURE_FORMATS
// WebGL doesn't have GL_NUM_COMPRESSED_TEXTURE_FORMATS (it's obsolete since GL_COMPRESSED_TEXTURE_FORMATS returns a JS array that can be queried for length),
// so implement it ourselves to allow C++ GLES2 code get the length.
var formats = gl.getParameter(0x86A3 /*GL_COMPRESSED_TEXTURE_FORMATS*/);
ret = formats ? formats.length : 0;
break;
case 0x821D: // GL_NUM_EXTENSIONS
assert(false, "unimplemented");
break;
case 0x821B: // GL_MAJOR_VERSION
case 0x821C: // GL_MINOR_VERSION
assert(false, "unimplemented");
break;
}
if (ret === undefined) {
var result = gl.getParameter(name_);
switch (typeof (result)) {
case "number":
ret = result;
break;
case "boolean":
ret = result ? 1 : 0;
break;
case "string":
GL.recordError(0x500); // GL_INVALID_ENUM
console.error('GL_INVALID_ENUM in glGet' + type + 'v(' + name_ + ') on a name which returns a string!');
return;
case "object":
if (result === null) {
// null is a valid result for some (e.g., which buffer is bound - perhaps nothing is bound), but otherwise
// can mean an invalid name_, which we need to report as an error
switch (name_) {
case 0x8894: // ARRAY_BUFFER_BINDING
case 0x8B8D: // CURRENT_PROGRAM
case 0x8895: // ELEMENT_ARRAY_BUFFER_BINDING
case 0x8CA6: // FRAMEBUFFER_BINDING
case 0x8CA7: // RENDERBUFFER_BINDING
case 0x8069: // TEXTURE_BINDING_2D
case 0x85B5: // WebGL 2 GL_VERTEX_ARRAY_BINDING, or WebGL 1 extension OES_vertex_array_object GL_VERTEX_ARRAY_BINDING_OES
case 0x8919: // GL_SAMPLER_BINDING
case 0x8E25: // GL_TRANSFORM_FEEDBACK_BINDING
case 0x8514: { // TEXTURE_BINDING_CUBE_MAP
ret = 0;
break;
}
default: {
GL.recordError(0x500); // GL_INVALID_ENUM
console.error('GL_INVALID_ENUM in glGet' + type + 'v(' + name_ + ') and it returns null!');
return;
}
}
} else if (result instanceof Float32Array ||
result instanceof Uint32Array ||
result instanceof Int32Array ||
result instanceof Array) {
for (var i = 0; i < result.length; ++i) {
assert(false, "unimplemented")
}
return;
} else {
try {
ret = result.name | 0;
} catch (e) {
GL.recordError(0x500); // GL_INVALID_ENUM
console.error('GL_INVALID_ENUM in glGet' + type + 'v: Unknown object returned from WebGL getParameter(' + name_ + ')! (error: ' + e + ')');
return;
}
}
break;
default:
GL.recordError(0x500); // GL_INVALID_ENUM
console.error('GL_INVALID_ENUM in glGet' + type + 'v: Native code calling glGet' + type + 'v(' + name_ + ') and it returns ' + result + ' of type ' + typeof (result) + '!');
return;
}
}
switch (type) {
case 'EM_FUNC_SIG_PARAM_I64': getArray(p, Int32Array, 1)[0] = ret;
case 'EM_FUNC_SIG_PARAM_I': getArray(p, Int32Array, 1)[0] = ret; break;
case 'EM_FUNC_SIG_PARAM_F': getArray(p, Float32Array, 1)[0] = ret; break;
case 'EM_FUNC_SIG_PARAM_B': getArray(p, Int8Array, 1)[0] = ret ? 1 : 0; break;
default: throw 'internal glGet error, bad type: ' + type;
}
}
var Module;
var wasm_exports;
function resize(canvas, on_resize) {
var dpr = dpi_scale();
var displayWidth = canvas.clientWidth * dpr;
var displayHeight = canvas.clientHeight * dpr;
if (canvas.width != displayWidth ||
canvas.height != displayHeight) {
canvas.width = displayWidth;
canvas.height = displayHeight;
if (on_resize != undefined)
on_resize(Math.floor(displayWidth), Math.floor(displayHeight))
}
}
function animation() {
wasm_exports.frame();
if (!window.blocking_event_loop) {
if (animation_frame_timeout) {
window.cancelAnimationFrame(animation_frame_timeout);
}
animation_frame_timeout = window.requestAnimationFrame(animation);
}
}
const SAPP_EVENTTYPE_TOUCHES_BEGAN = 10;
const SAPP_EVENTTYPE_TOUCHES_MOVED = 11;
const SAPP_EVENTTYPE_TOUCHES_ENDED = 12;
const SAPP_EVENTTYPE_TOUCHES_CANCELED = 13;
const SAPP_MODIFIER_SHIFT = 1;
const SAPP_MODIFIER_CTRL = 2;
const SAPP_MODIFIER_ALT = 4;
const SAPP_MODIFIER_SUPER = 8;
function into_sapp_mousebutton(btn) {
switch (btn) {
case 0: return 0;
case 1: return 2;
case 2: return 1;
default: return btn;
}
}
function into_sapp_keycode(key_code) {
switch (key_code) {
case "Space": return 32;
case "Quote": return 222;
case "Comma": return 44;
case "Minus": return 45;
case "Period": return 46;
case "Slash": return 189;
case "Digit0": return 48;
case "Digit1": return 49;
case "Digit2": return 50;
case "Digit3": return 51;
case "Digit4": return 52;
case "Digit5": return 53;
case "Digit6": return 54;
case "Digit7": return 55;
case "Digit8": return 56;
case "Digit9": return 57;
case "Semicolon": return 59;
case "Equal": return 61;
case "KeyA": return 65;
case "KeyB": return 66;
case "KeyC": return 67;
case "KeyD": return 68;
case "KeyE": return 69;
case "KeyF": return 70;
case "KeyG": return 71;
case "KeyH": return 72;
case "KeyI": return 73;
case "KeyJ": return 74;
case "KeyK": return 75;
case "KeyL": return 76;
case "KeyM": return 77;
case "KeyN": return 78;
case "KeyO": return 79;
case "KeyP": return 80;
case "KeyQ": return 81;
case "KeyR": return 82;
case "KeyS": return 83;
case "KeyT": return 84;
case "KeyU": return 85;
case "KeyV": return 86;
case "KeyW": return 87;
case "KeyX": return 88;
case "KeyY": return 89;
case "KeyZ": return 90;
case "BracketLeft": return 91;
case "Backslash": return 92;
case "BracketRight": return 93;
case "Backquote": return 96;
case "Escape": return 256;
case "Enter": return 257;
case "Tab": return 258;
case "Backspace": return 259;
case "Insert": return 260;
case "Delete": return 261;
case "ArrowRight": return 262;
case "ArrowLeft": return 263;
case "ArrowDown": return 264;
case "ArrowUp": return 265;
case "PageUp": return 266;
case "PageDown": return 267;
case "Home": return 268;
case "End": return 269;
case "CapsLock": return 280;
case "ScrollLock": return 281;
case "NumLock": return 282;
case "PrintScreen": return 283;
case "Pause": return 284;
case "F1": return 290;
case "F2": return 291;
case "F3": return 292;
case "F4": return 293;
case "F5": return 294;
case "F6": return 295;
case "F7": return 296;
case "F8": return 297;
case "F9": return 298;
case "F10": return 299;
case "F11": return 300;
case "F12": return 301;
case "F13": return 302;
case "F14": return 303;
case "F15": return 304;
case "F16": return 305;
case "F17": return 306;
case "F18": return 307;
case "F19": return 308;
case "F20": return 309;
case "F21": return 310;
case "F22": return 311;
case "F23": return 312;
case "F24": return 313;
case "Numpad0": return 320;
case "Numpad1": return 321;
case "Numpad2": return 322;
case "Numpad3": return 323;
case "Numpad4": return 324;
case "Numpad5": return 325;
case "Numpad6": return 326;
case "Numpad7": return 327;
case "Numpad8": return 328;
case "Numpad9": return 329;
case "NumpadDecimal": return 330;
case "NumpadDivide": return 331;
case "NumpadMultiply": return 332;
case "NumpadSubtract": return 333;
case "NumpadAdd": return 334;
case "NumpadEnter": return 335;
case "NumpadEqual": return 336;
case "ShiftLeft": return 340;
case "ControlLeft": return 341;
case "AltLeft": return 342;
case "OSLeft": return 343;
case "ShiftRight": return 344;
case "ControlRight": return 345;
case "AltRight": return 346;
case "OSRight": return 347;
case "ContextMenu": return 348;
}
console.log("Unsupported keyboard key: ", key_code)
}
function dpi_scale() {
if (high_dpi) {
return window.devicePixelRatio || 1.0;
} else {
return 1.0;
}
}
function texture_size(internalFormat, width, height) {
if (internalFormat == gl.ALPHA) {
return width * height;
}
else if (internalFormat == gl.RGB) {
return width * height * 3;
} else if (internalFormat == gl.RGBA) {
return width * height * 4;
} else { // TextureFormat::RGB565 | TextureFormat::RGBA4 | TextureFormat::RGBA5551
return width * height * 3;
}
}
function mouse_relative_position(clientX, clientY) {
var targetRect = canvas.getBoundingClientRect();
var x = (clientX - targetRect.left) * dpi_scale();
var y = (clientY - targetRect.top) * dpi_scale();
return { x, y };
}
var emscripten_shaders_hack = false;
var importObject = {
env: {
console_debug: function (ptr) {
console.debug(UTF8ToString(ptr));
},
console_log: function (ptr) {
console.log(UTF8ToString(ptr));
},
console_info: function (ptr) {
console.info(UTF8ToString(ptr));
},
console_warn: function (ptr) {
console.warn(UTF8ToString(ptr));
},
console_error: function (ptr) {
console.error(UTF8ToString(ptr));
},
set_emscripten_shader_hack: function (flag) {
emscripten_shaders_hack = flag;
},
sapp_set_clipboard: function (ptr, len) {
clipboard = UTF8ToString(ptr, len);
},
dpi_scale,
rand: function () {
return Math.floor(Math.random() * 2147483647);
},
now: function () {
return Date.now() / 1000.0;
},
canvas_width: function () {
return Math.floor(canvas.width);
},
canvas_height: function () {
return Math.floor(canvas.height);
},
glClearDepthf: function (depth) {
gl.clearDepth(depth);
},
glClearColor: function (r, g, b, a) {
gl.clearColor(r, g, b, a);
},
glClearStencil: function (s) {
gl.clearStencil(s);
},
glColorMask: function (red, green, blue, alpha) {
gl.colorMask(red, green, blue, alpha);
},
glScissor: function (x, y, w, h) {
gl.scissor(x, y, w, h);
},
glClear: function (mask) {
gl.clear(mask);
},
glGenTextures: function (n, textures) {
_glGenObject(n, textures, "createTexture", GL.textures, "glGenTextures")
},
glActiveTexture: function (texture) {
gl.activeTexture(texture)
},
glBindTexture: function (target, texture) {
GL.validateGLObjectID(GL.textures, texture, 'glBindTexture', 'texture');
gl.bindTexture(target, GL.textures[texture]);
},
glTexImage2D: function (target, level, internalFormat, width, height, border, format, type, pixels) {
gl.texImage2D(target, level, internalFormat, width, height, border, format, type,
pixels ? getArray(pixels, Uint8Array, texture_size(internalFormat, width, height)) : null);
},
glTexSubImage2D: function (target, level, xoffset, yoffset, width, height, format, type, pixels) {
gl.texSubImage2D(target, level, xoffset, yoffset, width, height, format, type,
pixels ? getArray(pixels, Uint8Array, texture_size(format, width, height)) : null);
},
glReadPixels: function (x, y, width, height, format, type, pixels) {
var pixelData = getArray(pixels, Uint8Array, texture_size(format, width, height));
gl.readPixels(x, y, width, height, format, type, pixelData);
},
glTexParameteri: function (target, pname, param) {
gl.texParameteri(target, pname, param);
},
glUniform1fv: function (location, count, value) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform1fv', 'location');
assert((value & 3) == 0, 'Pointer to float data passed to glUniform1fv must be aligned to four bytes!');
var view = getArray(value, Float32Array, 1 * count);
gl.uniform1fv(GL.uniforms[location], view);
},
glUniform2fv: function (location, count, value) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform2fv', 'location');
assert((value & 3) == 0, 'Pointer to float data passed to glUniform2fv must be aligned to four bytes!');
var view = getArray(value, Float32Array, 2 * count);
gl.uniform2fv(GL.uniforms[location], view);
},
glUniform3fv: function (location, count, value) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform3fv', 'location');
assert((value & 3) == 0, 'Pointer to float data passed to glUniform3fv must be aligned to four bytes!');
var view = getArray(value, Float32Array, 3 * count);
gl.uniform3fv(GL.uniforms[location], view);
},
glUniform4fv: function (location, count, value) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform4fv', 'location');
assert((value & 3) == 0, 'Pointer to float data passed to glUniform4fv must be aligned to four bytes!');
var view = getArray(value, Float32Array, 4 * count);
gl.uniform4fv(GL.uniforms[location], view);
},
glUniform1iv: function (location, count, value) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform1fv', 'location');
assert((value & 3) == 0, 'Pointer to i32 data passed to glUniform1iv must be aligned to four bytes!');
var view = getArray(value, Int32Array, 1 * count);
gl.uniform1iv(GL.uniforms[location], view);
},
glUniform2iv: function (location, count, value) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform2fv', 'location');
assert((value & 3) == 0, 'Pointer to i32 data passed to glUniform2iv must be aligned to four bytes!');
var view = getArray(value, Int32Array, 2 * count);
gl.uniform2iv(GL.uniforms[location], view);
},
glUniform3iv: function (location, count, value) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform3fv', 'location');
assert((value & 3) == 0, 'Pointer to i32 data passed to glUniform3iv must be aligned to four bytes!');
var view = getArray(value, Int32Array, 3 * count);
gl.uniform3iv(GL.uniforms[location], view);
},
glUniform4iv: function (location, count, value) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform4fv', 'location');
assert((value & 3) == 0, 'Pointer to i32 data passed to glUniform4iv must be aligned to four bytes!');
var view = getArray(value, Int32Array, 4 * count);
gl.uniform4iv(GL.uniforms[location], view);
},
glBlendFunc: function (sfactor, dfactor) {
gl.blendFunc(sfactor, dfactor);
},
glBlendEquationSeparate: function (modeRGB, modeAlpha) {
gl.blendEquationSeparate(modeRGB, modeAlpha);
},
glDisable: function (cap) {
gl.disable(cap);
},
glDrawElements: function (mode, count, type, indices) {
gl.drawElements(mode, count, type, indices);
},
glGetIntegerv: function (name_, p) {
_webglGet(name_, p, 'EM_FUNC_SIG_PARAM_I');
},
glUniform1f: function (location, v0) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform1f', 'location');
gl.uniform1f(GL.uniforms[location], v0);
},
glUniform1i: function (location, v0) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniform1i', 'location');
gl.uniform1i(GL.uniforms[location], v0);
},
glGetAttribLocation: function (program, name) {
return gl.getAttribLocation(GL.programs[program], UTF8ToString(name));
},
glEnableVertexAttribArray: function (index) {
gl.enableVertexAttribArray(index);
},
glDisableVertexAttribArray: function (index) {
gl.disableVertexAttribArray(index);
},
glVertexAttribPointer: function (index, size, type, normalized, stride, ptr) {
gl.vertexAttribPointer(index, size, type, !!normalized, stride, ptr);
},
glVertexAttribIPointer: function (index, size, type, stride, ptr) {
gl.vertexAttribIPointer(index, size, type, stride, ptr);
},
glGetUniformLocation: function (program, name) {
GL.validateGLObjectID(GL.programs, program, 'glGetUniformLocation', 'program');
name = UTF8ToString(name);
var arrayIndex = 0;
// If user passed an array accessor "[index]", parse the array index off the accessor.
if (name[name.length - 1] == ']') {
var leftBrace = name.lastIndexOf('[');
arrayIndex = name[leftBrace + 1] != ']' ? parseInt(name.slice(leftBrace + 1)) : 0; // "index]", parseInt will ignore the ']' at the end; but treat "foo[]" as "foo[0]"
name = name.slice(0, leftBrace);
}
var uniformInfo = GL.programInfos[program] && GL.programInfos[program].uniforms[name]; // returns pair [ dimension_of_uniform_array, uniform_location ]
if (uniformInfo && arrayIndex >= 0 && arrayIndex < uniformInfo[0]) { // Check if user asked for an out-of-bounds element, i.e. for 'vec4 colors[3];' user could ask for 'colors[10]' which should return -1.
return uniformInfo[1] + arrayIndex;
} else {
return -1;
}
},
glUniformMatrix4fv: function (location, count, transpose, value) {
GL.validateGLObjectID(GL.uniforms, location, 'glUniformMatrix4fv', 'location');
assert((value & 3) == 0, 'Pointer to float data passed to glUniformMatrix4fv must be aligned to four bytes!');
var view = getArray(value, Float32Array, 16);
gl.uniformMatrix4fv(GL.uniforms[location], !!transpose, view);
},
glUseProgram: function (program) {
GL.validateGLObjectID(GL.programs, program, 'glUseProgram', 'program');
gl.useProgram(GL.programs[program]);
},
glGenVertexArrays: function (n, arrays) {
_glGenObject(n, arrays, 'createVertexArray', GL.vaos, 'glGenVertexArrays');
},
glGenFramebuffers: function (n, ids) {
_glGenObject(n, ids, 'createFramebuffer', GL.framebuffers, 'glGenFramebuffers');
},
glGenRenderbuffers: function (n, ids) {
_glGenObject(n, ids, 'createRenderbuffer', GL.renderbuffers, 'glGenRenderbuffers');
},
glBindVertexArray: function (vao) {
gl.bindVertexArray(GL.vaos[vao]);
},
glBindFramebuffer: function (target, framebuffer) {
GL.validateGLObjectID(GL.framebuffers, framebuffer, 'glBindFramebuffer', 'framebuffer');
gl.bindFramebuffer(target, GL.framebuffers[framebuffer]);
},
glBindRenderbuffer: function (target, renderbuffer) {
GL.validateGLObjectID(GL.renderbuffers, renderbuffer, 'glBindRenderbuffer', 'renderbuffer');
gl.bindRenderbuffer(target, GL.renderbuffers[renderbuffer]);
},
glGenBuffers: function (n, buffers) {
_glGenObject(n, buffers, 'createBuffer', GL.buffers, 'glGenBuffers');
},
glBindBuffer: function (target, buffer) {
GL.validateGLObjectID(GL.buffers, buffer, 'glBindBuffer', 'buffer');
gl.bindBuffer(target, GL.buffers[buffer]);
},
glBufferData: function (target, size, data, usage) {
gl.bufferData(target, data ? getArray(data, Uint8Array, size) : size, usage);
},
glBufferSubData: function (target, offset, size, data) {
gl.bufferSubData(target, offset, data ? getArray(data, Uint8Array, size) : size);
},
glEnable: function (cap) {
gl.enable(cap);
},
glFlush: function () {
gl.flush();
},
glFinish: function () {
gl.finish();
},
glDepthFunc: function (func) {
gl.depthFunc(func);
},
glBlendFuncSeparate: function (sfactorRGB, dfactorRGB, sfactorAlpha, dfactorAlpha) {
gl.blendFuncSeparate(sfactorRGB, dfactorRGB, sfactorAlpha, dfactorAlpha);
},
glViewport: function (x, y, width, height) {
gl.viewport(x, y, width, height);
},
glDrawArrays: function (mode, first, count) {
gl.drawArrays(mode, first, count);
},
glDrawBuffers: function (n, bufs) {
gl.drawBuffers(getArray(bufs, Int32Array, n));
},
glCreateProgram: function () {
var id = GL.getNewId(GL.programs);
var program = gl.createProgram();
program.name = id;
GL.programs[id] = program;
return id;
},
glAttachShader: function (program, shader) {
GL.validateGLObjectID(GL.programs, program, 'glAttachShader', 'program');
GL.validateGLObjectID(GL.shaders, shader, 'glAttachShader', 'shader');
gl.attachShader(GL.programs[program], GL.shaders[shader]);
},
glDetachShader: function (program, shader) {
GL.validateGLObjectID(GL.programs, program, 'glDetachShader', 'program');
GL.validateGLObjectID(GL.shaders, shader, 'glDetachShader', 'shader');
gl.detachShader(GL.programs[program], GL.shaders[shader]);
},
glLinkProgram: function (program) {
GL.validateGLObjectID(GL.programs, program, 'glLinkProgram', 'program');
gl.linkProgram(GL.programs[program]);
GL.populateUniformTable(program);
},
glPixelStorei: function (pname, param) {
gl.pixelStorei(pname, param);
},
glFramebufferTexture2D: function (target, attachment, textarget, texture, level) {
GL.validateGLObjectID(GL.textures, texture, 'glFramebufferTexture2D', 'texture');
gl.framebufferTexture2D(target, attachment, textarget, GL.textures[texture], level);
},
glGetProgramiv: function (program, pname, p) {
assert(p);
GL.validateGLObjectID(GL.programs, program, 'glGetProgramiv', 'program');
if (program >= GL.counter) {
console.error("GL_INVALID_VALUE in glGetProgramiv");
return;
}
var ptable = GL.programInfos[program];
if (!ptable) {
console.error('GL_INVALID_OPERATION in glGetProgramiv(program=' + program + ', pname=' + pname + ', p=0x' + p.toString(16) + '): The specified GL object name does not refer to a program object!');
return;
}
if (pname == 0x8B84) { // GL_INFO_LOG_LENGTH
var log = gl.getProgramInfoLog(GL.programs[program]);
assert(log !== null);
getArray(p, Int32Array, 1)[0] = log.length + 1;
} else if (pname == 0x8B87 /* GL_ACTIVE_UNIFORM_MAX_LENGTH */) {
console.error("unsupported operation");
return;
} else if (pname == 0x8B8A /* GL_ACTIVE_ATTRIBUTE_MAX_LENGTH */) {
console.error("unsupported operation");
return;
} else if (pname == 0x8A35 /* GL_ACTIVE_UNIFORM_BLOCK_MAX_NAME_LENGTH */) {
console.error("unsupported operation");
return;
} else {
getArray(p, Int32Array, 1)[0] = gl.getProgramParameter(GL.programs[program], pname);
}
},
glCreateShader: function (shaderType) {
var id = GL.getNewId(GL.shaders);
GL.shaders[id] = gl.createShader(shaderType);
return id;
},
glStencilFuncSeparate: function (face, func, ref_, mask) {
gl.stencilFuncSeparate(face, func, ref_, mask);
},
glStencilMaskSeparate: function (face, mask) {
gl.stencilMaskSeparate(face, mask);
},
glStencilOpSeparate: function (face, fail, zfail, zpass) {
gl.stencilOpSeparate(face, fail, zfail, zpass);
},
glFrontFace: function (mode) {
gl.frontFace(mode);
},
glCullFace: function (mode) {
gl.cullFace(mode);
},
glCopyTexImage2D: function (target, level, internalformat, x, y, width, height, border) {
gl.copyTexImage2D(target, level, internalformat, x, y, width, height, border);
},
glShaderSource: function (shader, count, string, length) {
GL.validateGLObjectID(GL.shaders, shader, 'glShaderSource', 'shader');
var source = GL.getSource(shader, count, string, length);
// https://github.com/emscripten-core/emscripten/blob/incoming/src/library_webgl.js#L2708
if (emscripten_shaders_hack) {
source = source.replace(/#extension GL_OES_standard_derivatives : enable/g, "");
source = source.replace(/#extension GL_EXT_shader_texture_lod : enable/g, '');
var prelude = '';
if (source.indexOf('gl_FragColor') != -1) {
prelude += 'out mediump vec4 GL_FragColor;\n';
source = source.replace(/gl_FragColor/g, 'GL_FragColor');
}
if (source.indexOf('attribute') != -1) {
source = source.replace(/attribute/g, 'in');
source = source.replace(/varying/g, 'out');
} else {
source = source.replace(/varying/g, 'in');
}
source = source.replace(/textureCubeLodEXT/g, 'textureCubeLod');
source = source.replace(/texture2DLodEXT/g, 'texture2DLod');
source = source.replace(/texture2DProjLodEXT/g, 'texture2DProjLod');
source = source.replace(/texture2DGradEXT/g, 'texture2DGrad');
source = source.replace(/texture2DProjGradEXT/g, 'texture2DProjGrad');
source = source.replace(/textureCubeGradEXT/g, 'textureCubeGrad');
source = source.replace(/textureCube/g, 'texture');
source = source.replace(/texture1D/g, 'texture');
source = source.replace(/texture2D/g, 'texture');
source = source.replace(/texture3D/g, 'texture');
source = source.replace(/#version 100/g, '#version 300 es\n' + prelude);
}
gl.shaderSource(GL.shaders[shader], source);
},
glGetProgramInfoLog: function (program, maxLength, length, infoLog) {
GL.validateGLObjectID(GL.programs, program, 'glGetProgramInfoLog', 'program');
var log = gl.getProgramInfoLog(GL.programs[program]);
assert(log !== null);
let array = getArray(infoLog, Uint8Array, maxLength);
for (var i = 0; i < maxLength; i++) {
array[i] = log.charCodeAt(i);
}