diff options
Diffstat (limited to 'src')
| -rw-r--r-- | src/compiler.js | 2 | ||||
| -rw-r--r-- | src/intertyper.js | 4 | ||||
| -rw-r--r-- | src/jsifier.js | 186 | ||||
| -rw-r--r-- | src/library.js | 442 | ||||
| -rw-r--r-- | src/library_browser.js | 8 | ||||
| -rw-r--r-- | src/library_gl.js | 182 | ||||
| -rw-r--r-- | src/library_sdl.js | 245 | ||||
| -rw-r--r-- | src/modules.js | 36 | ||||
| -rw-r--r-- | src/parseTools.js | 46 | ||||
| -rw-r--r-- | src/preamble.js | 10 | ||||
| -rw-r--r-- | src/relooper/Relooper.cpp | 74 | ||||
| -rw-r--r-- | src/relooper/Relooper.h | 2 | ||||
| -rw-r--r-- | src/runtime.js | 8 | ||||
| -rw-r--r-- | src/settings.js | 30 | ||||
| -rw-r--r-- | src/shell.html | 6 | ||||
| -rw-r--r-- | src/shell.js | 10 | ||||
| -rw-r--r-- | src/utility.js | 10 | 
17 files changed, 958 insertions, 343 deletions
| diff --git a/src/compiler.js b/src/compiler.js index 94e77e26..365ff32f 100644 --- a/src/compiler.js +++ b/src/compiler.js @@ -176,6 +176,8 @@ DEAD_FUNCTIONS = numberedSet(DEAD_FUNCTIONS);  RUNTIME_DEBUG = LIBRARY_DEBUG || GL_DEBUG; +if (SAFE_HEAP) USE_BSS = 0; // must initialize heap for safe heap +  // Settings sanity checks  assert(!(USE_TYPED_ARRAYS === 2 && QUANTUM_SIZE !== 4), 'For USE_TYPED_ARRAYS == 2, must have normal QUANTUM_SIZE of 4'); diff --git a/src/intertyper.js b/src/intertyper.js index 6da30ae8..abfbdacb 100644 --- a/src/intertyper.js +++ b/src/intertyper.js @@ -502,7 +502,8 @@ function intertyper(data, sidePass, baseLineNums) {        } else {          // variable          var ident = item.tokens[0].text; -        var private_ = findTokenText(item, 'private') >= 0; +        var private_ = findTokenText(item, 'private') >= 0 || findTokenText(item, 'internal') >= 0; +        var named = findTokenText(item, 'unnamed_addr') < 0;          cleanOutTokens(LLVM.GLOBAL_MODIFIERS, item.tokens, [2, 3]);          var external = false;          if (item.tokens[2].text === 'external') { @@ -516,6 +517,7 @@ function intertyper(data, sidePass, baseLineNums) {            type: item.tokens[2].text,            external: external,            private_: private_, +          named: named,            lineNum: item.lineNum          };          if (!NAMED_GLOBALS) { diff --git a/src/jsifier.js b/src/jsifier.js index ac6c259b..30cea99b 100644 --- a/src/jsifier.js +++ b/src/jsifier.js @@ -44,7 +44,7 @@ function JSify(data, functionsOnly, givenFunctions) {        // things out as they are ready.        var shellParts = read(shellFile).split('{{BODY}}'); -      print(shellParts[0]); +      print(processMacros(preprocess(shellParts[0])));        var preFile = BUILD_AS_SHARED_LIB ? 'preamble_sharedlib.js' : 'preamble.js';        var pre = processMacros(preprocess(read(preFile).replace('{{RUNTIME}}', getRuntime())));        print(pre); @@ -264,9 +264,9 @@ function JSify(data, functionsOnly, givenFunctions) {        assert(!item.lines); // FIXME remove this, after we are sure it isn't needed        var ret = [item];        if (item.ident == '_llvm_global_ctors') { -        item.JS = '\n__ATINIT__ = __ATINIT__.concat([\n' + -                    item.ctors.map(function(ctor) { return '  { func: function() { ' + ctor + '() } }' }).join(',\n') + -                  '\n]);\n'; +        item.JS = '\n/* global initializers */ __ATINIT__.push(' + +                    item.ctors.map(function(ctor) { return '{ func: function() { ' + ctor + '() } }' }).join(',') + +                  ');\n';          return ret;        } @@ -285,42 +285,67 @@ function JSify(data, functionsOnly, givenFunctions) {          index = makeGlobalUse(item.ident); // index !== null indicates we are indexing this          allocator = 'ALLOC_NONE';        } -      if (item.external) { -        if (Runtime.isNumberType(item.type) || isPointerType(item.type)) { -          constant = zeros(Runtime.getNativeFieldSize(item.type)); -        } else { -          constant = makeEmptyStruct(item.type); -        } -      } else { -        constant = parseConst(item.value, item.type, item.ident); + +      Variables.globals[item.ident].named = item.named; + +      if (ASM_JS && (MAIN_MODULE || SIDE_MODULE) && !item.private_ && !NAMED_GLOBALS && isIndexableGlobal(item.ident)) { +        // We need this to be named (and it normally would not be), so that it can be linked to and used from other modules +        Variables.globals[item.ident].linkable = 1;        } -      assert(typeof constant === 'object');//, [typeof constant, JSON.stringify(constant), item.external]); -      // This is a flattened object. We need to find its idents, so they can be assigned to later -      constant.forEach(function(value, i) { -        if (needsPostSet(value)) { // ident, or expression containing an ident -          ret.push({ -            intertype: 'GlobalVariablePostSet', -            JS: makeSetValue(makeGlobalUse(item.ident), i, value, 'i32', false, true) + ';' // ignore=true, since e.g. rtti and statics cause lots of safe_heap errors -          }); -          constant[i] = '0'; +      if (isBSS(item)) { +        var length = calcAllocatedSize(item.type); +        length = Runtime.alignMemory(length); + +        // If using indexed globals, go ahead and early out (no need to explicitly +        // initialize). +        if (!NAMED_GLOBALS) { +          return ret;          } -      }); +        // If using named globals, we can at least shorten the call to allocate by +        // passing an integer representing the size of memory to alloc instead of +        // an array of 0s of size length. +        else { +          constant = length; +        } +      } else { +        if (item.external) { +          if (Runtime.isNumberType(item.type) || isPointerType(item.type)) { +            constant = zeros(Runtime.getNativeFieldSize(item.type)); +          } else { +            constant = makeEmptyStruct(item.type); +          } +        } else { +          constant = parseConst(item.value, item.type, item.ident); +        } +        assert(typeof constant === 'object');//, [typeof constant, JSON.stringify(constant), item.external]); + +        // This is a flattened object. We need to find its idents, so they can be assigned to later +        constant.forEach(function(value, i) { +          if (needsPostSet(value)) { // ident, or expression containing an ident +            ret.push({ +              intertype: 'GlobalVariablePostSet', +              JS: makeSetValue(makeGlobalUse(item.ident), i, value, 'i32', false, true) + ';' // ignore=true, since e.g. rtti and statics cause lots of safe_heap errors +            }); +            constant[i] = '0'; +          } +        }); -      if (item.external) { -        // External variables in shared libraries should not be declared as -        // they would shadow similarly-named globals in the parent, so do nothing here. -        if (BUILD_AS_SHARED_LIB) return ret; -        // Library items need us to emit something, but everything else requires nothing. -        if (!LibraryManager.library[item.ident.slice(1)]) return ret; -      } +        if (item.external) { +          // External variables in shared libraries should not be declared as +          // they would shadow similarly-named globals in the parent, so do nothing here. +          if (BUILD_AS_SHARED_LIB) return ret; +          // Library items need us to emit something, but everything else requires nothing. +          if (!LibraryManager.library[item.ident.slice(1)]) return ret; +        } -      // ensure alignment -      constant = constant.concat(zeros(Runtime.alignMemory(constant.length) - constant.length)); +        // ensure alignment +        constant = constant.concat(zeros(Runtime.alignMemory(constant.length) - constant.length)); -      // Special case: class vtables. We make sure they are null-terminated, to allow easy runtime operations -      if (item.ident.substr(0, 5) == '__ZTV') { -        constant = constant.concat(zeros(Runtime.alignMemory(QUANTUM_SIZE))); +        // Special case: class vtables. We make sure they are null-terminated, to allow easy runtime operations +        if (item.ident.substr(0, 5) == '__ZTV') { +          constant = constant.concat(zeros(Runtime.alignMemory(QUANTUM_SIZE))); +        }        }        // NOTE: This is the only place that could potentially create static @@ -356,22 +381,11 @@ function JSify(data, functionsOnly, givenFunctions) {        // Set the actual value in a postset, since it may be a global variable. We also order by dependencies there        Variables.globals[item.ident].targetIdent = item.value.ident;        var value = Variables.globals[item.ident].resolvedAlias = finalizeLLVMParameter(item.value); -      var fix = ''; -      if (BUILD_AS_SHARED_LIB == 2 && !item.private_) { -        var target = item.ident; -        if (isFunctionType(item.type)) { -          target = item.value.ident; // the other side does not know this is an alias/function table index. So make it the alias target. -          var varData = Variables.globals[target]; -          assert(!varData, 'multi-level aliasing does not work yet in shared lib 2 exports'); -        } -        fix = '\nif (globalScope) { assert(!globalScope["' + item.ident + '"]); globalScope["' + item.ident + '"] = ' + target + ' }' +      if ((MAIN_MODULE || SIDE_MODULE) && isFunctionType(item.type)) { +        var target = item.value.ident; +        if (!Functions.aliases[target]) Functions.aliases[target] = []; +        Functions.aliases[target].push(item.ident);        } -      ret.push({ -        intertype: 'GlobalVariablePostSet', -        ident: item.ident, -        dependencies: set([value]), -        JS: item.ident + ' = ' + value + ';' + fix -      });        return ret;      }    }); @@ -590,6 +604,8 @@ function JSify(data, functionsOnly, givenFunctions) {            var associatedSourceFile = "NO_SOURCE";        } +      if (DLOPEN_SUPPORT) Functions.getIndex(func.ident); +        func.JS += 'function ' + func.ident + '(' + paramIdents.join(', ') + ') {\n';        if (PGO) { @@ -695,7 +711,9 @@ function JSify(data, functionsOnly, givenFunctions) {                }              }              i++; -            return JS + (Debugging.on ? Debugging.getComment(line.lineNum) : ''); +            // invoke instructions span two lines, and the debug info is located +            // on the second line, hence the +1 +            return JS + (Debugging.on ? Debugging.getComment(line.lineNum + (line.intertype === 'invoke' ? 1 : 0)) : '');            })                                    .join('\n')                                    .split('\n') // some lines include line breaks @@ -827,6 +845,19 @@ function JSify(data, functionsOnly, givenFunctions) {        }        func.JS = func.JS.replace(/\n *;/g, '\n'); // remove unneeded lines + +      if (MAIN_MODULE || SIDE_MODULE) { +        // Clone the function for each of its aliases. We do not know which name it will be used by in another module, +        // and we do not have a heavyweight metadata system to resolve aliases during linking +        var aliases = Functions.aliases[func.ident]; +        if (aliases) { +          var body = func.JS.substr(func.JS.indexOf('(')); +          aliases.forEach(function(alias) { +            func.JS += '\n' + 'function ' + alias + body; +          }); +        } +      } +        return func;      }    }); @@ -1234,7 +1265,7 @@ function JSify(data, functionsOnly, givenFunctions) {        case 'xchg': return '(tempValue=' + makeGetValue(param1, 0, type) + ',' + makeSetValue(param1, 0, param2, type, null, null, null, null, ',') + ',tempValue)';        case 'cmpxchg': {          var param3 = finalizeLLVMParameter(item.params[2]); -        return '(tempValue=' + makeGetValue(param1, 0, type) + ',(' + makeGetValue(param1, 0, type) + '==(' + param2 + '|0) ? ' + makeSetValue(param1, 0, param3, type, null, null, null, null, ',') + ' : 0),tempValue)'; +        return '(tempValue=' + makeGetValue(param1, 0, type) + ',(' + makeGetValue(param1, 0, type) + '==(' + param2 + '|0) ? ' + asmCoercion(makeSetValue(param1, 0, param3, type, null, null, null, null, ','), 'i32') + ' : 0),tempValue)';        }        default: throw 'unhandled atomic op: ' + item.op;      } @@ -1308,7 +1339,7 @@ function JSify(data, functionsOnly, givenFunctions) {    makeFuncLineActor('alloca', function(item) {      if (typeof item.allocatedIndex === 'number') {        if (item.allocatedSize === 0) return ''; // This will not actually be shown - it's nativized -      return asmCoercion(getFastValue('__stackBase__', '+', item.allocatedIndex.toString()), 'i32'); +      return asmCoercion(getFastValue('sp', '+', item.allocatedIndex.toString()), 'i32');      } else {        return RuntimeGenerator.stackAlloc(getFastValue(calcAllocatedSize(item.allocatedType), '*', item.allocatedNum));      } @@ -1443,7 +1474,6 @@ function JSify(data, functionsOnly, givenFunctions) {      }      args = args.concat(varargs); -    var argsText = args.join(', ');      // Inline if either we inline whenever we can (and we can), or if there is no noninlined version      var inline = LibraryManager.library[simpleIdent + '__inline']; @@ -1452,8 +1482,8 @@ function JSify(data, functionsOnly, givenFunctions) {        return inline.apply(null, args); // Warning: inlining does not prevent recalculation of the arguments. They should be simple identifiers      } -    if (ASM_JS) { -      // remove unneeded arguments, which the asm sig can show us. this lets us alias memset with llvm.memset, we just +    if (ASM_JS && ident.indexOf('llvm_') >= 0) { +      // remove unneeded arguments in llvm intrinsic functions, which the asm sig can show us. this lets us alias memset with llvm.memset, we just        // drop the final 2 args so things validate properly in asm        var libsig = LibraryManager.library[simpleIdent + '__sig'];        if (libsig) { @@ -1465,9 +1495,27 @@ function JSify(data, functionsOnly, givenFunctions) {        }      } +    if (callIdent in Functions.implementedFunctions) { +      // LLVM sometimes bitcasts for no reason. We must call using the exact same type as the actual function is generated as. +      var numArgs = Functions.implementedFunctions[callIdent].length - 1; +      if (numArgs !== args.length) { +        if (VERBOSE) warnOnce('Fixing function call arguments based on signature, on ' + [callIdent, args.length, numArgs]); +        while (args.length > numArgs) { args.pop(); argsTypes.pop() } +        while (args.length < numArgs) { args.push('0'); argsTypes.push('i32') } +      } +    } +      var returnType = 'void';      if ((byPointer || ASM_JS) && hasReturn) {        returnType = getReturnType(type); +      if (callIdent in Functions.implementedFunctions) { +        // LLVM sometimes bitcasts for no reason. We must call using the exact same type as the actual function is generated as +        var trueType = Functions.getSignatureReturnType(Functions.implementedFunctions[callIdent]); +        if (trueType !== returnType && !isIdenticallyImplemented(trueType, returnType)) { +          if (VERBOSE) warnOnce('Fixing function call based on return type from signature, on ' + [callIdent, returnType, trueType]); +          returnType = trueType; +        } +      }      }      if (byPointer) { @@ -1482,7 +1530,7 @@ function JSify(data, functionsOnly, givenFunctions) {            // This is a call through an invoke_*, either a forced one, or a setjmp-required one            // note: no need to update argsTypes at this point            if (byPointerForced) Functions.unimplementedFunctions[callIdent] = sig; -          args.unshift(byPointerForced ? Functions.getIndex(callIdent) : asmCoercion(callIdent, 'i32')); +          args.unshift(byPointerForced ? Functions.getIndex(callIdent, undefined, sig) : asmCoercion(callIdent, 'i32'));            callIdent = 'invoke_' + sig;          }        } else if (SAFE_DYNCALLS) { @@ -1562,11 +1610,12 @@ function JSify(data, functionsOnly, givenFunctions) {        if (phase == 'pre' && !Variables.generatedGlobalBase) {          Variables.generatedGlobalBase = true;          // Globals are done, here is the rest of static memory +        assert((TARGET_LE32 && Runtime.GLOBAL_BASE == 8) || (TARGET_X86 && Runtime.GLOBAL_BASE == 4)); // this is assumed in e.g. relocations for linkable modules          print('STATIC_BASE = ' + Runtime.GLOBAL_BASE + ';\n');          print('STATICTOP = STATIC_BASE + ' + Runtime.alignMemory(Variables.nextIndexedOffset) + ';\n');        }        var generated = itemsDict.function.concat(itemsDict.type).concat(itemsDict.GlobalVariableStub).concat(itemsDict.GlobalVariable); -      print(generated.map(function(item) { return item.JS }).join('\n')); +      print(generated.map(function(item) { return item.JS; }).join('\n'));        if (phase == 'pre') {          if (memoryInitialization.length > 0) { @@ -1595,11 +1644,11 @@ function JSify(data, functionsOnly, givenFunctions) {            print('/* no memory initializer */'); // test purposes          } -        // Run postsets right before main, and after the memory initializer has been set up +        // Define postsets. These will be run in ATINIT, right before global initializers (which might need the postsets). We cannot +        // run them now because the memory initializer might not have been applied yet.          print('function runPostSets() {\n');          print(itemsDict.GlobalVariablePostSet.map(function(item) { return item.JS }).join('\n'));          print('}\n'); -        print('if (!awaitingMemoryInitializer) runPostSets();\n'); // if we load the memory initializer, this is done later          if (USE_TYPED_ARRAYS == 2) {            print('var tempDoublePtr = Runtime.alignMemory(allocate(12, "i8", ALLOC_STATIC), 8);\n'); @@ -1709,8 +1758,8 @@ function JSify(data, functionsOnly, givenFunctions) {              }            }          }); -        print(read('fastLong.js'));        } +      print(read('fastLong.js'));        print('// EMSCRIPTEN_END_FUNCS\n');        print(read('long.js'));      } else { @@ -1747,7 +1796,7 @@ function JSify(data, functionsOnly, givenFunctions) {      print(postParts[1]);      var shellParts = read(shellFile).split('{{BODY}}'); -    print(shellParts[1]); +    print(processMacros(preprocess(shellParts[1])));      // Print out some useful metadata      if (EMIT_GENERATED_FUNCTIONS || PGO) {        var generatedFunctions = JSON.stringify(keys(Functions.implementedFunctions).filter(function(func) { @@ -1772,6 +1821,21 @@ function JSify(data, functionsOnly, givenFunctions) {      substrate.addItems(data.functionStubs, 'FunctionStub');      assert(data.functions.length == 0);    } else { +    if (phase == 'pre') { +      // ensure there is a global ctors, for runPostSets +      if ('_llvm_global_ctors' in data.globalVariables) { +        data.globalVariables._llvm_global_ctors.ctors.unshift('runPostSets'); // run postsets right before global initializers +        hasCtors = true; +      } else { +        substrate.addItems([{ +          intertype: 'GlobalVariableStub', +          ident: '_llvm_global_ctors', +          type: '[1 x { i32, void ()* }]', +          ctors: ["runPostSets"], +        }], 'GlobalVariable'); +      } +    } +      substrate.addItems(sortGlobals(data.globalVariables), 'GlobalVariable');      substrate.addItems(data.aliass, 'Alias');      substrate.addItems(data.functions, 'FunctionSplitter'); diff --git a/src/library.js b/src/library.js index 01a67804..f6da38c1 100644 --- a/src/library.js +++ b/src/library.js @@ -588,8 +588,11 @@ LibraryManager.library = {        // Create the I/O devices.        var devFolder = FS.createFolder('/', 'dev', true, true);        var stdin = FS.createDevice(devFolder, 'stdin', input); +      stdin.isTerminal = !stdinOverridden;        var stdout = FS.createDevice(devFolder, 'stdout', null, output); +      stdout.isTerminal = !stdoutOverridden;        var stderr = FS.createDevice(devFolder, 'stderr', null, error); +      stderr.isTerminal = !stderrOverridden;        FS.createDevice(devFolder, 'tty', input, output);        FS.createDevice(devFolder, 'null', function(){}, function(){}); @@ -601,7 +604,6 @@ LibraryManager.library = {          isRead: true,          isWrite: false,          isAppend: false, -        isTerminal: !stdinOverridden,          error: false,          eof: false,          ungotten: [] @@ -613,7 +615,6 @@ LibraryManager.library = {          isRead: false,          isWrite: true,          isAppend: false, -        isTerminal: !stdoutOverridden,          error: false,          eof: false,          ungotten: [] @@ -625,7 +626,6 @@ LibraryManager.library = {          isRead: false,          isWrite: true,          isAppend: false, -        isTerminal: !stderrOverridden,          error: false,          eof: false,          ungotten: [] @@ -737,7 +737,8 @@ LibraryManager.library = {      // int closedir(DIR *dirp);      // http://pubs.opengroup.org/onlinepubs/007908799/xsh/closedir.html      if (!FS.streams[dirp] || !FS.streams[dirp].object.isFolder) { -      return ___setErrNo(ERRNO_CODES.EBADF); +      ___setErrNo(ERRNO_CODES.EBADF); +      return -1;      } else {        _free(FS.streams[dirp].currentEntry);        FS.streams[dirp] = null; @@ -749,7 +750,8 @@ LibraryManager.library = {      // long int telldir(DIR *dirp);      // http://pubs.opengroup.org/onlinepubs/007908799/xsh/telldir.html      if (!FS.streams[dirp] || !FS.streams[dirp].object.isFolder) { -      return ___setErrNo(ERRNO_CODES.EBADF); +      ___setErrNo(ERRNO_CODES.EBADF); +      return -1;      } else {        return FS.streams[dirp].position;      } @@ -865,10 +867,6 @@ LibraryManager.library = {      }      var file = FS.findObject(Pointer_stringify(path));      if (file === null) return -1; -    if (!file.write) { -      ___setErrNo(ERRNO_CODES.EPERM); -      return -1; -    }      file.timestamp = time;      return 0;    }, @@ -1213,7 +1211,7 @@ LibraryManager.library = {          ___setErrNo(ERRNO_CODES.EEXIST);          return -1;        } -      if ((isWrite || isCreate || isTruncate) && target.isFolder) { +      if ((isWrite || isTruncate) && target.isFolder) {          ___setErrNo(ERRNO_CODES.EISDIR);          return -1;        } @@ -1381,7 +1379,7 @@ LibraryManager.library = {    posix_fallocate: function(fd, offset, len) {      // int posix_fallocate(int fd, off_t offset, off_t len);      // http://pubs.opengroup.org/onlinepubs/009695399/functions/posix_fallocate.html -    if (!FS.streams[fd] || FS.streams[fd].link || +    if (!FS.streams[fd] || !FS.streams[fd].isWrite || FS.streams[fd].link ||          FS.streams[fd].isFolder || FS.streams[fd].isDevice) {        ___setErrNo(ERRNO_CODES.EBADF);        return -1; @@ -1688,13 +1686,16 @@ LibraryManager.library = {    isatty: function(fildes) {      // int isatty(int fildes);      // http://pubs.opengroup.org/onlinepubs/000095399/functions/isatty.html -    if (!FS.streams[fildes]) { +    var stream = FS.streams[fildes]; +    if (!stream) {        ___setErrNo(ERRNO_CODES.EBADF);        return 0;      } -    if (FS.streams[fildes].isTerminal) return 1; -    ___setErrNo(ERRNO_CODES.ENOTTY); -    return 0; +    if (!stream.object.isTerminal) { +      ___setErrNo(ERRNO_CODES.ENOTTY); +      return 0; +    } +    return 1;    },    lchown__deps: ['chown'],    lchown: function(path, owner, group) { @@ -1916,30 +1917,21 @@ LibraryManager.library = {      if (!_ttyname.ret) _ttyname.ret = _malloc(256);      return _ttyname_r(fildes, _ttyname.ret, 256) ? 0 : _ttyname.ret;    }, -  ttyname_r__deps: ['$FS', '__setErrNo', '$ERRNO_CODES'], +  ttyname_r__deps: ['$FS', '__setErrNo', '$ERRNO_CODES', 'isatty'],    ttyname_r: function(fildes, name, namesize) {      // int ttyname_r(int fildes, char *name, size_t namesize);      // http://pubs.opengroup.org/onlinepubs/000095399/functions/ttyname.html      var stream = FS.streams[fildes]; +    var ttyname = '/dev/tty';      if (!stream) {        return ___setErrNo(ERRNO_CODES.EBADF); -    } else { -      var object = stream.object; -      if (!object.isDevice || !object.input || !object.output) { -        return ___setErrNo(ERRNO_CODES.ENOTTY); -      } else { -        var ret = stream.path; -        if (namesize < ret.length + 1) { -          return ___setErrNo(ERRNO_CODES.ERANGE); -        } else { -          for (var i = 0; i < ret.length; i++) { -            {{{ makeSetValue('name', 'i', 'ret.charCodeAt(i)', 'i8') }}} -          } -          {{{ makeSetValue('name', 'i', '0', 'i8') }}} -          return 0; -        } -      } +    } else if (!_isatty(fildes)) { +       return ___setErrNo(ERRNO_CODES.ENOTTY); +    } else if (namesize < ttyname.length + 1) { +      return ___setErrNo(ERRNO_CODES.ERANGE);      } +    writeStringToMemory(ttyname, name); +    return 0;    },    symlink__deps: ['$FS', '__setErrNo', '$ERRNO_CODES'],    symlink: function(path1, path2) { @@ -3191,7 +3183,7 @@ LibraryManager.library = {      var flush = function(filedes) {        // Right now we write all data directly, except for output devices.        if (FS.streams[filedes] && FS.streams[filedes].object.output) { -        if (!FS.streams[filedes].isTerminal) { // don't flush terminals, it would cause a \n to also appear +        if (!FS.streams[filedes].object.isTerminal) { // don't flush terminals, it would cause a \n to also appear            FS.streams[filedes].object.output(null);          }        } @@ -5743,8 +5735,15 @@ LibraryManager.library = {    rintf: 'rint',    lrint: 'rint',    lrintf: 'rint', +#if USE_TYPED_ARRAYS == 2 +  llrint: function(x) { +    x = (x < 0) ? -Math.round(-x) : Math.round(x); +    {{{ makeStructuralReturn(splitI64('x')) }}}; +  }, +#else    llrint: 'rint', -  llrintf: 'rint', +#endif +  llrintf: 'llrint',    nearbyint: 'rint',    nearbyintf: 'rint',    trunc: function(x) { @@ -5886,7 +5885,7 @@ LibraryManager.library = {    dlopen: function(filename, flag) {      // void *dlopen(const char *file, int mode);      // http://pubs.opengroup.org/onlinepubs/009695399/functions/dlopen.html -    filename = (ENV['LD_LIBRARY_PATH'] || '/') + Pointer_stringify(filename); +    filename = filename === 0 ? '__self__' : (ENV['LD_LIBRARY_PATH'] || '/') + Pointer_stringify(filename);      if (DLFCN_DATA.loadedLibNames[filename]) {        // Already loaded; increment ref count and return. @@ -5895,48 +5894,55 @@ LibraryManager.library = {        return handle;      } -    var target = FS.findObject(filename); -    if (!target || target.isFolder || target.isDevice) { -      DLFCN_DATA.errorMsg = 'Could not find dynamic lib: ' + filename; -      return 0; +    if (filename === '__self__') { +      var handle = -1; +      var lib_module = Module; +      var cached_functions = SYMBOL_TABLE;      } else { -      FS.forceLoadFile(target); -      var lib_data = intArrayToString(target.contents); -    } +      var target = FS.findObject(filename); +      if (!target || target.isFolder || target.isDevice) { +        DLFCN_DATA.errorMsg = 'Could not find dynamic lib: ' + filename; +        return 0; +      } else { +        FS.forceLoadFile(target); +        var lib_data = intArrayToString(target.contents); +      } -    try { -      var lib_module = eval(lib_data)({{{ Functions.getTable('x') }}}.length); -    } catch (e) { +      try { +        var lib_module = eval(lib_data)({{{ Functions.getTable('x') }}}.length); +      } catch (e) {  #if ASSERTIONS -      Module.printErr('Error in loading dynamic library: ' + e); +        Module.printErr('Error in loading dynamic library: ' + e);  #endif -      DLFCN_DATA.errorMsg = 'Could not evaluate dynamic lib: ' + filename; -      return 0; -    } +        DLFCN_DATA.errorMsg = 'Could not evaluate dynamic lib: ' + filename; +        return 0; +      } -    // Not all browsers support Object.keys(). -    var handle = 1; -    for (var key in DLFCN_DATA.loadedLibs) { -      if (DLFCN_DATA.loadedLibs.hasOwnProperty(key)) handle++; -    } +      // Not all browsers support Object.keys(). +      var handle = 1; +      for (var key in DLFCN_DATA.loadedLibs) { +        if (DLFCN_DATA.loadedLibs.hasOwnProperty(key)) handle++; +      } + +      // We don't care about RTLD_NOW and RTLD_LAZY. +      if (flag & 256) { // RTLD_GLOBAL +        for (var ident in lib_module) { +          if (lib_module.hasOwnProperty(ident)) { +            Module[ident] = lib_module[ident]; +          } +        } +      } +      var cached_functions = {}; +    }      DLFCN_DATA.loadedLibs[handle] = {        refcount: 1,        name: filename,        module: lib_module, -      cached_functions: {} +      cached_functions: cached_functions      };      DLFCN_DATA.loadedLibNames[filename] = handle; -    // We don't care about RTLD_NOW and RTLD_LAZY. -    if (flag & 256) { // RTLD_GLOBAL -      for (var ident in lib_module) { -        if (lib_module.hasOwnProperty(ident)) { -          Module[ident] = lib_module[ident]; -        } -      } -    } -      return handle;    },    // int dlclose(void* handle); @@ -5968,13 +5974,15 @@ LibraryManager.library = {        return 0;      } else {        var lib = DLFCN_DATA.loadedLibs[handle]; -      if (!lib.module.hasOwnProperty(symbol)) { -        DLFCN_DATA.errorMsg = ('Tried to lookup unknown symbol "' + symbol + -                               '" in dynamic lib: ' + lib.name); -        return 0; +      // self-dlopen means that lib.module is not a superset of +      // cached_functions, so check the latter first +      if (lib.cached_functions.hasOwnProperty(symbol)) { +        return lib.cached_functions[symbol];        } else { -        if (lib.cached_functions.hasOwnProperty(symbol)) { -          return lib.cached_functions[symbol]; +        if (!lib.module.hasOwnProperty(symbol)) { +          DLFCN_DATA.errorMsg = ('Tried to lookup unknown symbol "' + symbol + +                                 '" in dynamic lib: ' + lib.name); +          return 0;          } else {            var result = lib.module[symbol];            if (typeof result == 'function') { @@ -6223,10 +6231,281 @@ LibraryManager.library = {    },    strftime_l: 'strftime', // no locale support yet +  strptime__deps: ['__tm_struct_layout'],    strptime: function(buf, format, tm) {      // char *strptime(const char *restrict buf, const char *restrict format, struct tm *restrict tm);      // http://pubs.opengroup.org/onlinepubs/009695399/functions/strptime.html -    // TODO: Implement. +    var pattern = Pointer_stringify(format); + +    // escape special characters +    // TODO: not sure we really need to escape all of these in JS regexps +    var SPECIAL_CHARS = '\\!@#$^&*()+=-[]/{}|:<>?,.'; +    for (var i=0, ii=SPECIAL_CHARS.length; i<ii; ++i) { +      pattern = pattern.replace(new RegExp('\\'+SPECIAL_CHARS[i], 'g'), '\\'+SPECIAL_CHARS[i]); +    } + +    // reduce number of matchers +    var EQUIVALENT_MATCHERS = { +      '%A':  '%a', +      '%B':  '%b', +      '%c':  '%x\\s+%X', +      '%D':  '%m\\/%d\\/%y', +      '%e':  '%d', +      '%h':  '%b', +      '%R':  '%H\\:%M', +      '%r':  '%I\\:%M\\:%S\\s%p', +      '%T':  '%H\\:%M\\:%S', +      '%x':  '%m\\/%d\\/(?:%y|%Y)', +      '%X':  '%H\\:%M\\:%S' +    }; +    for (var matcher in EQUIVALENT_MATCHERS) { +      pattern = pattern.replace(matcher, EQUIVALENT_MATCHERS[matcher]); +    } +     +    // TODO: take care of locale + +    var DATE_PATTERNS = { +      /* weeday name */     '%a': '(?:Sun(?:day)?)|(?:Mon(?:day)?)|(?:Tue(?:sday)?)|(?:Wed(?:nesday)?)|(?:Thu(?:rsday)?)|(?:Fri(?:day)?)|(?:Sat(?:urday)?)', +      /* month name */      '%b': '(?:Jan(?:uary)?)|(?:Feb(?:ruary)?)|(?:Mar(?:ch)?)|(?:Apr(?:il)?)|May|(?:Jun(?:e)?)|(?:Jul(?:y)?)|(?:Aug(?:ust)?)|(?:Sep(?:tember)?)|(?:Oct(?:ober)?)|(?:Nov(?:ember)?)|(?:Dec(?:ember)?)', +      /* century */         '%C': '\\d\\d', +      /* day of month */    '%d': '0[1-9]|[1-9](?!\\d)|1\\d|2\\d|30|31', +      /* hour (24hr) */     '%H': '\\d(?!\\d)|[0,1]\\d|20|21|22|23', +      /* hour (12hr) */     '%I': '\\d(?!\\d)|0\\d|10|11|12', +      /* day of year */     '%j': '00[1-9]|0?[1-9](?!\\d)|0?[1-9]\\d(?!\\d)|[1,2]\\d\\d|3[0-6]\\d', +      /* month */           '%m': '0[1-9]|[1-9](?!\\d)|10|11|12', +      /* minutes */         '%M': '0\\d|\\d(?!\\d)|[1-5]\\d', +      /* whitespace */      '%n': '\\s', +      /* AM/PM */           '%p': 'AM|am|PM|pm|A\\.M\\.|a\\.m\\.|P\\.M\\.|p\\.m\\.', +      /* seconds */         '%S': '0\\d|\\d(?!\\d)|[1-5]\\d|60', +      /* week number */     '%U': '0\\d|\\d(?!\\d)|[1-4]\\d|50|51|52|53', +      /* week number */     '%W': '0\\d|\\d(?!\\d)|[1-4]\\d|50|51|52|53', +      /* weekday number */  '%w': '[0-6]', +      /* 2-digit year */    '%y': '\\d\\d', +      /* 4-digit year */    '%Y': '\\d\\d\\d\\d', +      /* % */               '%%': '%', +      /* whitespace */      '%t': '\\s', +    }; + +    var MONTH_NUMBERS = {JAN: 0, FEB: 1, MAR: 2, APR: 3, MAY: 4, JUN: 5, JUL: 6, AUG: 7, SEP: 8, OCT: 9, NOV: 10, DEC: 11}; +    var MONTH_DAYS_REGULAR = [31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31]; +    var MONTH_DAYS_LEAP = [31, 29, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31]; +    var DAY_NUMBERS_SUN_FIRST = {SUN: 0, MON: 1, TUE: 2, WED: 3, THU: 4, FRI: 5, SAT: 6}; +    var DAY_NUMBERS_MON_FIRST = {MON: 0, TUE: 1, WED: 2, THU: 3, FRI: 4, SAT: 5, SUN: 6}; + +    var isLeapYear = function(year) { +      return year%4===0 && (year%100!==0 || year%400===0); +    }; + +    var arraySum = function(array, index) { +      var sum = 0; +      for (var i=0; i<=index; sum += array[i++]); +      return sum; +    }; + +    var addDays = function(date, days) { +      while(days>0) { +        var leap = isLeapYear(date.getFullYear()); +        var currentMonth = date.getMonth(); +        var daysInCurrentMonth = (leap ? MONTH_DAYS_LEAP : MONTH_DAYS_REGULAR)[currentMonth]; + +        if (days>daysInCurrentMonth-date.getDate()) { +          // we spill over to next month +          days -= (daysInCurrentMonth-date.getDate()+1); +          date.setDate(1); +          if (currentMonth<11) { +            date.setMonth(currentMonth+1) +          } else { +            date.setMonth(0); +            date.setFullYear(date.getFullYear()+1); +          } +        } else { +          // we stay in current month  +          date.setDate(date.getDate()+days); +          return date; +        } +      } +      return date; +    }; + +    for (var datePattern in DATE_PATTERNS) { +      pattern = pattern.replace(datePattern, '('+datePattern+DATE_PATTERNS[datePattern]+')');     +    } + +    // take care of capturing groups +    var capture = []; +    for (var i=pattern.indexOf('%'); i>=0; i=pattern.indexOf('%')) { +      capture.push(pattern[i+1]); +      pattern = pattern.replace(new RegExp('\\%'+pattern[i+1], 'g'), ''); +    } + +    var matches = new RegExp('^'+pattern).exec(Pointer_stringify(buf)) +    // Module['print'](Pointer_stringify(buf)+ ' is matched by '+((new RegExp('^'+pattern)).source)+' into: '+JSON.stringify(matches)); + +    var initDate = function() { +      var fixup = function(value, min, max) { +        return (typeof value !== 'number' || isNaN(value)) ? min : (value>=min ? (value<=max ? value: max): min); +      }; +      return { +        year: fixup({{{ makeGetValue('tm', '___tm_struct_layout.tm_year', 'i32', 0, 0, 1) }}} + 1900 , 1970, 9999), +        month: fixup({{{ makeGetValue('tm', '___tm_struct_layout.tm_mon', 'i32', 0, 0, 1) }}}, 0, 11), +        day: fixup({{{ makeGetValue('tm', '___tm_struct_layout.tm_mday', 'i32', 0, 0, 1) }}}, 1, 31), +        hour: fixup({{{ makeGetValue('tm', '___tm_struct_layout.tm_hour', 'i32', 0, 0, 1) }}}, 0, 23), +        min: fixup({{{ makeGetValue('tm', '___tm_struct_layout.tm_min', 'i32', 0, 0, 1) }}}, 0, 59), +        sec: fixup({{{ makeGetValue('tm', '___tm_struct_layout.tm_sec', 'i32', 0, 0, 1) }}}, 0, 59) +      }; +    }; + +    if (matches) { +      var date = initDate(); +      var value; + +      var getMatch = function(symbol) { +        var pos = capture.indexOf(symbol); +        // check if symbol appears in regexp +        if (pos >= 0) { +          // return matched value or null (falsy!) for non-matches +          return matches[pos+1]; +        } +        return; +      } + +      // seconds +      if ((value=getMatch('S'))) { +        date.sec = parseInt(value); +      } + +      // minutes +      if ((value=getMatch('M'))) { +        date.min = parseInt(value); +      } + +      // hours +      if ((value=getMatch('H'))) { +        // 24h clock +        date.hour = parseInt(value); +      } else if ((value = getMatch('I'))) { +        // AM/PM clock +        var hour = parseInt(value); +        if ((value=getMatch('p'))) { +          hour += value.toUpperCase()[0] === 'P' ? 12 : 0; +        } +        date.hour = hour; +      } + +      // year +      if ((value=getMatch('Y'))) { +        // parse from four-digit year +        date.year = parseInt(value); +      } else if ((value=getMatch('y'))) { +        // parse from two-digit year... +        var year = parseInt(value); +        if ((value=getMatch('C'))) { +          // ...and century +          year += parseInt(value)*100; +        } else { +          // ...and rule-of-thumb +          year += year<69 ? 2000 : 1900; +        } +        date.year = year; +      } + +      // month +      if ((value=getMatch('m'))) { +        // parse from month number +        date.month = parseInt(value)-1; +      } else if ((value=getMatch('b'))) { +        // parse from month name +        date.month = MONTH_NUMBERS[value.substring(0,3).toUpperCase()] || 0; +        // TODO: derive month from day in year+year, week number+day of week+year  +      } + +      // day +      if ((value=getMatch('d'))) { +        // get day of month directly +        date.day = parseInt(value); +      } else if ((value=getMatch('j'))) { +        // get day of month from day of year ... +        var day = parseInt(value); +        var leapYear = isLeapYear(date.year); +        for (var month=0; month<12; ++month) { +          var daysUntilMonth = arraySum(leapYear ? MONTH_DAYS_LEAP : MONTH_DAYS_REGULAR, month-1); +          if (day<=daysUntilMonth+(leapYear ? MONTH_DAYS_LEAP : MONTH_DAYS_REGULAR)[month]) { +            date.day = day-daysUntilMonth; +          } +        } +      } else if ((value=getMatch('a'))) { +        // get day of month from weekday ... +        var weekDay = value.substring(0,3).toUpperCase(); +        if ((value=getMatch('U'))) { +          // ... and week number (Sunday being first day of week) +          // Week number of the year (Sunday as the first day of the week) as a decimal number [00,53].  +          // All days in a new year preceding the first Sunday are considered to be in week 0. +          var weekDayNumber = DAY_NUMBERS_SUN_FIRST[weekDay]; +          var weekNumber = parseInt(value); + +          // January 1st  +          var janFirst = new Date(date.year, 0, 1); +          var endDate; +          if (janFirst.getDay() === 0) { +            // Jan 1st is a Sunday, and, hence in the 1st CW +            endDate = addDays(janFirst, weekDayNumber+7*(weekNumber-1)); +          } else { +            // Jan 1st is not a Sunday, and, hence still in the 0th CW +            endDate = addDays(janFirst, 7-janFirst.getDay()+weekDayNumber+7*(weekNumber-1)); +          } +          date.day = endDate.getDate(); +          date.month = endDate.getMonth(); +        } else if ((value=getMatch('W'))) { +          // ... and week number (Monday being first day of week) +          // Week number of the year (Monday as the first day of the week) as a decimal number [00,53].  +          // All days in a new year preceding the first Monday are considered to be in week 0. +          var weekDayNumber = DAY_NUMBERS_MON_FIRST[weekDay]; +          var weekNumber = parseInt(value); + +          // January 1st  +          var janFirst = new Date(date.year, 0, 1); +          var endDate; +          if (janFirst.getDay()===1) { +            // Jan 1st is a Monday, and, hence in the 1st CW +             endDate = addDays(janFirst, weekDayNumber+7*(weekNumber-1)); +          } else { +            // Jan 1st is not a Monday, and, hence still in the 0th CW +            endDate = addDays(janFirst, 7-janFirst.getDay()+1+weekDayNumber+7*(weekNumber-1)); +          } + +          date.day = endDate.getDate(); +          date.month = endDate.getMonth(); +        } +      } + +      /* +      tm_sec  int seconds after the minute  0-61* +      tm_min  int minutes after the hour  0-59 +      tm_hour int hours since midnight  0-23 +      tm_mday int day of the month  1-31 +      tm_mon  int months since January  0-11 +      tm_year int years since 1900   +      tm_wday int days since Sunday 0-6 +      tm_yday int days since January 1  0-365 +      tm_isdst  int Daylight Saving Time flag  +      */ + +      var fullDate = new Date(date.year, date.month, date.day, date.hour, date.min, date.sec, 0); +      {{{ makeSetValue('tm', '___tm_struct_layout.tm_sec', 'fullDate.getSeconds()', 'i32') }}} +      {{{ makeSetValue('tm', '___tm_struct_layout.tm_min', 'fullDate.getMinutes()', 'i32') }}} +      {{{ makeSetValue('tm', '___tm_struct_layout.tm_hour', 'fullDate.getHours()', 'i32') }}} +      {{{ makeSetValue('tm', '___tm_struct_layout.tm_mday', 'fullDate.getDate()', 'i32') }}} +      {{{ makeSetValue('tm', '___tm_struct_layout.tm_mon', 'fullDate.getMonth()', 'i32') }}} +      {{{ makeSetValue('tm', '___tm_struct_layout.tm_year', 'fullDate.getFullYear()-1900', 'i32') }}} +      {{{ makeSetValue('tm', '___tm_struct_layout.tm_wday', 'fullDate.getDay()', 'i32') }}} +      {{{ makeSetValue('tm', '___tm_struct_layout.tm_yday', 'arraySum(isLeapYear(fullDate.getFullYear()) ? MONTH_DAYS_LEAP : MONTH_DAYS_REGULAR, fullDate.getMonth()-1)+fullDate.getDate()-1', 'i32') }}} +      {{{ makeSetValue('tm', '___tm_struct_layout.tm_isdst', '0', 'i32') }}} + +      // we need to convert the matched sequence into an integer array to take care of UTF-8 characters > 0x7F +      // TODO: not sure that intArrayFromString handles all unicode characters correctly +      return buf+intArrayFromString(matches[0]).length-1; +    }  +      return 0;    },    strptime_l: 'strptime', // no locale support yet @@ -7224,6 +7503,23 @@ LibraryManager.library = {      return 1;    }, +  // netinet/in.h + +  _in6addr_any: +    'allocate([0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0], "i8", ALLOC_STATIC)', +  _in6addr_loopback: +    'allocate([0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1], "i8", ALLOC_STATIC)', +  _in6addr_linklocal_allnodes: +    'allocate([255,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1], "i8", ALLOC_STATIC)', +  _in6addr_linklocal_allrouters: +    'allocate([255,2,0,0,0,0,0,0,0,0,0,0,0,0,0,2], "i8", ALLOC_STATIC)', +  _in6addr_interfacelocal_allnodes: +    'allocate([255,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1], "i8", ALLOC_STATIC)', +  _in6addr_interfacelocal_allrouters: +    'allocate([255,1,0,0,0,0,0,0,0,0,0,0,0,0,0,2], "i8", ALLOC_STATIC)', +  _in6addr_sitelocal_allrouters: +    'allocate([255,5,0,0,0,0,0,0,0,0,0,0,0,0,0,2], "i8", ALLOC_STATIC)', +    // ==========================================================================    // netdb.h    // ========================================================================== @@ -8254,4 +8550,8 @@ function autoAddDeps(object, name) {    }  } +// Add aborting stubs for various libc stuff needed by libc++ +['pthread_cond_signal', 'pthread_equal', 'wcstol', 'wcstoll', 'wcstoul', 'wcstoull', 'wcstof', 'wcstod', 'wcstold', 'swprintf', 'pthread_join', 'pthread_detach', 'strcoll_l', 'strxfrm_l', 'wcscoll_l', 'toupper_l', 'tolower_l', 'iswspace_l', 'iswprint_l', 'iswcntrl_l', 'iswupper_l', 'iswlower_l', 'iswalpha_l', 'iswdigit_l', 'iswpunct_l', 'iswxdigit_l', 'iswblank_l', 'wcsxfrm_l', 'towupper_l', 'towlower_l'].forEach(function(aborter) { +  LibraryManager.library[aborter] = function() { throw 'TODO: ' + aborter }; +}); diff --git a/src/library_browser.js b/src/library_browser.js index d007d9a7..7f79b2bd 100644 --- a/src/library_browser.js +++ b/src/library_browser.js @@ -84,13 +84,17 @@ mergeInto(LibraryManager.library, {        var imagePlugin = {};        imagePlugin['canHandle'] = function(name) { -        return !Module.noImageDecoding && /\.(jpg|jpeg|png|bmp)$/.exec(name); +        return !Module.noImageDecoding && /\.(jpg|jpeg|png|bmp)$/i.test(name);        };        imagePlugin['handle'] = function(byteArray, name, onload, onerror) {          var b = null;          if (Browser.hasBlobConstructor) {            try {              b = new Blob([byteArray], { type: getMimetype(name) }); +            if (b.size !== byteArray.length) { // Safari bug #118630 +              // Safari's Blob can only take an ArrayBuffer +              b = new Blob([(new Uint8Array(byteArray)).buffer], { type: getMimetype(name) }); +            }            } catch(e) {              Runtime.warnOnce('Blob constructor present but fails: ' + e + '; falling back to blob builder');            } @@ -805,7 +809,7 @@ mergeInto(LibraryManager.library, {          var t = process['hrtime']();          return t[0] * 1e3 + t[1] / 1e6;      } -    else if (window['performance'] && window['performance']['now']) { +    else if (ENVIRONMENT_IS_WEB && window['performance'] && window['performance']['now']) {        return window['performance']['now']();      } else {        return Date.now(); diff --git a/src/library_gl.js b/src/library_gl.js index 1fa0cc9c..959773bc 100644 --- a/src/library_gl.js +++ b/src/library_gl.js @@ -122,14 +122,6 @@ var LibraryGL = {        }      }, -    // Linear lookup in one of the tables (buffers, programs, etc.). TODO: consider using a weakmap to make this faster, if it matters -    scan: function(table, object) { -      for (var item in table) { -        if (table[item] == object) return item; -      } -      return 0; -    }, -      // Find a token in a shader source string      findToken: function(source, token) {        function isIdentChar(ch) { @@ -402,15 +394,15 @@ var LibraryGL = {              {{{ makeSetValue('p', 'i*4', 'result[i]', 'i32') }}};            }          } else if (result instanceof WebGLBuffer) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.buffers, result)', 'i32') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'i32') }}};          } else if (result instanceof WebGLProgram) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.programs, result)', 'i32') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'i32') }}};          } else if (result instanceof WebGLFramebuffer) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.framebuffers, result)', 'i32') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'i32') }}};          } else if (result instanceof WebGLRenderbuffer) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.renderbuffers, result)', 'i32') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'i32') }}};          } else if (result instanceof WebGLTexture) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.textures, result)', 'i32') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'i32') }}};          } else {            throw 'Unknown object returned from WebGL getParameter';          } @@ -445,15 +437,15 @@ var LibraryGL = {              {{{ makeSetValue('p', 'i*4', 'result[i]', 'float') }}};            }          } else if (result instanceof WebGLBuffer) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.buffers, result)', 'float') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'float') }}};          } else if (result instanceof WebGLProgram) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.programs, result)', 'float') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'float') }}};          } else if (result instanceof WebGLFramebuffer) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.framebuffers, result)', 'float') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'float') }}};          } else if (result instanceof WebGLRenderbuffer) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.renderbuffers, result)', 'float') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'float') }}};          } else if (result instanceof WebGLTexture) { -          {{{ makeSetValue('p', '0', 'GL.scan(GL.textures, result)', 'float') }}}; +          {{{ makeSetValue('p', '0', 'result.name | 0', 'float') }}};          } else {            throw 'Unknown object returned from WebGL getParameter';          } @@ -508,7 +500,9 @@ var LibraryGL = {    glGenTextures: function(n, textures) {      for (var i = 0; i < n; i++) {        var id = GL.getNewId(GL.textures); -      GL.textures[id] = Module.ctx.createTexture(); +      var texture = Module.ctx.createTexture(); +      texture.name = id; +      GL.textures[id] = texture;        {{{ makeSetValue('textures', 'i*4', 'id', 'i32') }}};      }    }, @@ -517,7 +511,9 @@ var LibraryGL = {    glDeleteTextures: function(n, textures) {      for (var i = 0; i < n; i++) {        var id = {{{ makeGetValue('textures', 'i*4', 'i32') }}}; -      Module.ctx.deleteTexture(GL.textures[id]); +      var texture = GL.textures[id]; +      Module.ctx.deleteTexture(texture); +      texture.name = 0;        GL.textures[id] = null;      }    }, @@ -622,7 +618,9 @@ var LibraryGL = {    glGenBuffers: function(n, buffers) {      for (var i = 0; i < n; i++) {        var id = GL.getNewId(GL.buffers); -      GL.buffers[id] = Module.ctx.createBuffer(); +      var buffer = Module.ctx.createBuffer(); +      buffer.name = id; +      GL.buffers[id] = buffer;        {{{ makeSetValue('buffers', 'i*4', 'id', 'i32') }}};      }    }, @@ -631,7 +629,9 @@ var LibraryGL = {    glDeleteBuffers: function(n, buffers) {      for (var i = 0; i < n; i++) {        var id = {{{ makeGetValue('buffers', 'i*4', 'i32') }}}; -      Module.ctx.deleteBuffer(GL.buffers[id]); +      var buffer = GL.buffers[id]; +      Module.ctx.deleteBuffer(buffer); +      buffer.name = 0;        GL.buffers[id] = null;        if (id == GL.currArrayBuffer) GL.currArrayBuffer = 0; @@ -665,7 +665,9 @@ var LibraryGL = {    glGenRenderbuffers: function(n, renderbuffers) {      for (var i = 0; i < n; i++) {        var id = GL.getNewId(GL.renderbuffers); -      GL.renderbuffers[id] = Module.ctx.createRenderbuffer(); +      var renderbuffer = Module.ctx.createRenderbuffer(); +      renderbuffer.name = id; +      GL.renderbuffers[id] = renderbuffer;        {{{ makeSetValue('renderbuffers', 'i*4', 'id', 'i32') }}};      }    }, @@ -674,8 +676,10 @@ var LibraryGL = {    glDeleteRenderbuffers: function(n, renderbuffers) {      for (var i = 0; i < n; i++) {        var id = {{{ makeGetValue('renderbuffers', 'i*4', 'i32') }}}; -      Module.ctx.deleteRenderbuffer(GL.renderbuffers[id]); -      GL.renderbuffers[id]; +      var renderbuffer = GL.renderbuffers[id]; +      Module.ctx.deleteRenderbuffer(renderbuffer); +      renderbuffer.name = 0; +      GL.renderbuffers[id] = null;      }    }, @@ -1139,13 +1143,17 @@ var LibraryGL = {    glCreateProgram__sig: 'i',    glCreateProgram: function() {      var id = GL.getNewId(GL.programs); -    GL.programs[id] = Module.ctx.createProgram(); +    var program = Module.ctx.createProgram(); +    program.name = id; +    GL.programs[id] = program;      return id;    },    glDeleteProgram__sig: 'vi',    glDeleteProgram: function(program) { -    Module.ctx.deleteProgram(GL.programs[program]); +    var program = GL.programs[program]; +    Module.ctx.deleteProgram(program); +    program.name = 0;      GL.programs[program] = null;      GL.uniformTable[program] = null;    }, @@ -1221,7 +1229,9 @@ var LibraryGL = {    glGenFramebuffers: function(n, ids) {      for (var i = 0; i < n; ++i) {        var id = GL.getNewId(GL.framebuffers); -      GL.framebuffers[id] = Module.ctx.createFramebuffer(); +      var framebuffer = Module.ctx.createFramebuffer(); +      framebuffer.name = id; +      GL.framebuffers[id] = framebuffer;        {{{ makeSetValue('ids', 'i*4', 'id', 'i32') }}};      }    }, @@ -1230,7 +1240,9 @@ var LibraryGL = {    glDeleteFramebuffers: function(n, framebuffers) {      for (var i = 0; i < n; ++i) {        var id = {{{ makeGetValue('framebuffers', 'i*4', 'i32') }}}; -      Module.ctx.deleteFramebuffer(GL.framebuffers[id]); +      var framebuffer = GL.framebuffers[id]; +      Module.ctx.deleteFramebuffer(framebuffer); +      framebuffer.name = 0;        GL.framebuffers[id] = null;      }    }, @@ -1260,6 +1272,8 @@ var LibraryGL = {      return Module.ctx.isFramebuffer(fb);    }, +#if DISABLE_GL_EMULATION == 0 +    // GL emulation: provides misc. functionality not present in OpenGL ES 2.0 or WebGL    $GLEmulation__postset: 'GLEmulation.init();', @@ -4139,6 +4153,44 @@ var LibraryGL = {    },    glRotatef: 'glRotated', +  glDrawBuffer: function() { throw 'glDrawBuffer: TODO' }, +  glReadBuffer: function() { throw 'glReadBuffer: TODO' }, + +  glLightfv: function() { throw 'glLightfv: TODO' }, +  glLightModelfv: function() { throw 'glLightModelfv: TODO' }, +  glMaterialfv: function() { throw 'glMaterialfv: TODO' }, + +  glTexGeni: function() { throw 'glTexGeni: TODO' }, +  glTexGenfv: function() { throw 'glTexGenfv: TODO' }, +  glTexEnvi: function() { Runtime.warnOnce('glTexEnvi: TODO') }, +  glTexEnvf: function() { Runtime.warnOnce('glTexEnvf: TODO') }, +  glTexEnvfv: function() { Runtime.warnOnce('glTexEnvfv: TODO') }, + +  glTexImage1D: function() { throw 'glTexImage1D: TODO' }, +  glTexCoord3f: function() { throw 'glTexCoord3f: TODO' }, +  glGetTexLevelParameteriv: function() { throw 'glGetTexLevelParameteriv: TODO' }, + +  glShadeModel: function() { Runtime.warnOnce('TODO: glShadeModel') }, + +  // Open GLES1.1 compatibility + +  glGenFramebuffersOES : 'glGenFramebuffers', +  glGenRenderbuffersOES : 'glGenRenderbuffers', +  glBindFramebufferOES : 'glBindFramebuffer', +  glBindRenderbufferOES : 'glBindRenderbuffer', +  glGetRenderbufferParameterivOES : 'glGetRenderbufferParameteriv', +  glFramebufferRenderbufferOES : 'glFramebufferRenderbuffer', +  glRenderbufferStorageOES : 'glRenderbufferStorage', +  glCheckFramebufferStatusOES : 'glCheckFramebufferStatus', +  glDeleteFramebuffersOES : 'glDeleteFramebuffers', +  glDeleteRenderbuffersOES : 'glDeleteRenderbuffers', +  glGenVertexArraysOES: 'glGenVertexArrays', +  glDeleteVertexArraysOES: 'glDeleteVertexArrays', +  glBindVertexArrayOES: 'glBindVertexArray', +  glFramebufferTexture2DOES: 'glFramebufferTexture2D', + +#endif // DISABLE_GL_EMULATION == 0 +    // GLU    gluPerspective: function(fov, aspect, near, far) { @@ -4205,25 +4257,6 @@ var LibraryGL = {      _glOrtho(left, right, bottom, top, -1, 1);    }, -  glDrawBuffer: function() { throw 'glDrawBuffer: TODO' }, -  glReadBuffer: function() { throw 'glReadBuffer: TODO' }, - -  glLightfv: function() { throw 'glLightfv: TODO' }, -  glLightModelfv: function() { throw 'glLightModelfv: TODO' }, -  glMaterialfv: function() { throw 'glMaterialfv: TODO' }, - -  glTexGeni: function() { throw 'glTexGeni: TODO' }, -  glTexGenfv: function() { throw 'glTexGenfv: TODO' }, -  glTexEnvi: function() { Runtime.warnOnce('glTexEnvi: TODO') }, -  glTexEnvf: function() { Runtime.warnOnce('glTexEnvf: TODO') }, -  glTexEnvfv: function() { Runtime.warnOnce('glTexEnvfv: TODO') }, - -  glTexImage1D: function() { throw 'glTexImage1D: TODO' }, -  glTexCoord3f: function() { throw 'glTexCoord3f: TODO' }, -  glGetTexLevelParameteriv: function() { throw 'glGetTexLevelParameteriv: TODO' }, - -  glShadeModel: function() { Runtime.warnOnce('TODO: glShadeModel') }, -    // GLES2 emulation    glVertexAttribPointer__sig: 'viiiiii', @@ -4351,23 +4384,6 @@ var LibraryGL = {    glGetError__sig: 'i',    glFrontFace__sig: 'vi',    glSampleCoverage__sig: 'vi', - -  // Open GLES1.1 compatibility - -  glGenFramebuffersOES : 'glGenFramebuffers', -  glGenRenderbuffersOES : 'glGenRenderbuffers', -  glBindFramebufferOES : 'glBindFramebuffer', -  glBindRenderbufferOES : 'glBindRenderbuffer', -  glGetRenderbufferParameterivOES : 'glGetRenderbufferParameteriv', -  glFramebufferRenderbufferOES : 'glFramebufferRenderbuffer', -  glRenderbufferStorageOES : 'glRenderbufferStorage', -  glCheckFramebufferStatusOES : 'glCheckFramebufferStatus', -  glDeleteFramebuffersOES : 'glDeleteFramebuffers', -  glDeleteRenderbuffersOES : 'glDeleteRenderbuffers', -  glGenVertexArraysOES: 'glGenVertexArrays', -  glDeleteVertexArraysOES: 'glDeleteVertexArrays', -  glBindVertexArrayOES: 'glBindVertexArray', -  glFramebufferTexture2DOES: 'glFramebufferTexture2D',  }; @@ -4409,25 +4425,27 @@ var LibraryGL = {  autoAddDeps(LibraryGL, '$GL'); -// Emulation requires everything else, potentially -LibraryGL.$GLEmulation__deps = LibraryGL.$GLEmulation__deps.slice(0); // the __deps object is shared -var glFuncs = []; -for (var item in LibraryGL) { -  if (item != '$GLEmulation' && item.substr(-6) != '__deps' && item.substr(-9) != '__postset' && item.substr(-5) != '__sig' && item.substr(0, 2) == 'gl') { -    glFuncs.push(item); -  } -} -LibraryGL.$GLEmulation__deps = LibraryGL.$GLEmulation__deps.concat(glFuncs); -LibraryGL.$GLEmulation__deps.push(function() { -  for (var func in Functions.getIndex.tentative) { -    Functions.getIndex(func); -    Functions.unimplementedFunctions[func] = LibraryGL[func.substr(1) + '__sig']; +if (!DISABLE_GL_EMULATION) { +  // Emulation requires everything else, potentially +  LibraryGL.$GLEmulation__deps = LibraryGL.$GLEmulation__deps.slice(0); // the __deps object is shared +  var glFuncs = []; +  for (var item in LibraryGL) { +    if (item != '$GLEmulation' && item.substr(-6) != '__deps' && item.substr(-9) != '__postset' && item.substr(-5) != '__sig' && item.substr(0, 2) == 'gl') { +      glFuncs.push(item); +    }    } -}); +  LibraryGL.$GLEmulation__deps = LibraryGL.$GLEmulation__deps.concat(glFuncs); +  LibraryGL.$GLEmulation__deps.push(function() { +    for (var func in Functions.getIndex.tentative) { +      Functions.getIndex(func); +      Functions.unimplementedFunctions[func] = LibraryGL[func.substr(1) + '__sig']; +    } +  }); -if (FORCE_GL_EMULATION) { -  LibraryGL.glDrawElements__deps = LibraryGL.glDrawElements__deps.concat('$GLEmulation'); -  LibraryGL.glDrawArrays__deps = LibraryGL.glDrawArrays__deps.concat('$GLEmulation'); +  if (FORCE_GL_EMULATION) { +    LibraryGL.glDrawElements__deps = LibraryGL.glDrawElements__deps.concat('$GLEmulation'); +    LibraryGL.glDrawArrays__deps = LibraryGL.glDrawArrays__deps.concat('$GLEmulation'); +  }  }  mergeInto(LibraryManager.library, LibraryGL); diff --git a/src/library_sdl.js b/src/library_sdl.js index 176a2fae..d14e433b 100644 --- a/src/library_sdl.js +++ b/src/library_sdl.js @@ -21,6 +21,8 @@ var LibrarySDL = {      version: null,      surfaces: {}, +    // A pool of freed canvas elements. Reusing them avoids GC pauses. +    canvasPool: [],      events: [],      fonts: [null], @@ -246,7 +248,7 @@ var LibrarySDL = {      },      translateRGBAToCSSRGBA: function(r, g, b, a) { -      return 'rgba(' + r + ',' + g + ',' + b + ',' + (a/255) + ')'; +      return 'rgba(' + (r&0xff) + ',' + (g&0xff) + ',' + (b&0xff) + ',' + (a&0xff)/255 + ')';      },      translateRGBAToColor: function(r, g, b, a) { @@ -288,7 +290,11 @@ var LibrarySDL = {        SDL.GL = SDL.GL || useWebGL;        var canvas;        if (!usePageCanvas) { -        canvas = document.createElement('canvas'); +        if (SDL.canvasPool.length > 0) { +          canvas = SDL.canvasPool.pop(); +        } else { +          canvas = document.createElement('canvas'); +        }          canvas.width = width;          canvas.height = height;        } else { @@ -355,14 +361,56 @@ var LibrarySDL = {      },      freeSurface: function(surf) { -      _free(SDL.surfaces[surf].buffer); -      _free(SDL.surfaces[surf].pixelFormat); +      var info = SDL.surfaces[surf]; +      if (!info.usePageCanvas && info.canvas) SDL.canvasPool.push(info.canvas); +      _free(info.buffer); +      _free(info.pixelFormat);        _free(surf);        SDL.surfaces[surf] = null;      }, +    touchX:0, touchY: 0, +      receiveEvent: function(event) {        switch(event.type) { +        case 'touchstart': +          event.preventDefault(); +          var touch = event.touches[0]; +          touchX = touch.pageX; +          touchY = touch.pageY; +          var event = { +            type: 'mousedown', +            button: 0, +            pageX: touchX, +            pageY: touchY +          }; +          SDL.DOMButtons[0] = 1; +          SDL.events.push(event); +          break; +        case 'touchmove': +          event.preventDefault(); +          var touch = event.touches[0]; +          touchX = touch.pageX; +          touchY = touch.pageY; +          event = { +            type: 'mousemove', +            button: 0, +            pageX: touchX, +            pageY: touchY +          }; +          SDL.events.push(event); +          break; +        case 'touchend': +          event.preventDefault(); +          event = { +            type: 'mouseup', +            button: 0, +            pageX: touchX, +            pageY: touchY +          }; +          SDL.DOMButtons[0] = 0; +          SDL.events.push(event); +          break;          case 'mousemove':            if (Browser.pointerLock) {              // workaround for firefox bug 750111 @@ -1022,6 +1070,7 @@ var LibrarySDL = {      surfData.ctx.fillStyle = SDL.translateColorToCSSRGBA(color);      surfData.ctx.fillRect(r.x, r.y, r.w, r.h);      surfData.ctx.restore(); +    return 0;    },    SDL_BlitSurface__deps: ['SDL_UpperBlit'], @@ -1031,15 +1080,27 @@ var LibrarySDL = {    zoomSurface: function(src, x, y, smooth) {      var srcData = SDL.surfaces[src]; -    var w = srcData.width*x; -    var h = srcData.height*y; -    var ret = SDL.makeSurface(w, h, srcData.flags, false, 'zoomSurface'); +    var w = srcData.width * x; +    var h = srcData.height * y; +    var ret = SDL.makeSurface(Math.abs(w), Math.abs(h), srcData.flags, false, 'zoomSurface');      var dstData = SDL.surfaces[ret]; -    dstData.ctx.drawImage(srcData.canvas, 0, 0, w, h); +    if (x >= 0 && y >= 0) dstData.ctx.drawImage(srcData.canvas, 0, 0, w, h); +    else { +      dstData.ctx.save(); +      dstData.ctx.scale(x < 0 ? -1 : 1, y < 0 ? -1 : 1); +      dstData.ctx.drawImage(srcData.canvas, w < 0 ? w : 0, h < 0 ? h : 0, Math.abs(w), Math.abs(h)); +      // XXX I think this should work according to the spec, but currently +      // fails on FF: dstData.ctx.drawImage(srcData.canvas, 0, 0, w, h); +      dstData.ctx.restore(); +    }      return ret;    }, +  rotozoomSurface__deps: ['zoomSurface'],    rotozoomSurface: function(src, angle, zoom, smooth) { +    if (angle % 360 === 0) { +      return _zoomSurface(src, zoom, zoom, smooth); +    }      var srcData = SDL.surfaces[src];      var w = srcData.width * zoom;      var h = srcData.height * zoom; @@ -1056,6 +1117,14 @@ var LibrarySDL = {      SDL.surfaces[surf].alpha = alpha;    }, +  SDL_SetColorKey: function(surf, flag, key) { +    // SetColorKey assigns one color to be rendered as transparent. I don't +    // think the canvas API allows for anything like this, and iterating through +    // each pixel to replace that color seems prohibitively expensive. +    Runtime.warnOnce('SDL_SetColorKey is a no-op for performance reasons'); +    return 0; +  }, +    SDL_GetTicks: function() {      return Math.floor(Date.now() - SDL.startTime);    }, @@ -1472,15 +1541,20 @@ var LibrarySDL = {    },    Mix_HaltChannel: function(channel) { -    var info = SDL.channels[channel]; -    if (info.audio) { -      info.audio.pause(); -      info.audio = null; -    } else { -      Module.printErr('No Audio for channel: ' + channel); +    function halt(channel) { +      var info = SDL.channels[channel]; +      if (info.audio) { +        info.audio.pause(); +        info.audio = null; +      } +      if (SDL.channelFinished) { +        Runtime.getFuncWrapper(SDL.channelFinished, 'vi')(channel); +      }      } -    if (SDL.channelFinished) { -      Runtime.getFuncWrapper(SDL.channelFinished, 'vi')(channel); +    if (channel != -1) { +      halt(channel); +    } else { +      for (var i = 0; i < SDL.channels.length; ++i) halt(i);      }      return 0;    }, @@ -1667,6 +1741,7 @@ var LibrarySDL = {    },    TTF_RenderText_Blended: 'TTF_RenderText_Solid', // XXX ignore blending vs. solid    TTF_RenderText_Shaded: 'TTF_RenderText_Solid', // XXX ignore blending vs. solid +  TTF_RenderUTF8_Solid: 'TTF_RenderText_Solid',    TTF_SizeText: function(font, text, w, h) {      var fontData = SDL.fonts[font]; @@ -1689,37 +1764,121 @@ var LibrarySDL = {      return Math.floor(fontData.size*0.02); // XXX    }, +  TTF_FontHeight: function(font) { +    var fontData = SDL.fonts[font]; +    return fontData.size; +  }, +    // SDL gfx +  $SDL_gfx: { +    drawRectangle: function(surf, x1, y1, x2, y2, action, cssColor) { +      x1 = x1 << 16 >> 16; +      y1 = y1 << 16 >> 16; +      x2 = x2 << 16 >> 16; +      y2 = y2 << 16 >> 16; +      var surfData = SDL.surfaces[surf]; +      assert(!surfData.locked); // but we could unlock and re-lock if we must.. +      // TODO: if ctx does not change, leave as is, and also do not re-set xStyle etc. +      var x = x1 < x2 ? x1 : x2; +      var y = y1 < y2 ? y1 : y2; +      var w = Math.abs(x2 - x1); +      var h = Math.abs(y2 - y1); +      surfData.ctx.save(); +      surfData.ctx[action + 'Style'] = cssColor; +      surfData.ctx[action + 'Rect'](x, y, w, h); +      surfData.ctx.restore(); +    }, +    drawLine: function(surf, x1, y1, x2, y2, cssColor) { +      x1 = x1 << 16 >> 16; +      y1 = y1 << 16 >> 16; +      x2 = x2 << 16 >> 16; +      y2 = y2 << 16 >> 16; +      var surfData = SDL.surfaces[surf]; +      assert(!surfData.locked); // but we could unlock and re-lock if we must.. +      surfData.ctx.save(); +      surfData.ctx.strokeStyle = cssColor; +      surfData.ctx.beginPath(); +      surfData.ctx.moveTo(x1, y1); +      surfData.ctx.lineTo(x2, y2); +      surfData.ctx.stroke(); +      surfData.ctx.restore(); +    }, +    // See http://stackoverflow.com/questions/2172798/how-to-draw-an-oval-in-html5-canvas +    drawEllipse: function(surf, x, y, rx, ry, action, cssColor) { +      x = x << 16 >> 16; +      y = y << 16 >> 16; +      rx = rx << 16 >> 16; +      ry = ry << 16 >> 16; +      var surfData = SDL.surfaces[surf]; +      assert(!surfData.locked); // but we could unlock and re-lock if we must.. + +      surfData.ctx.save(); +      surfData.ctx.beginPath(); +      surfData.ctx.translate(x, y); +      surfData.ctx.scale(rx, ry); +      surfData.ctx.arc(0, 0, 1, 0, 2 * Math.PI); +      surfData.ctx.restore(); + +      surfData.ctx.save(); +      surfData.ctx[action + 'Style'] = cssColor; +      surfData.ctx[action](); +      surfData.ctx.restore(); +    }, +    // the gfx library uses something different from the rest of SDL... +    translateColorToCSSRGBA: function(rgba) { +      return 'rgba(' + (rgba>>>24) + ',' + (rgba>>16 & 0xff) + ',' + (rgba>>8 & 0xff) + ',' + (rgba&0xff) + ')'; +    } +  }, + +  boxColor__deps: ['$SDL_gfx'], +  boxColor: function(surf, x1, y1, x2, y2, color) { +    return SDL_gfx.drawRectangle(surf, x1, y1, x2, y2, 'fill', SDL_gfx.translateColorToCSSRGBA(color)); +  }, + +  boxRGBA__deps: ['$SDL_gfx'],    boxRGBA: function(surf, x1, y1, x2, y2, r, g, b, a) { -    var surfData = SDL.surfaces[surf]; -    assert(!surfData.locked); // but we could unlock and re-lock if we must.. -    // TODO: if ctx does not change, leave as is, and also do not re-set xStyle etc. -    surfData.ctx.save(); -    surfData.ctx.fillStyle = SDL.translateRGBAToCSSRGBA(r, g, b, a); -    surfData.ctx.fillRect(x1, y1, x2-x1, y2-y1); -    surfData.ctx.restore(); +    return SDL_gfx.drawRectangle(surf, x1, y1, x2, y2, 'fill', SDL.translateRGBAToCSSRGBA(r, g, b, a)); +  }, + +  rectangleColor__deps: ['$SDL_gfx'], +  rectangleColor: function(surf, x1, y1, x2, y2, color) { +    return SDL_gfx.drawRectangle(surf, x1, y1, x2, y2, 'stroke', SDL_gfx.translateColorToCSSRGBA(color));    }, +  rectangleRGBA__deps: ['$SDL_gfx'],    rectangleRGBA: function(surf, x1, y1, x2, y2, r, g, b, a) { -    var surfData = SDL.surfaces[surf]; -    assert(!surfData.locked); // but we could unlock and re-lock if we must.. -    surfData.ctx.save(); -    surfData.ctx.strokeStyle = SDL.translateRGBAToCSSRGBA(r, g, b, a); -    surfData.ctx.strokeRect(x1, y1, x2-x1, y2-y1); -    surfData.ctx.restore(); +    return SDL_gfx.drawRectangle(surf, x1, y1, x2, y2, 'stroke', SDL.translateRGBAToCSSRGBA(r, g, b, a)); +  }, + +  ellipseColor__deps: ['$SDL_gfx'], +  ellipseColor: function(surf, x, y, rx, ry, color) { +    return SDL_gfx.drawEllipse(surf, x, y, rx, ry, 'stroke', SDL_gfx.translateColorToCSSRGBA(color)); +  }, + +  ellipseRGBA__deps: ['$SDL_gfx'], +  ellipseRGBA: function(surf, x, y, rx, ry, r, g, b, a) { +    return SDL_gfx.drawEllipse(surf, x, y, rx, ry, 'stroke', SDL.translateRGBAToCSSRGBA(r, g, b, a)); +  }, + +  filledEllipseColor__deps: ['$SDL_gfx'], +  filledEllipseColor: function(surf, x, y, rx, ry, color) { +    return SDL_gfx.drawEllipse(surf, x, y, rx, ry, 'fill', SDL_gfx.translateColorToCSSRGBA(color)); +  }, + +  filledEllipseRGBA__deps: ['$SDL_gfx'], +  filledEllipseRGBA: function(surf, x, y, rx, ry, r, g, b, a) { +    return SDL_gfx.drawEllipse(surf, x, y, rx, ry, 'fill', SDL.translateRGBAToCSSRGBA(r, g, b, a)); +  }, + +  lineColor__deps: ['$SDL_gfx'], +  lineColor: function(surf, x1, y1, x2, y2, color) { +    return SDL_gfx.drawLine(surf, x1, y1, x2, y2, SDL_gfx.translateColorToCSSRGBA(color));    }, +  lineRGBA__deps: ['$SDL_gfx'],    lineRGBA: function(surf, x1, y1, x2, y2, r, g, b, a) { -    var surfData = SDL.surfaces[surf]; -    assert(!surfData.locked); // but we could unlock and re-lock if we must.. -    surfData.ctx.save(); -    surfData.ctx.strokeStyle = SDL.translateRGBAToCSSRGBA(r, g, b, a); -    surfData.ctx.beginPath(); -    surfData.ctx.moveTo(x1, y1); -    surfData.ctx.lineTo(x2, y2); -    surfData.ctx.stroke(); -    surfData.ctx.restore(); +    return SDL_gfx.drawLine(surf, x1, y1, x2, y2, SDL.translateRGBAToCSSRGBA(r, g, b, a));    },    pixelRGBA__deps: ['boxRGBA'], @@ -1805,12 +1964,18 @@ var LibrarySDL = {      return -1;    }, +  // Joysticks + +  SDL_NumJoysticks: function() { return 0 }, + +  SDL_JoystickOpen: function(deviceIndex) { return 0 }, + +  SDL_JoystickGetButton: function(joystick, button) { return 0 }, +    // Misc    SDL_InitSubSystem: function(flags) { return 0 }, -  SDL_NumJoysticks: function() { return 0 }, -    SDL_RWFromFile: function(filename, mode) {      return filename; // XXX We just forward the filename    }, diff --git a/src/modules.js b/src/modules.js index d26acbd5..9f419234 100644 --- a/src/modules.js +++ b/src/modules.js @@ -245,37 +245,60 @@ var Functions = {    blockAddresses: {}, // maps functions to a map of block labels to label ids +  aliases: {}, // in shared modules (MAIN_MODULE or SHARED_MODULE), a list of aliases for functions that have them +    getSignature: function(returnType, argTypes, hasVarArgs) {      var sig = returnType == 'void' ? 'v' : (isIntImplemented(returnType) ? 'i' : 'f');      for (var i = 0; i < argTypes.length; i++) {        var type = argTypes[i];        if (!type) break; // varargs -      sig += isIntImplemented(type) ? (getBits(type) == 64 ? 'ii' : 'i') : 'f'; // legalized i64s will be i32s +      if (type in Runtime.FLOAT_TYPES) { +        sig += 'f'; +      } else { +        var chunks = getNumIntChunks(type); +        for (var j = 0; j < chunks; j++) sig += 'i'; +      }      }      if (hasVarArgs) sig += 'i';      return sig;    }, +  getSignatureReturnType: function(sig) { +    switch(sig[0]) { +      case 'v': return 'void'; +      case 'i': return 'i32'; +      case 'f': return 'double'; +      default: throw 'what is this sig? ' + sig; +    } +  }, +    // Mark a function as needing indexing. Python will coordinate them all -  getIndex: function(ident, doNotCreate) { +  getIndex: function(ident, doNotCreate, sig) {      if (doNotCreate && !(ident in this.indexedFunctions)) {        if (!Functions.getIndex.tentative) Functions.getIndex.tentative = {}; // only used by GL emulation; TODO: generalize when needed        Functions.getIndex.tentative[ident] = 0;      } +    var ret;      if (phase != 'post' && singlePhase) {        if (!doNotCreate) this.indexedFunctions[ident] = 0; // tell python we need this indexized -      return "'{{ FI_" + toNiceIdent(ident) + " }}'"; // something python will replace later +      ret = "'{{ FI_" + toNiceIdent(ident) + " }}'"; // something python will replace later      } else {        if (!singlePhase) return 'NO_INDEX'; // Should not index functions in post -      var ret = this.indexedFunctions[ident]; +      ret = this.indexedFunctions[ident];        if (!ret) {          if (doNotCreate) return '0';          ret = this.nextIndex;          this.nextIndex += 2; // Need to have indexes be even numbers, see |polymorph| test          this.indexedFunctions[ident] = ret;        } -      return ret.toString(); +      ret = ret.toString(); +    } +    if (SIDE_MODULE && sig) { // sig can be undefined for the GL library functions +      ret = '((F_BASE_' + sig + ' + ' + ret + ')|0)'; +    } else if (BUILD_AS_SHARED_LIB) { +      ret = '(FUNCTION_TABLE_OFFSET + ' + ret + ')';      } +    return ret;    },    getTable: function(sig) { @@ -440,7 +463,8 @@ var PassManager = {          Types: Types,          Variables: Variables,          Functions: Functions, -        EXPORTED_FUNCTIONS: EXPORTED_FUNCTIONS // needed for asm.js global constructors (ctors) +        EXPORTED_FUNCTIONS: EXPORTED_FUNCTIONS, // needed for asm.js global constructors (ctors) +        Runtime: { GLOBAL_BASE: Runtime.GLOBAL_BASE }        }));      } else if (phase == 'funcs') {        print('\n//FORWARDED_DATA:' + JSON.stringify({ diff --git a/src/parseTools.js b/src/parseTools.js index 0b83a12b..eb200c65 100644 --- a/src/parseTools.js +++ b/src/parseTools.js @@ -467,6 +467,18 @@ function isIndexableGlobal(ident) {    return !data.alias && !data.external;  } +function isBSS(item) { +  if (!USE_BSS) { +    return false; +  } + +  if (item.external) return false; // externals are typically implemented in a JS library, and must be accessed by name, explicitly + +  // return true if a global is uninitialized or initialized to 0 +  return (item.value && item.value.intertype === 'emptystruct') || +         (item.value && item.value.value !== undefined && item.value.value === '0'); +} +  function makeGlobalDef(ident) {    if (!NAMED_GLOBALS && isIndexableGlobal(ident)) return '';    return 'var ' + ident + ';'; @@ -480,7 +492,9 @@ function makeGlobalUse(ident) {        UNINDEXABLE_GLOBALS[ident] = 1;        return ident;      } -    return (Runtime.GLOBAL_BASE + index).toString(); +    var ret = (Runtime.GLOBAL_BASE + index).toString(); +    if (SIDE_MODULE) ret = '(H_BASE+' + ret + ')'; +    return ret;    }    return ident;  } @@ -490,7 +504,10 @@ function sortGlobals(globals) {    ks.sort();    var inv = invertArray(ks);    return values(globals).sort(function(a, b) { -    return inv[b.ident] - inv[a.ident]; +    // sort globals based on if they need to be explicitly initialized or not (moving +    // values that don't need to be to the end of the array). if equal, sort by name. +    return (Number(isBSS(a)) - Number(isBSS(b))) || +      (inv[b.ident] - inv[a.ident]);    });  } @@ -1212,15 +1229,11 @@ function indexizeFunctions(value, type) {    var out = {};    if (type && isFunctionType(type, out) && value[0] === '_') { // checking for _ differentiates from $ (local vars)      // add signature to library functions that we now know need indexing -    if (!(value in Functions.implementedFunctions) && !(value in Functions.unimplementedFunctions)) { -      Functions.unimplementedFunctions[value] = Functions.getSignature(out.returnType, out.segments ? out.segments.map(function(segment) { return segment[0].text }) : []); -    } - -    if (BUILD_AS_SHARED_LIB) { -      return '(FUNCTION_TABLE_OFFSET + ' + Functions.getIndex(value) + ')'; -    } else { -      return Functions.getIndex(value); +    var sig = Functions.implementedFunctions[value] || Functions.unimplementedFunctions[value]; +    if (!sig) { +      sig = Functions.unimplementedFunctions[value] = Functions.getSignature(out.returnType, out.segments ? out.segments.map(function(segment) { return segment[0].text }) : []);      } +    return Functions.getIndex(value, undefined, sig);    }    return value;  } @@ -1612,6 +1625,9 @@ function makePointer(slab, pos, allocator, type, ptr, finalMemoryInitialization)        // writing out into memory, without a normal allocation. We put all of these into a single big chunk.        assert(typeof slab == 'object');        assert(slab.length % QUANTUM_SIZE == 0, slab.length); // must be aligned already +      if (SIDE_MODULE && typeof ptr == 'string') { +        ptr = parseInt(ptr.substring(ptr.indexOf('+'), ptr.length-1)); // parse into (H_BASE+X) +      }        var offset = ptr - Runtime.GLOBAL_BASE;        for (var i = 0; i < slab.length; i++) {          memoryInitialization[offset + i] = slab[i]; @@ -2131,7 +2147,11 @@ function processMathop(item) {        }        case 'select': return idents[0] + ' ? ' + makeCopyI64(idents[1]) + ' : ' + makeCopyI64(idents[2]);        case 'ptrtoint': return makeI64(idents[0], 0); -      case 'inttoptr': return '(' + idents[0] + '[0])'; // just directly truncate the i64 to a 'pointer', which is an i32 +      case 'inttoptr': { +        var m = /\(?\[(\d+),\d+\]\)?/.exec(idents[0]); +        if (m) return m[1]; // constant, can just parse it right now +        return '(' + idents[0] + '[0])'; // just directly truncate the i64 to a 'pointer', which is an i32 +      }        // Dangerous, rounded operations. TODO: Fully emulate        case 'add': {          if (PRECISE_I64_MATH) { @@ -2202,9 +2222,9 @@ function processMathop(item) {      // basic integer ops      case 'add': return handleOverflow(getFastValue(idents[0], '+', idents[1], item.type), bits);      case 'sub': return handleOverflow(getFastValue(idents[0], '-', idents[1], item.type), bits); -    case 'sdiv': case 'udiv': return makeRounding(getFastValue(idents[0], '/', idents[1], item.type), bits, op[0] === 's'); +    case 'sdiv': case 'udiv': return makeRounding(getFastValue(idents[0], '/', idents[1], item.type), bits, true);      case 'mul': return getFastValue(idents[0], '*', idents[1], item.type); // overflow handling is already done in getFastValue for '*' -    case 'urem': case 'srem': return makeRounding(getFastValue(idents[0], '%', idents[1], item.type), bits, op[0] === 's'); +    case 'urem': case 'srem': return makeRounding(getFastValue(idents[0], '%', idents[1], item.type), bits, true);      case 'or': {        if (bits > 32) {          assert(bits === 64, 'Too many bits for or: ' + bits); diff --git a/src/preamble.js b/src/preamble.js index 4c61a86e..c9e7e4eb 100644 --- a/src/preamble.js +++ b/src/preamble.js @@ -267,7 +267,7 @@ var globalScope = this;  //  // @param ident      The name of the C function (note that C++ functions will be name-mangled - use extern "C")  // @param returnType The return type of the function, one of the JS types 'number', 'string' or 'array' (use 'number' for any C pointer, and -//                   'array' for JavaScript arrays and typed arrays). +//                   'array' for JavaScript arrays and typed arrays; note that arrays are 8-bit).  // @param argTypes   An array of the types of arguments for the function (if there are no arguments, this can be ommitted). Types are as in returnType,  //                   except that 'array' is not possible (there is no way for us to know the length of the array)  // @param args       An array of the arguments to the function, as native JS values (as in returnType) @@ -525,6 +525,9 @@ function Pointer_stringify(ptr, /* optional */ length) {    var t;    var i = 0;    while (1) { +#if ASSERTIONS +    assert(ptr + i < TOTAL_MEMORY); +#endif      t = {{{ makeGetValue('ptr', 'i', 'i8', 0, 1) }}};      if (t >= 128) hasUtf = true;      else if (t == 0 && !length) break; @@ -884,8 +887,6 @@ __ATEXIT__.push({ func: function() { PGOMonitor.dump() } });  addPreRun(function() { addRunDependency('pgo') });  #endif -var awaitingMemoryInitializer = false; -  function loadMemoryInitializer(filename) {    function applyData(data) {  #if USE_TYPED_ARRAYS == 2 @@ -893,7 +894,6 @@ function loadMemoryInitializer(filename) {  #else      allocate(data, 'i8', ALLOC_NONE, STATIC_BASE);  #endif -    runPostSets();    }    // always do this asynchronously, to keep shell and web as similar as possible @@ -908,8 +908,6 @@ function loadMemoryInitializer(filename) {        });      }    }); - -  awaitingMemoryInitializer = false;  }  // === Body === diff --git a/src/relooper/Relooper.cpp b/src/relooper/Relooper.cpp index 277d37d5..a457914b 100644 --- a/src/relooper/Relooper.cpp +++ b/src/relooper/Relooper.cpp @@ -10,6 +10,10 @@  // TODO: move all set to unorderedset +template <class T, class U> bool contains(const T& container, const U& contained) { +  return container.find(contained) != container.end(); +} +  #if DEBUG  static void PrintDebug(const char *Format, ...);  #define DebugDump(x, ...) Debugging::Dump(x, __VA_ARGS__) @@ -100,7 +104,7 @@ void Branch::Render(Block *Target, bool SetLabel) {  int Block::IdCounter = 1; // 0 is reserved for clearings -Block::Block(const char *CodeInit) : Parent(NULL), Id(Block::IdCounter++), DefaultTarget(NULL), IsCheckedMultipleEntry(false) { +Block::Block(const char *CodeInit) : Parent(NULL), Id(Block::IdCounter++), IsCheckedMultipleEntry(false) {    Code = strdup(CodeInit);  } @@ -113,7 +117,7 @@ Block::~Block() {  }  void Block::AddBranchTo(Block *Target, const char *Condition, const char *Code) { -  assert(BranchesOut.find(Target) == BranchesOut.end()); // cannot add more than one branch to the same target +  assert(!contains(BranchesOut, Target)); // cannot add more than one branch to the same target    BranchesOut[Target] = new Branch(Condition, Code);  } @@ -174,6 +178,8 @@ void Block::Render(bool InLoop) {      }    } +  Block *DefaultTarget(NULL); // The block we branch to without checking the condition, if none of the other conditions held. +    // Find the default target, the one without a condition    for (BlockBranchMap::iterator iter = ProcessedBranchesOut.begin(); iter != ProcessedBranchesOut.end(); iter++) {      if (!iter->second->Condition) { @@ -181,7 +187,7 @@ void Block::Render(bool InLoop) {        DefaultTarget = iter->first;      }    } -  assert(DefaultTarget); // Must be a default +  assert(DefaultTarget); // Since each block *must* branch somewhere, this must be set    ministring RemainingConditions;    bool First = true; @@ -198,7 +204,7 @@ void Block::Render(bool InLoop) {        Details = ProcessedBranchesOut[DefaultTarget];      }      bool SetCurrLabel = SetLabel && Target->IsCheckedMultipleEntry; -    bool HasFusedContent = Fused && Fused->InnerMap.find(Target) != Fused->InnerMap.end(); +    bool HasFusedContent = Fused && contains(Fused->InnerMap, Target);      bool HasContent = SetCurrLabel || Details->Type != Branch::Direct || HasFusedContent || Details->Code;      if (iter != ProcessedBranchesOut.end()) {        // If there is nothing to show in this branch, omit the condition @@ -356,7 +362,7 @@ void Relooper::Calculate(Block *Entry) {        while (ToInvestigate.size() > 0) {          Block *Curr = ToInvestigate.front();          ToInvestigate.pop_front(); -        if (Live.find(Curr) != Live.end()) continue; +        if (contains(Live, Curr)) continue;          Live.insert(Curr);          for (BlockBranchMap::iterator iter = Curr->BranchesOut.begin(); iter != Curr->BranchesOut.end(); iter++) {            ToInvestigate.push_back(iter->first); @@ -380,7 +386,7 @@ void Relooper::Calculate(Block *Entry) {        for (BlockSet::iterator iter = Live.begin(); iter != Live.end(); iter++) {          Block *Original = *iter;          if (Original->BranchesIn.size() <= 1 || Original->BranchesOut.size() > 0) continue; // only dead ends, for now -        if (Original->BranchesOut.find(Original) != Original->BranchesOut.end()) continue; // cannot split a looping node +        if (contains(Original->BranchesOut, Original)) continue; // cannot split a looping node          if (strlen(Original->Code)*(Original->BranchesIn.size()-1) > TotalCodeSize/5) continue; // if splitting increases raw code size by a significant amount, abort          // Split the node (for simplicity, we replace all the blocks, even though we could have reused the original)          PrintDebug("Splitting block %d\n", Original->Id); @@ -423,7 +429,7 @@ void Relooper::Calculate(Block *Entry) {    // Add incoming branches from live blocks, ignoring dead code    for (int i = 0; i < Blocks.size(); i++) {      Block *Curr = Blocks[i]; -    if (Pre.Live.find(Curr) == Pre.Live.end()) continue; +    if (!contains(Pre.Live, Curr)) continue;      for (BlockBranchMap::iterator iter = Curr->BranchesOut.begin(); iter != Curr->BranchesOut.end(); iter++) {        iter->first->BranchesIn.insert(Curr);      } @@ -445,7 +451,7 @@ void Relooper::Calculate(Block *Entry) {      // will appear      void GetBlocksOut(Block *Source, BlockSet& Entries, BlockSet *LimitTo=NULL) {        for (BlockBranchMap::iterator iter = Source->BranchesOut.begin(); iter != Source->BranchesOut.end(); iter++) { -        if (!LimitTo || LimitTo->find(iter->first) != LimitTo->end()) { +        if (!LimitTo || contains(*LimitTo, iter->first)) {            Entries.insert(iter->first);          }        } @@ -457,7 +463,7 @@ void Relooper::Calculate(Block *Entry) {        DebugDump(From, "  relevant to solipsize: ");        for (BlockSet::iterator iter = Target->BranchesIn.begin(); iter != Target->BranchesIn.end();) {          Block *Prior = *iter; -        if (From.find(Prior) == From.end()) { +        if (!contains(From, Prior)) {            iter++;            continue;          } @@ -502,7 +508,7 @@ void Relooper::Calculate(Block *Entry) {        while (Queue.size() > 0) {          Block *Curr = *(Queue.begin());          Queue.erase(Queue.begin()); -        if (InnerBlocks.find(Curr) == InnerBlocks.end()) { +        if (!contains(InnerBlocks, Curr)) {            // This element is new, mark it as inner and remove from outer            InnerBlocks.insert(Curr);            Blocks.erase(Curr); @@ -518,7 +524,7 @@ void Relooper::Calculate(Block *Entry) {          Block *Curr = *iter;          for (BlockBranchMap::iterator iter = Curr->BranchesOut.begin(); iter != Curr->BranchesOut.end(); iter++) {            Block *Possible = iter->first; -          if (InnerBlocks.find(Possible) == InnerBlocks.end()) { +          if (!contains(InnerBlocks, Possible)) {              NextEntries.insert(Possible);            }          } @@ -615,7 +621,7 @@ void Relooper::Calculate(Block *Entry) {              Block *Invalidatee = ToInvalidate.front();              ToInvalidate.pop_front();              Block *Owner = Ownership[Invalidatee]; -            if (IndependentGroups.find(Owner) != IndependentGroups.end()) { // Owner may have been invalidated, do not add to IndependentGroups! +            if (contains(IndependentGroups, Owner)) { // Owner may have been invalidated, do not add to IndependentGroups!                IndependentGroups[Owner].erase(Invalidatee);              }              if (Ownership[Invalidatee]) { // may have been seen before and invalidated already @@ -688,7 +694,7 @@ void Relooper::Calculate(Block *Entry) {            Block *Child = *iter;            for (BlockSet::iterator iter = Child->BranchesIn.begin(); iter != Child->BranchesIn.end(); iter++) {              Block *Parent = *iter; -            if (Ignore && Ignore->find(Parent) != Ignore->end()) continue; +            if (Ignore && contains(*Ignore, Parent)) continue;              if (Helper.Ownership[Parent] != Helper.Ownership[Child]) {                ToInvalidate.push_back(Child);              } @@ -739,7 +745,7 @@ void Relooper::Calculate(Block *Entry) {              Block *CurrTarget = iter->first;              BlockBranchMap::iterator Next = iter;              Next++; -            if (CurrBlocks.find(CurrTarget) == CurrBlocks.end()) { +            if (!contains(CurrBlocks, CurrTarget)) {                NextEntries.insert(CurrTarget);                Solipsize(CurrTarget, Branch::Break, Multiple, CurrBlocks);               } @@ -756,7 +762,7 @@ void Relooper::Calculate(Block *Entry) {        // Add entries not handled as next entries, they are deferred        for (BlockSet::iterator iter = Entries.begin(); iter != Entries.end(); iter++) {          Block *Entry = *iter; -        if (IndependentGroups.find(Entry) == IndependentGroups.end()) { +        if (!contains(IndependentGroups, Entry)) {            NextEntries.insert(Entry);          }        } @@ -820,7 +826,7 @@ void Relooper::Calculate(Block *Entry) {              BlockBlockSetMap::iterator curr = iter++; // iterate carefully, we may delete              for (BlockSet::iterator iterBranch = Entry->BranchesIn.begin(); iterBranch != Entry->BranchesIn.end(); iterBranch++) {                Block *Origin = *iterBranch; -              if (Group.find(Origin) == Group.end()) { +              if (!contains(Group, Origin)) {                  // Reached from outside the group, so we cannot handle this                  PrintDebug("Cannot handle group with entry %d because of incoming branch from %d\n", Entry->Id, Origin->Id);                  IndependentGroups.erase(curr); @@ -858,7 +864,7 @@ void Relooper::Calculate(Block *Entry) {                  Block *Curr = *iter;                  for (BlockBranchMap::iterator iter = Curr->BranchesOut.begin(); iter != Curr->BranchesOut.end(); iter++) {                    Block *Target = iter->first; -                  if (SmallGroup.find(Target) == SmallGroup.end()) { +                  if (!contains(SmallGroup, Target)) {                      DeadEnd = false;                      break;                    } @@ -909,13 +915,13 @@ void Relooper::Calculate(Block *Entry) {      PostOptimizer(Relooper *ParentInit) : Parent(ParentInit), Closure(NULL) {} -    #define RECURSE_MULTIPLE_MANUAL(func, manual) \ -      for (BlockShapeMap::iterator iter = manual->InnerMap.begin(); iter != manual->InnerMap.end(); iter++) { \ +    #define RECURSE_Multiple(shape, func) \ +      for (BlockShapeMap::iterator iter = shape->InnerMap.begin(); iter != shape->InnerMap.end(); iter++) { \          func(iter->second); \        } -    #define RECURSE_MULTIPLE(func) RECURSE_MULTIPLE_MANUAL(func, Multiple); -    #define RECURSE_LOOP(func) \ -      func(Loop->Inner); +    #define RECURSE_Loop(shape, func) \ +      func(shape->Inner); +    #define RECURSE(shape, func) RECURSE_##shape(shape, func);      #define SHAPE_SWITCH(var, simple, multiple, loop) \        if (SimpleShape *Simple = Shape::IsSimple(var)) { \ @@ -926,20 +932,6 @@ void Relooper::Calculate(Block *Entry) {          loop; \        } -    #define SHAPE_SWITCH_AUTO(var, simple, multiple, loop, func) \ -      if (SimpleShape *Simple = Shape::IsSimple(var)) { \ -        simple; \ -        func(Simple->Next); \ -      } else if (MultipleShape *Multiple = Shape::IsMultiple(var)) { \ -        multiple; \ -        RECURSE_MULTIPLE(func) \ -        func(Multiple->Next); \ -      } else if (LoopShape *Loop = Shape::IsLoop(var)) { \ -        loop; \ -        RECURSE_LOOP(func); \ -        func(Loop->Next); \ -      } -      // Find the blocks that natural control flow can get us directly to, or through a multiple that we ignore      void FollowNaturalFlow(Shape *S, BlockSet &Out) {        SHAPE_SWITCH(S, { @@ -992,7 +984,7 @@ void Relooper::Calculate(Block *Entry) {              for (BlockBranchMap::iterator iter = Simple->Inner->ProcessedBranchesOut.begin(); iter != Simple->Inner->ProcessedBranchesOut.end(); iter++) {                Block *Target = iter->first;                Branch *Details = iter->second; -              if (Details->Type != Branch::Direct && NaturalBlocks.find(Target) != NaturalBlocks.end()) { // note: cannot handle split blocks +              if (Details->Type != Branch::Direct && contains(NaturalBlocks, Target)) { // note: cannot handle split blocks                  Details->Type = Branch::Direct;                  if (MultipleShape *Multiple = Shape::IsMultiple(Details->Ancestor)) {                    Multiple->NeedLoop--; @@ -1036,7 +1028,7 @@ void Relooper::Calculate(Block *Entry) {            // If we are fusing a Multiple with a loop into this Simple, then visit it now            if (Fused && Fused->NeedLoop) {              LoopStack.push(Fused); -            RECURSE_MULTIPLE_MANUAL(FindLabeledLoops, Fused); +            RECURSE_Multiple(Fused, FindLabeledLoops);            }            for (BlockBranchMap::iterator iter = Simple->Inner->ProcessedBranchesOut.begin(); iter != Simple->Inner->ProcessedBranchesOut.end(); iter++) {              Block *Target = iter->first; @@ -1062,14 +1054,14 @@ void Relooper::Calculate(Block *Entry) {            if (Multiple->NeedLoop) {              LoopStack.push(Multiple);            } -          RECURSE_MULTIPLE(FindLabeledLoops); +          RECURSE(Multiple, FindLabeledLoops);            if (Multiple->NeedLoop) {              LoopStack.pop();            }            Next = Root->Next;          }, {            LoopStack.push(Loop); -          RECURSE_LOOP(FindLabeledLoops); +          RECURSE(Loop, FindLabeledLoops);            LoopStack.pop();            Next = Root->Next;          }); @@ -1123,7 +1115,7 @@ void Debugging::Dump(BlockSet &Blocks, const char *prefix) {      for (BlockBranchMap::iterator iter2 = Curr->BranchesOut.begin(); iter2 != Curr->BranchesOut.end(); iter2++) {        Block *Other = iter2->first;        printf("  -> %d\n", Other->Id); -      assert(Other->BranchesIn.find(Curr) != Other->BranchesIn.end()); +      assert(contains(Other->BranchesIn, Curr));      }    }  } diff --git a/src/relooper/Relooper.h b/src/relooper/Relooper.h index fe56a133..e54b578c 100644 --- a/src/relooper/Relooper.h +++ b/src/relooper/Relooper.h @@ -59,8 +59,6 @@ struct Block {    Shape *Parent; // The shape we are directly inside    int Id; // A unique identifier    const char *Code; // The string representation of the code in this block. Owning pointer (we copy the input) -  Block *DefaultTarget; // The block we branch to without checking the condition, if none of the other conditions held. -                        // Since each block *must* branch somewhere, this must be set    bool IsCheckedMultipleEntry; // If true, we are a multiple entry, so reaching us requires setting the label variable    Block(const char *CodeInit); diff --git a/src/runtime.js b/src/runtime.js index e6d5f962..684f11e7 100644 --- a/src/runtime.js +++ b/src/runtime.js @@ -32,7 +32,7 @@ var RuntimeGenerator = {    stackEnter: function(initial, force) {      if (initial === 0 && SKIP_STACK_IN_SMALL && !force) return ''; -    var ret = 'var __stackBase__  = ' + (ASM_JS ? '0; __stackBase__ = ' : '') + 'STACKTOP'; +    var ret = 'var sp  = ' + (ASM_JS ? '0; sp = ' : '') + 'STACKTOP';      if (initial > 0) ret += '; STACKTOP = (STACKTOP + ' + initial + ')|0';      if (USE_TYPED_ARRAYS == 2) {        assert(initial % Runtime.STACK_ALIGN == 0); @@ -44,7 +44,7 @@ var RuntimeGenerator = {        ret += '; (assert(' + asmCoercion('(STACKTOP|0) < (STACK_MAX|0)', 'i32') + ')|0)';      }      if (false) { -      ret += '; _memset(' + asmCoercion('__stackBase__', 'i32') + ', 0, ' + initial + ')'; +      ret += '; _memset(' + asmCoercion('sp', 'i32') + ', 0, ' + initial + ')';      }      return ret;    }, @@ -53,9 +53,9 @@ var RuntimeGenerator = {      if (initial === 0 && SKIP_STACK_IN_SMALL && !force) return '';      var ret = '';      if (SAFE_HEAP) { -      ret += 'var i = __stackBase__; while ((i|0) < (STACKTOP|0)) { SAFE_HEAP_CLEAR(i|0); i = (i+1)|0 }'; +      ret += 'var i = sp; while ((i|0) < (STACKTOP|0)) { SAFE_HEAP_CLEAR(i|0); i = (i+1)|0 }';      } -    return ret += 'STACKTOP = __stackBase__'; +    return ret += 'STACKTOP = sp';    },    // An allocation that cannot normally be free'd (except through sbrk, which once diff --git a/src/settings.js b/src/settings.js index 3a91b488..10e93975 100644 --- a/src/settings.js +++ b/src/settings.js @@ -67,9 +67,9 @@ var RELOOP = 0; // Recreate js native loops from llvm data  var RELOOPER = 'relooper.js'; // Loads the relooper from this path relative to compiler.js  var USE_TYPED_ARRAYS = 2; // Use typed arrays for the heap. See https://github.com/kripken/emscripten/wiki/Code-Generation-Modes/ -                          // 0 means no typed arrays are used. +                          // 0 means no typed arrays are used. This mode disallows LLVM optimizations                            // 1 has two heaps, IHEAP (int32) and FHEAP (double), -                          // and addresses there are a match for normal addresses. This is deprecated. +                          // and addresses there are a match for normal addresses. This mode disallows LLVM optimizations.                            // 2 is a single heap, accessible through views as int8, int32, etc. This is                            //   the recommended mode both for performance and for compatibility.  var USE_FHEAP = 1; // Relevant in USE_TYPED_ARRAYS == 1. If this is disabled, only IHEAP will be used, and FHEAP @@ -186,6 +186,8 @@ var GL_MAX_TEMP_BUFFER_SIZE = 2097152; // How large GL emulation temp buffers ar  var GL_UNSAFE_OPTS = 1; // Enables some potentially-unsafe optimizations in GL emulation code  var FULL_ES2 = 0; // Forces support for all GLES2 features, not just the WebGL-friendly subset.  var FORCE_GL_EMULATION = 0; // Forces inclusion of full GL emulation code. +var DISABLE_GL_EMULATION = 0; // Disable inclusion of full GL emulation code. Useful when you don't want emulation +                              // but do need INCLUDE_FULL_LIBRARY or MAIN_MODULE.  var DISABLE_EXCEPTION_CATCHING = 0; // Disables generating code to actually catch exceptions. If the code you                                      // are compiling does not actually rely on catching exceptions (but the @@ -236,6 +238,11 @@ var FS_LOG = 0; // Log all FS operations.  This is especially helpful when you'r                  // a new project and want to see a list of file system operations happening                  // so that you can create a virtual file system with all of the required files. +var USE_BSS = 1; // https://en.wikipedia.org/wiki/.bss +                 // When enabled, 0-initialized globals are sorted to the end of the globals list, +                 // enabling us to not explicitly store the initialization value for each 0 byte. +                 // This significantly lowers the memory initialization array size. +  var NAMED_GLOBALS = 0; // If 1, we use global variables for globals. Otherwise                         // they are referred to by a base plus an offset (called an indexed global),                         // saving global variables but adding runtime overhead. @@ -291,6 +298,10 @@ var SHOW_LABELS = 0; // Show labels in the generated code  var PRINT_SPLIT_FILE_MARKER = 0; // Prints markers in Javascript generation to split the file later on. See emcc --split option. +var MAIN_MODULE = 0; // A main module is a file compiled in a way that allows us to link it to +                     // a side module using emlink.py. +var SIDE_MODULE = 0; // Corresponds to MAIN_MODULE +  var BUILD_AS_SHARED_LIB = 0; // Whether to build the code as a shared library                               // 0 here means this is not a shared lib: It is a main file.                               // All shared library options (1 and 2) are currently deprecated XXX @@ -316,6 +327,10 @@ var LINKABLE = 0; // If set to 1, this file can be linked with others, either as                    // LINKABLE of 0 is very useful in that we can reduce the size of the                    // generated code very significantly, by removing everything not actually used. +var DLOPEN_SUPPORT = 0; // Whether to support dlopen(NULL, ...) which enables dynamic access to the +                        // module's functions and globals. Implies LINKABLE=1, because we do not want +                        // dead code elimination. +  var RUNTIME_TYPE_INFO = 0; // Whether to expose type info to the script at run time. This                             // increases the size of the generated script, but allows you                             // to more easily perform operations from handwritten JS on @@ -376,6 +391,9 @@ var EMIT_GENERATED_FUNCTIONS = 0; // whether to emit the list of generated funct  var JS_CHUNK_SIZE = 10240; // Used as a maximum size before breaking up expressions and lines into smaller pieces +var EXPORT_NAME = 'Module'; // Global variable to export the module as for environments without a standardized module +                            // loading system (e.g. the browser and SM shell). +  // Compiler debugging options  var DEBUG_TAGS_SHOWING = [];    // Some useful items: @@ -1257,10 +1275,14 @@ var C_DEFINES = {'SI_MESGQ': '5',     'SIGTTOU': '22',     '_CS_POSIX_V7_LP64_OFF64_LDFLAGS': '10',     '_SC_TTY_NAME_MAX': '41', -   'AF_INET': '1', +   'AF_INET': '2',     'AF_INET6': '6', +   'PF_INET': '2', +   'PF_INET6': '6',     'FIONREAD': '1',     'SOCK_STREAM': '200', -   'IPPROTO_TCP': 1 +   'SOCK_DGRAM': '20', +   'IPPROTO_TCP': '1', +   'IPPROTO_UDP': '2'  }; diff --git a/src/shell.html b/src/shell.html index f7eb9e1f..22bc9de9 100644 --- a/src/shell.html +++ b/src/shell.html @@ -86,11 +86,7 @@          }        };        Module.setStatus('Downloading...'); -    </script>       -    <script type='text/javascript'> - -      {{{ SCRIPT_CODE }}} -      </script> +    <script type='text/javascript'>{{{ SCRIPT_CODE }}}</script>    </body>  </html> diff --git a/src/shell.js b/src/shell.js index 873bcc65..1f987926 100644 --- a/src/shell.js +++ b/src/shell.js @@ -12,10 +12,6 @@ var ENVIRONMENT_IS_WEB = typeof window === 'object';  var ENVIRONMENT_IS_WORKER = typeof importScripts === 'function';  var ENVIRONMENT_IS_SHELL = !ENVIRONMENT_IS_WEB && !ENVIRONMENT_IS_NODE && !ENVIRONMENT_IS_WORKER; -if (typeof module === "object") { -  module.exports = Module; -} -  if (ENVIRONMENT_IS_NODE) {    // Expose functionality in the same simple way that the shells work    // Note that we pollute the global namespace here, otherwise we break in node @@ -50,6 +46,8 @@ if (ENVIRONMENT_IS_NODE) {    if (!Module['arguments']) {      Module['arguments'] = process['argv'].slice(2);    } + +  module.exports = Module;  }  if (ENVIRONMENT_IS_SHELL) { @@ -68,6 +66,8 @@ if (ENVIRONMENT_IS_SHELL) {        Module['arguments'] = arguments;      }    } +   +  this['{{{ EXPORT_NAME }}}'] = Module;  }  if (ENVIRONMENT_IS_WEB && !ENVIRONMENT_IS_WORKER) { @@ -82,6 +82,8 @@ if (ENVIRONMENT_IS_WEB && !ENVIRONMENT_IS_WORKER) {        console.log(x);      };    } + +  this['{{{ EXPORT_NAME }}}'] = Module;  }  if (ENVIRONMENT_IS_WEB || ENVIRONMENT_IS_WORKER) { diff --git a/src/utility.js b/src/utility.js index b67e6c21..9cc8d3a3 100644 --- a/src/utility.js +++ b/src/utility.js @@ -298,12 +298,20 @@ function setIntersect(x, y) {    var ret = {};    for (xx in x) {      if (xx in y) { -      ret[xx] = true; +      ret[xx] = 0;      }    }    return ret;  } +function setUnion(x, y) { +  var ret = set(keys(x)); +  for (yy in y) { +    ret[yy] = 0; +  } +  return ret; +} +  function invertArray(x) {    var ret = {};    for (var i = 0; i < x.length; i++) { | 
