diff --git a/AUTHORS b/AUTHORS index 8a8f7c663731b..5121103af4eb9 100644 --- a/AUTHORS +++ b/AUTHORS @@ -253,3 +253,6 @@ a license to everyone to use it as detailed in LICENSE.) * Aiden Koss * Dustin VanLerberghe * Philip Bielby (copyright owned by Jagex Ltd.) +* Régis Fénéon +* Dominic Chen (copyright owned by Google, Inc.) +* Junji Hashimoto diff --git a/embuilder.py b/embuilder.py index e11b89b60b5af..6674ccd255799 100755 --- a/embuilder.py +++ b/embuilder.py @@ -63,10 +63,11 @@ temp_files = shared.configuration.get_temp_files() def build(src, result_libs, args=[]): - temp = temp_files.get('.cpp').name - open(temp, 'w').write(src) - temp_js = temp_files.get('.js').name - shared.Building.emcc(temp, args, output_filename=temp_js) + with temp_files.get_file('.cpp') as temp: + open(temp, 'w').write(src) + temp_js = temp_files.get('.js').name + shared.Building.emcc(temp, args, output_filename=temp_js) + assert os.path.exists(temp_js), 'failed to build file' if result_libs: for lib in result_libs: diff --git a/emcc.py b/emcc.py index 5cf9ee59d7995..cd9f825d101a1 100755 --- a/emcc.py +++ b/emcc.py @@ -436,6 +436,7 @@ def log_time(name): default_object_extension = '.o' valid_abspaths = [] separate_asm = False + cfi = False def is_valid_abspath(path_name): # Any path that is underneath the emscripten repository root must be ok. @@ -724,6 +725,8 @@ def detect_fixed_language_mode(args): newargs.append('-D__SSSE3__=1') newargs.append('-D__SSE4_1__=1') newargs[i] = '' + elif newargs[i].startswith("-fsanitize=cfi"): + cfi = True if should_exit: sys.exit(0) @@ -907,7 +910,7 @@ def detect_fixed_language_mode(args): break if found: break if found: break - if not found and lib not in ['GL', 'GLU', 'glut', 'm', 'c', 'SDL', 'stdc++']: # whitelist our default libraries + if not found and lib not in ['GL', 'GLU', 'glut', 'm', 'c', 'SDL', 'stdc++', 'pthread']: # whitelist our default libraries logging.warning('emcc: cannot find library "%s"', lib) # If not compiling to JS, then we are compiling to an intermediate bitcode objects or library, so @@ -1105,9 +1108,6 @@ def check(input_file): if proxy_to_worker or use_preload_plugins: shared.Settings.DEFAULT_LIBRARY_FUNCS_TO_INCLUDE += ['$Browser'] - if js_opts: - shared.Settings.RUNNING_JS_OPTS = 1 - if not shared.Settings.NO_FILESYSTEM and not shared.Settings.ONLY_MY_CODE: shared.Settings.EXPORTED_FUNCTIONS += ['___errno_location'] # so FS can report errno back to C if not shared.Settings.NO_EXIT_RUNTIME: @@ -1124,9 +1124,6 @@ def check(input_file): js_libraries.append(shared.path_from_root('src', 'library_pthread_stub.js')) if shared.Settings.USE_PTHREADS: - if shared.Settings.PROXY_TO_WORKER: - logging.error('-s PROXY_TO_WORKER=1 is not yet supported with -s USE_PTHREADS=1!') - exit(1) if shared.Settings.LINKABLE: logging.error('-s LINKABLE=1 is not supported with -s USE_PTHREADS=1!') exit(1) @@ -1138,6 +1135,7 @@ def check(input_file): exit(1) if shared.Settings.WASM_BACKEND: + js_opts = None shared.Settings.BINARYEN = 1 # Static linking is tricky with LLVM, since e.g. memset might not be used from libc, # but be used as an intrinsic, and codegen will generate a libc call from that intrinsic @@ -1148,12 +1146,24 @@ def check(input_file): # to bootstrap struct_info, we need binaryen os.environ['EMCC_WASM_BACKEND_BINARYEN'] = '1' + if js_opts: + shared.Settings.RUNNING_JS_OPTS = 1 + if shared.Settings.BINARYEN: debug_level = max(1, debug_level) # keep whitespace readable, for asm.js parser simplicity shared.Settings.GLOBAL_BASE = 1024 # leave some room for mapping global vars assert not shared.Settings.SPLIT_MEMORY, 'WebAssembly does not support split memory' if not shared.Settings.BINARYEN_METHOD: shared.Settings.BINARYEN_METHOD = 'native-wasm,interpret-binary' + assert not shared.Settings.INCLUDE_FULL_LIBRARY, 'The WebAssembly libc overlaps with JS libs, so INCLUDE_FULL_LIBRARY does not just work (FIXME)' + # if root was not specified in -s, it might be fixed in ~/.emscripten, copy from there + if not shared.Settings.BINARYEN_ROOT: + try: + shared.Settings.BINARYEN_ROOT = shared.BINARYEN_ROOT + except: + pass + if use_closure_compiler: + logging.warning('closure compiler is known to have issues with binaryen (FIXME)') if shared.Settings.CYBERDWARF: newargs.append('-g') @@ -1437,6 +1447,11 @@ def save_intermediate(name=None, suffix='js'): # At minimum remove dead functions etc., this potentially saves a lot in the size of the generated code (and the time to compile it) link_opts += shared.Building.get_safe_internalize() + ['-globaldce'] + if cfi: + if use_cxx: + link_opts.append("-wholeprogramdevirt") + link_opts.append("-lowertypetests") + if AUTODEBUG: # let llvm opt directly emit ll, to skip writing and reading all the bitcode link_opts += ['-S'] @@ -1621,9 +1636,7 @@ class JSOptimizer: def flush(title='js_opts'): JSOptimizer.queue = filter(lambda p: p not in JSOptimizer.blacklist, JSOptimizer.queue) - if shared.Settings.WASM_BACKEND: - logging.debug('ignoring js-optimizer passes since emitting pure wasm: ' + ' '.join(JSOptimizer.queue)) - return + assert not shared.Settings.WASM_BACKEND, 'JSOptimizer should not run with pure wasm output' if JSOptimizer.extra_info is not None and len(JSOptimizer.extra_info) == 0: JSOptimizer.extra_info = None @@ -1877,9 +1890,9 @@ def do_minify(): # minifies the code. this is also when we do certain optimizati # Separate out the asm.js code, if asked. Or, if necessary for another option if (separate_asm or shared.Settings.BINARYEN) and not shared.Settings.WASM_BACKEND: logging.debug('separating asm') - temp_target = misc_temp_files.get(suffix='.js').name - subprocess.check_call([shared.PYTHON, shared.path_from_root('tools', 'separate_asm.py'), js_target, asm_target, temp_target]) - shutil.move(temp_target, js_target) + with misc_temp_files.get_file(suffix='.js') as temp_target: + subprocess.check_call([shared.PYTHON, shared.path_from_root('tools', 'separate_asm.py'), js_target, asm_target, temp_target]) + shutil.move(temp_target, js_target) # extra only-my-code logic if shared.Settings.ONLY_MY_CODE: diff --git a/emscripten-version.txt b/emscripten-version.txt index 71be8e725dcda..29eea1738741e 100644 --- a/emscripten-version.txt +++ b/emscripten-version.txt @@ -1,2 +1,2 @@ -"1.36.5" +"1.36.6" diff --git a/emscripten.py b/emscripten.py index 7575cdf7ab291..943f535d556eb 100755 --- a/emscripten.py +++ b/emscripten.py @@ -97,54 +97,54 @@ def emscript(infile, settings, outfile, libraries=None, compiler_engine=None, shared.try_delete(outfile.name) # remove partial output def get_and_parse_backend(infile, settings, temp_files, DEBUG): - temp_js = temp_files.get('.4.js').name - backend_compiler = os.path.join(shared.LLVM_ROOT, 'llc') - backend_args = [backend_compiler, infile, '-march=js', '-filetype=asm', '-o', temp_js] - if settings['PRECISE_F32']: - backend_args += ['-emscripten-precise-f32'] - if settings['USE_PTHREADS']: - backend_args += ['-emscripten-enable-pthreads'] - if settings['WARN_UNALIGNED']: - backend_args += ['-emscripten-warn-unaligned'] - if settings['RESERVED_FUNCTION_POINTERS'] > 0: - backend_args += ['-emscripten-reserved-function-pointers=%d' % settings['RESERVED_FUNCTION_POINTERS']] - if settings['ASSERTIONS'] > 0: - backend_args += ['-emscripten-assertions=%d' % settings['ASSERTIONS']] - if settings['ALIASING_FUNCTION_POINTERS'] == 0: - backend_args += ['-emscripten-no-aliasing-function-pointers'] - if settings['EMULATED_FUNCTION_POINTERS']: - backend_args += ['-emscripten-emulated-function-pointers'] - if settings['RELOCATABLE']: - backend_args += ['-emscripten-relocatable'] - backend_args += ['-emscripten-global-base=0'] - elif settings['GLOBAL_BASE'] >= 0: - backend_args += ['-emscripten-global-base=%d' % settings['GLOBAL_BASE']] - backend_args += ['-O' + str(settings['OPT_LEVEL'])] - if settings['DISABLE_EXCEPTION_CATCHING'] != 1: - backend_args += ['-enable-emscripten-cxx-exceptions'] - if settings['DISABLE_EXCEPTION_CATCHING'] == 2: - backend_args += ['-emscripten-cxx-exceptions-whitelist=' + ','.join(settings['EXCEPTION_CATCHING_WHITELIST'] or ['fake'])] - if settings['ASYNCIFY']: - backend_args += ['-emscripten-asyncify'] - backend_args += ['-emscripten-asyncify-functions=' + ','.join(settings['ASYNCIFY_FUNCTIONS'])] - backend_args += ['-emscripten-asyncify-whitelist=' + ','.join(settings['ASYNCIFY_WHITELIST'])] - if settings['NO_EXIT_RUNTIME']: - backend_args += ['-emscripten-no-exit-runtime'] - if settings['BINARYEN']: - backend_args += ['-emscripten-wasm'] - if settings['CYBERDWARF']: - backend_args += ['-enable-cyberdwarf'] - - if DEBUG: - logging.debug('emscript: llvm backend: ' + ' '.join(backend_args)) - t = time.time() - shared.jsrun.timeout_run(subprocess.Popen(backend_args, stdout=subprocess.PIPE)) - if DEBUG: - logging.debug(' emscript: llvm backend took %s seconds' % (time.time() - t)) - - # Split up output - backend_output = open(temp_js).read() - #if DEBUG: print >> sys.stderr, backend_output + with temp_files.get_file('.4.js') as temp_js: + backend_compiler = os.path.join(shared.LLVM_ROOT, 'llc') + backend_args = [backend_compiler, infile, '-march=js', '-filetype=asm', '-o', temp_js] + if settings['PRECISE_F32']: + backend_args += ['-emscripten-precise-f32'] + if settings['USE_PTHREADS']: + backend_args += ['-emscripten-enable-pthreads'] + if settings['WARN_UNALIGNED']: + backend_args += ['-emscripten-warn-unaligned'] + if settings['RESERVED_FUNCTION_POINTERS'] > 0: + backend_args += ['-emscripten-reserved-function-pointers=%d' % settings['RESERVED_FUNCTION_POINTERS']] + if settings['ASSERTIONS'] > 0: + backend_args += ['-emscripten-assertions=%d' % settings['ASSERTIONS']] + if settings['ALIASING_FUNCTION_POINTERS'] == 0: + backend_args += ['-emscripten-no-aliasing-function-pointers'] + if settings['EMULATED_FUNCTION_POINTERS']: + backend_args += ['-emscripten-emulated-function-pointers'] + if settings['RELOCATABLE']: + backend_args += ['-emscripten-relocatable'] + backend_args += ['-emscripten-global-base=0'] + elif settings['GLOBAL_BASE'] >= 0: + backend_args += ['-emscripten-global-base=%d' % settings['GLOBAL_BASE']] + backend_args += ['-O' + str(settings['OPT_LEVEL'])] + if settings['DISABLE_EXCEPTION_CATCHING'] != 1: + backend_args += ['-enable-emscripten-cxx-exceptions'] + if settings['DISABLE_EXCEPTION_CATCHING'] == 2: + backend_args += ['-emscripten-cxx-exceptions-whitelist=' + ','.join(settings['EXCEPTION_CATCHING_WHITELIST'] or ['fake'])] + if settings['ASYNCIFY']: + backend_args += ['-emscripten-asyncify'] + backend_args += ['-emscripten-asyncify-functions=' + ','.join(settings['ASYNCIFY_FUNCTIONS'])] + backend_args += ['-emscripten-asyncify-whitelist=' + ','.join(settings['ASYNCIFY_WHITELIST'])] + if settings['NO_EXIT_RUNTIME']: + backend_args += ['-emscripten-no-exit-runtime'] + if settings['BINARYEN']: + backend_args += ['-emscripten-wasm'] + if settings['CYBERDWARF']: + backend_args += ['-enable-cyberdwarf'] + + if DEBUG: + logging.debug('emscript: llvm backend: ' + ' '.join(backend_args)) + t = time.time() + shared.jsrun.timeout_run(subprocess.Popen(backend_args, stdout=subprocess.PIPE)) + if DEBUG: + logging.debug(' emscript: llvm backend took %s seconds' % (time.time() - t)) + + # Split up output + backend_output = open(temp_js).read() + #if DEBUG: print >> sys.stderr, backend_output start_funcs_marker = '// EMSCRIPTEN_START_FUNCTIONS' end_funcs_marker = '// EMSCRIPTEN_END_FUNCTIONS' @@ -267,19 +267,19 @@ def is_int(x): assert not (metadata['simd'] and settings['SPLIT_MEMORY']), 'SIMD is used, but not supported in SPLIT_MEMORY' # Save settings to a file to work around v8 issue 1579 - settings_file = temp_files.get('.txt').name - def save_settings(): - global settings_text - settings_text = json.dumps(settings, sort_keys=True) - s = open(settings_file, 'w') - s.write(settings_text) - s.close() - save_settings() - - # Call js compiler - out = jsrun.run_js(path_from_root('src', 'compiler.js'), compiler_engine, - [settings_file] + libraries, stdout=subprocess.PIPE, stderr=STDERR_FILE, - cwd=path_from_root('src'), error_limit=300) + with temp_files.get_file('.txt') as settings_file: + def save_settings(): + global settings_text + settings_text = json.dumps(settings, sort_keys=True) + s = open(settings_file, 'w') + s.write(settings_text) + s.close() + save_settings() + + # Call js compiler + out = jsrun.run_js(path_from_root('src', 'compiler.js'), compiler_engine, + [settings_file] + libraries, stdout=subprocess.PIPE, stderr=STDERR_FILE, + cwd=path_from_root('src'), error_limit=300) assert '//FORWARDED_DATA:' in out, 'Did not receive forwarded data in pre output - process failed?' glue, forwarded_data = out.split('//FORWARDED_DATA:') @@ -1305,38 +1305,39 @@ def emscript_wasm_backend(infile, settings, outfile, libraries=None, compiler_en if libraries is None: libraries = [] - temp_s = temp_files.get('.wb.s').name - backend_compiler = os.path.join(shared.LLVM_ROOT, 'llc') - backend_args = [backend_compiler, infile, '-march=wasm32', '-filetype=asm', - '-asm-verbose=false', - '-o', temp_s] - backend_args += ['-thread-model=single'] # no threads support in backend, tell llc to not emit atomics - # disable slow and relatively unimportant optimization passes - backend_args += ['-combiner-alias-analysis=false', '-combiner-global-alias-analysis=false'] - if DEBUG: - logging.debug('emscript: llvm wasm backend: ' + ' '.join(backend_args)) - t = time.time() - shared.check_call(backend_args) - if DEBUG: - logging.debug(' emscript: llvm wasm backend took %s seconds' % (time.time() - t)) - t = time.time() - import shutil - shutil.copyfile(temp_s, os.path.join(shared.CANONICAL_TEMP_DIR, 'emcc-llvm-backend-output.s')) - - assert shared.Settings.BINARYEN_ROOT, 'need BINARYEN_ROOT config set so we can use Binaryen s2wasm on the backend output' - wasm = outfile.name[:-3] + '.wast' - s2wasm_args = [os.path.join(shared.Settings.BINARYEN_ROOT, 'bin', 's2wasm'), temp_s] - s2wasm_args += ['--emscripten-glue'] - s2wasm_args += ['--global-base=%d' % shared.Settings.GLOBAL_BASE] - s2wasm_args += ['--initial-memory=%d' % shared.Settings.TOTAL_MEMORY] - def compiler_rt_fail(): raise Exception('Expected wasm_compiler_rt.a to already be built') - compiler_rt_lib = shared.Cache.get('wasm_compiler_rt.a', lambda: compiler_rt_fail(), 'a') - s2wasm_args += ['-l', compiler_rt_lib] - if DEBUG: - logging.debug('emscript: binaryen s2wasm: ' + ' '.join(s2wasm_args)) - t = time.time() - #s2wasm_args += ['--debug'] - shared.check_call(s2wasm_args, stdout=open(wasm, 'w')) + with temp_files.get_file('.wb.s') as temp_s: + backend_compiler = os.path.join(shared.LLVM_ROOT, 'llc') + backend_args = [backend_compiler, infile, '-march=wasm32', '-filetype=asm', + '-asm-verbose=false', + '-o', temp_s] + backend_args += ['-thread-model=single'] # no threads support in backend, tell llc to not emit atomics + # disable slow and relatively unimportant optimization passes + backend_args += ['-combiner-alias-analysis=false', '-combiner-global-alias-analysis=false'] + if DEBUG: + logging.debug('emscript: llvm wasm backend: ' + ' '.join(backend_args)) + t = time.time() + shared.check_call(backend_args) + if DEBUG: + logging.debug(' emscript: llvm wasm backend took %s seconds' % (time.time() - t)) + t = time.time() + import shutil + shutil.copyfile(temp_s, os.path.join(shared.CANONICAL_TEMP_DIR, 'emcc-llvm-backend-output.s')) + + assert shared.Settings.BINARYEN_ROOT, 'need BINARYEN_ROOT config set so we can use Binaryen s2wasm on the backend output' + wasm = outfile.name[:-3] + '.wast' + s2wasm_args = [os.path.join(shared.Settings.BINARYEN_ROOT, 'bin', 's2wasm'), temp_s] + s2wasm_args += ['--emscripten-glue'] + s2wasm_args += ['--global-base=%d' % shared.Settings.GLOBAL_BASE] + s2wasm_args += ['--initial-memory=%d' % shared.Settings.TOTAL_MEMORY] + def compiler_rt_fail(): raise Exception('Expected wasm_compiler_rt.a to already be built') + compiler_rt_lib = shared.Cache.get('wasm_compiler_rt.a', lambda: compiler_rt_fail(), 'a') + s2wasm_args += ['-l', compiler_rt_lib] + if DEBUG: + logging.debug('emscript: binaryen s2wasm: ' + ' '.join(s2wasm_args)) + t = time.time() + #s2wasm_args += ['--debug'] + shared.check_call(s2wasm_args, stdout=open(wasm, 'w')) + if DEBUG: logging.debug(' emscript: binaryen s2wasm took %s seconds' % (time.time() - t)) t = time.time() @@ -1416,20 +1417,20 @@ def asmjs_mangle(name): settings['IMPLEMENTED_FUNCTIONS'] = metadata['implementedFunctions'] # Save settings to a file to work around v8 issue 1579 - settings_file = temp_files.get('.txt').name - def save_settings(): - global settings_text - settings_text = json.dumps(settings, sort_keys=True) - s = open(settings_file, 'w') - s.write(settings_text) - s.close() - save_settings() - - # Call js compiler - if DEBUG: t = time.time() - out = jsrun.run_js(path_from_root('src', 'compiler.js'), compiler_engine, - [settings_file] + libraries, stdout=subprocess.PIPE, stderr=STDERR_FILE, - cwd=path_from_root('src'), error_limit=300) + with temp_files.get_file('.txt') as settings_file: + def save_settings(): + global settings_text + settings_text = json.dumps(settings, sort_keys=True) + s = open(settings_file, 'w') + s.write(settings_text) + s.close() + save_settings() + + # Call js compiler + if DEBUG: t = time.time() + out = jsrun.run_js(path_from_root('src', 'compiler.js'), compiler_engine, + [settings_file] + libraries, stdout=subprocess.PIPE, stderr=STDERR_FILE, + cwd=path_from_root('src'), error_limit=300) assert '//FORWARDED_DATA:' in out, 'Did not receive forwarded data in pre output - process failed?' glue, forwarded_data = out.split('//FORWARDED_DATA:') diff --git a/site/build/text/docs/api_reference/emscripten.h.txt b/site/build/text/docs/api_reference/emscripten.h.txt deleted file mode 100644 index 1df8e81c3acda..0000000000000 --- a/site/build/text/docs/api_reference/emscripten.h.txt +++ /dev/null @@ -1,1911 +0,0 @@ - -emscripten.h -************ - -This page documents the public C++ APIs provided by emscripten.h. - -Emscripten uses existing/familiar APIs where possible (for example: -*SDL*). This API provides C++ support for capabilities that are -specific to JavaScript or the browser environment, or for which there -is no existing API. - - -Table of Contents -^^^^^^^^^^^^^^^^^ - -* Inline assembly/JavaScript - -* Calling JavaScript From C/C++ - -* Browser Execution Environment - -* Emscripten Asynchronous File System API - -* Emscripten Asynchronous IndexedDB API - -* Compiling - -* Worker API - -* Logging utilities - -* Socket event registration - -* Unaligned types - -* Emterpreter-Async functions - -* Asyncify functions - - -Inline assembly/JavaScript -========================== - -Guide material for the following APIs can be found in Calling -JavaScript from C/C++. - - -Defines -------- - -EM_ASM(...) - - Convenient syntax for inline assembly/JavaScript. - - This allows you to declare JavaScript in your C code "inline", - which is then executed when your compiled code is run in the - browser. For example, the following C code would display two alerts - if it was compiled with Emscripten and run in the browser: - - EM_ASM( alert(‘hai’)); - alert(‘bai’)); ) - - Note: * Double-quotes (") cannot be used in the inline - - assembly/JavaScript. Single-quotes (‘) can be used, as shown - above. - - * Newlines (\n, \r etc.) are supported in the inline - JavaScript. Note that any platform-specific issues with line - endings in normal JavaScript also apply to inline JavaScript - declared using "EM_ASM". - - * You can’t access C variables with "EM_ASM", nor receive a - value back. Instead use "EM_ASM_ARGS", "EM_ASM_INT", or - "EM_ASM_DOUBLE". - - * As of "1.30.4", "EM_ASM" contents appear as normal JS, - outside of the compiled code. Previously we had them as a - string that was "eval``ed. The newer approach avoids the - overhead of ``eval", and also allows for better optimization of - "EM_ASM" contents by things like closure compiler, as their - contents are now visible. Note that this means that closure - compiler will optimize them as if they were written together - with the rest of the codebase, which is a change from before - - you may need to use safety quotes in some places ("a['b']" - instead of "a.b"). - -EM_ASM_(code, ...) -EM_ASM_ARGS(code, ...) -EM_ASM_INT(code, ...) -EM_ASM_DOUBLE(code, ...) -EM_ASM_INT_V(code) -EM_ASM_DOUBLE_V(code) - - Input-output versions of EM_ASM. - - "EM_ASM_" (an extra "_" is added) or "EM_ASM_ARGS" allow values - ("int" or "double") to be sent into the code. - - If you also want a return value, "EM_ASM_INT" receives arguments - (of "int" or "double" type) and returns an "int"; "EM_ASM_DOUBLE" - does the same and returns a "double". - - Arguments arrive as "$0", "$1" etc. The output value should be - returned: - - int x = EM_ASM_INT({ - console.log('I received: ' + [$0, $1]); - return $0 + $1; - }, calc(), otherCalc()); - - Note the "{" and "}". - - If you just want to receive an output value ("int" or "double") but - not pass any values, you can use "EM_ASM_INT_V" or - "EM_ASM_DOUBLE_V", respectively. - - -Calling JavaScript From C/C++ -============================= - -Guide material for the following APIs can be found in Calling -JavaScript from C/C++. - - -Function pointer types for callbacks ------------------------------------- - -The following types are used to define function callback signatures -used in a number of functions in this file. - -em_callback_func - - General function pointer type for use in callbacks with no - parameters. - - Defined as: - - typedef void (*em_callback_func)(void) - -em_arg_callback_func - - Generic function pointer type for use in callbacks with a single - "void*" parameter. - - This type is used to define function callbacks that need to pass - arbitrary data. For example, "emscripten_set_main_loop_arg()" sets - user-defined data, and passes it to a callback of this type on - completion. - - Defined as: - - typedef void (*em_arg_callback_func)(void*) - -em_str_callback_func - - General function pointer type for use in callbacks with a C string - ("const char *") parameter. - - This type is used for function callbacks that need to be passed a C - string. For example, it is used in "emscripten_async_wget()" to - pass the name of a file that has been asynchronously loaded. - - Defined as: - - typedef void (*em_str_callback_func)(const char *) - - -Functions ---------- - -void emscripten_run_script(const char *script) - - Interface to the underlying JavaScript engine. This function will - "eval()" the given script. - - Parameters: - * **script** (*const char**) -- The script to evaluate. - - Return type: - void - -int emscripten_run_script_int(const char *script) - - Interface to the underlying JavaScript engine. This function will - "eval()" the given script. - - Parameters: - * **script** (*const char**) -- The script to evaluate. - - Returns: - The result of the evaluation, as an integer. - - Return type: - int - -char *emscripten_run_script_string(const char *script) - - Interface to the underlying JavaScript engine. This function will - "eval()" the given script. Note that this overload uses a single - buffer shared between calls. - - Parameters: - * **script** (*const char**) -- The script to evaluate. - - Returns: - The result of the evaluation, as a string. - - Return type: - char* - -void emscripten_async_run_script(const char *script, int millis) - - Asynchronously run a script, after a specified amount of time. - - Parameters: - * **script** (*const char**) -- The script to evaluate. - - * **millis** (*int*) -- The amount of time before the script - is run, in milliseconds. - - Return type: - void - -void emscripten_async_load_script(const char *script, em_callback_func onload, em_callback_func onerror) - - Asynchronously loads a script from a URL. - - This integrates with the run dependencies system, so your script - can call "addRunDependency" multiple times, prepare various - asynchronous tasks, and call "removeRunDependency" on them; when - all are complete (or if there were no run dependencies to begin - with), "onload" is called. An example use for this is to load an - asset module, that is, the output of the file packager. - - Parameters: - * **script** (*const char**) -- The script to evaluate. - - * **onload** (*em_callback_func*) -- A callback function, with - no parameters, that is executed when the script has fully - loaded. - - * **onerror** (*em_callback_func*) -- A callback function, - with no parameters, that is executed if there is an error in - loading. - - Return type: - void - - -Browser Execution Environment -============================= - -Guide material for the following APIs can be found in Emscripten -Runtime Environment. - - -Functions ---------- - -void emscripten_set_main_loop(em_callback_func func, int fps, int simulate_infinite_loop) - - Set a C function as the main event loop. - - If the main loop function needs to receive user-defined data, use - "emscripten_set_main_loop_arg()" instead. - - The JavaScript environment will call that function at a specified - number of frames per second. Setting 0 or a negative value as the - "fps" will instead use the browser’s "requestAnimationFrame" - mechanism to call the main loop function. This is **HIGHLY** - recommended if you are doing rendering, as the browser’s - "requestAnimationFrame" will make sure you render at a proper - smooth rate that lines up properly with the browser and monitor. If - you do not render at all in your application, then you should pick - a specific frame rate that makes sense for your code. - - If "simulate_infinite_loop" is true, the function will throw an - exception in order to stop execution of the caller. This will lead - to the main loop being entered instead of code after the call to - "emscripten_set_main_loop()" being run, which is the closest we can - get to simulating an infinite loop (we do something similar in - glutMainLoop in GLUT). If this parameter is "false", then the - behavior is the same as it was before this parameter was added to - the API, which is that execution continues normally. Note that in - both cases we do not run global destructors, "atexit", etc., since - we know the main loop will still be running, but if we do not - simulate an infinite loop then the stack will be unwound. That - means that if "simulate_infinite_loop" is "false", and you created - an object on the stack, it will be cleaned up before the main loop - is called for the first time. - - Tip: There can be only *one* main loop function at a time. To - change the main loop function, first "cancel" the current loop, - and then call this function to set another. - - Note: See "emscripten_set_main_loop_expected_blockers()", - "emscripten_pause_main_loop()", "emscripten_resume_main_loop()" - and "emscripten_cancel_main_loop()" for information about - blocking, pausing, and resuming the main loop. - - Note: Calling this function overrides the effect of any previous - calls to "emscripten_set_main_loop_timing()" by applying the - timing mode specified by the parameter "fps". To specify a - different timing mode, call the function - "emscripten_set_main_loop_timing()" after setting up the main - loop. - - Parameters: - * **func** (*em_callback_func*) -- C function to set as main - event loop. - - * **fps** (*int*) -- Number of frames per second that the - JavaScript will call the function. Setting "int <=0" - (recommended) uses the browser’s "requestAnimationFrame" - mechanism to call the function. - - * **simulate_infinite_loop** (*int*) -- If true, this function - will throw an exception in order to stop execution of the - caller. - -void emscripten_set_main_loop_arg(em_arg_callback_func func, void *arg, int fps, int simulate_infinite_loop) - - Set a C function as the main event loop, passing it user-defined - data. - - See also: The information in "emscripten_set_main_loop()" also - applies to this function. - - Parameters: - * **func** (*em_arg_callback_func*) -- C function to set as - main event loop. The function signature must have a "void*" - parameter for passing the "arg" value. - - * **arg** (*void**) -- User-defined data passed to the main - loop function, untouched by the API itself. - - * **fps** (*int*) -- Number of frames per second at which the - JavaScript will call the function. Setting "int <=0" - (recommended) uses the browser’s "requestAnimationFrame" - mechanism to call the function. - - * **simulate_infinite_loop** (*int*) -- If true, this function - will throw an exception in order to stop execution of the - caller. - -void emscripten_push_main_loop_blocker(em_arg_callback_func func, void *arg) -void emscripten_push_uncounted_main_loop_blocker(em_arg_callback_func func, void *arg) - - Add a function that **blocks** the main loop. - - The function is added to the back of a queue of events to be - blocked; the main loop will not run until all blockers in the queue - complete. - - In the "counted" version, blockers are counted (internally) and - "Module.setStatus" is called with some text to report progress - ("setStatus" is a general hook that a program can define in order - to show processing updates). - - Note: * Main loop blockers block the main loop from running, and - can - - be counted to show progress. In contrast, - "emscripten_async_calls" are not counted, do not block the main - loop, and can fire at specific time in the future. - - Parameters: - * **func** (*em_arg_callback_func*) -- The main loop blocker - function. The function signature must have a "void*" parameter - for passing the "arg" value. - - * **arg** (*void**) -- User-defined arguments to pass to the - blocker function. - - Return type: - void - -void emscripten_pause_main_loop(void) -void emscripten_resume_main_loop(void) - - Pause and resume the main loop. - - Pausing and resuming the main loop is useful if your app needs to - perform some synchronous operation, for example to load a file from - the network. It might be wrong to run the main loop before that - finishes (the original code assumes that), so you can break the - code up into asynchronous callbacks, but you must pause the main - loop until they complete. - - Note: These are fairly low-level functions. - "emscripten_push_main_loop_blocker()" (and friends) provide more - convenient alternatives. - -void emscripten_cancel_main_loop(void) - - Cancels the main event loop. - - See also "emscripten_set_main_loop()" and - "emscripten_set_main_loop_arg()" for information about setting and - using the main loop. - -int emscripten_set_main_loop_timing(int mode, int value) - - Specifies the scheduling mode that the current main loop tick - function will be called with. - - This function can be used to interactively control the rate at - which Emscripten runtime drives the main loop specified by - calling the function "emscripten_set_main_loop()". In native - development, this corresponds with the "swap interval" or the - "presentation interval" for 3D rendering. The new tick interval - specified by this function takes effect immediately on the - existing main loop, and this function must be called only after - setting up a main loop via "emscripten_set_main_loop()". - - Parameters: - * **mode** (*int*) -- - - The timing mode to use. Allowed values are - EM_TIMING_SETTIMEOUT, EM_TIMING_RAF and - EM_TIMING_SETIMMEDIATE. - - param int value: - The timing value to activate for the main loop. This value - interpreted differently according to the "mode" parameter: - - * If "mode" is EM_TIMING_SETTIMEOUT, then "value" - specifies the number of milliseconds to wait between - subsequent ticks to the main loop and updates occur - independent of the vsync rate of the display (vsync off). - This method uses the JavaScript "setTimeout" function to - drive the animation. - - * If "mode" is EM_TIMING_RAF, then updates are performed - using the "requestAnimationFrame" function (with vsync - enabled), and this value is interpreted as a "swap - interval" rate for the main loop. The value of "1" - specifies the runtime that it should render at every - vsync (typically 60fps), whereas the value "2" means that - the main loop callback should be called only every second - vsync (30fps). As a general formula, the value "n" means - that the main loop is updated at every n'th vsync, or at - a rate of "60/n" for 60Hz displays, and "120/n" for 120Hz - displays. - - * If "mode" is EM_TIMING_SETIMMEDIATE, then updates are - performed using the "setImmediate" function, or if not - available, emulated via "postMessage". See *setImmediate - on MDN * for more - information. Note that this mode is **strongly not - recommended** to be used when deploying Emscripten output - to the web, since it depends on an unstable web extension - that is in draft status, browsers other than IE do not - currently support it, and its implementation has been - considered controversial in review. - - rtype: - int - - return: - The value 0 is returned on success, and a nonzero value is - returned on failure. A failure occurs if there is no main - loop active before calling this function. - - Note: Browsers heavily optimize towards using - "requestAnimationFrame" for animation instead of the other - provided modes. Because of that, for best experience across - browsers, calling this function with "mode=EM_TIMING_RAF" - and "value=1" will yield best results. Using the JavaScript - "setTimeout" function is known to cause stutter and - generally worse experience than using the - "requestAnimationFrame" function. - - Note: There is a functional difference between "setTimeout" - and "requestAnimationFrame": If the user minimizes the - browser window or hides your application tab, browsers will - typically stop calling "requestAnimationFrame" callbacks, - but "setTimeout"-based main loop will continue to be run, - although with heavily throttled intervals. See *setTimeout - on MDN * for - more information. - -void emscripten_get_main_loop_timing(int *mode, int *value) - - Returns the current main loop timing mode that is in effect. For - interpretation of the values, see the documentation of the - function "emscripten_set_main_loop_timing()". The timing mode is - controlled by calling the functions - "emscripten_set_main_loop_timing()" and - "emscripten_set_main_loop()". - - Parameters: - * **mode** (*int**) -- If not null, the used timing mode is - returned here. - - * **value** (*int**) -- If not null, the used timing value is - returned here. - -void emscripten_set_main_loop_expected_blockers(int num) - - Sets the number of blockers that are about to be pushed. - - The number is used for reporting the *relative progress* through a - set of blockers, after which the main loop will continue. - - For example, a game might have to run 10 blockers before starting a - new level. The operation would first set this value as '10' and - then push the 10 blockers. When the 3^rd blocker (say) completes, - progress is displayed as 3/10. - - Parameters: - * **num** (*int*) -- The number of blockers that are about to - be pushed. - -void emscripten_async_call(em_arg_callback_func func, void *arg, int millis) - - Call a C function asynchronously, that is, after returning control - to the JavaScript event loop. - - This is done by a "setTimeout". - - When building natively this becomes a simple direct call, after - "SDL_Delay" (you must include **SDL.h** for that). - - If "millis" is negative, the browser's "requestAnimationFrame" - mechanism is used. - - Parameters: - * **func** (*em_arg_callback_func*) -- The C function to call - asynchronously. The function signature must have a "void*" - parameter for passing the "arg" value. - - * **arg** (*void**) -- User-defined argument to pass to the C - function. - - * **millis** (*int*) -- Timeout before function is called. - -void emscripten_exit_with_live_runtime(void) - - Exits the program immediately, but leaves the runtime alive so that - you can continue to run code later (so global destructors etc., are - not run). Note that the runtime is kept alive automatically when - you do an asynchronous operation like "emscripten_async_call()", so - you don't need to call this function for those cases. - -void emscripten_force_exit(int status) - - Shuts down the runtime and exits (terminates) the program, as if - you called "exit()". - - The difference is that "emscripten_force_exit" will shut down the - runtime even if you previously called - "emscripten_exit_with_live_runtime()" or otherwise kept the runtime - alive. In other words, this method gives you the option to - completely shut down the runtime after it was kept alive beyond the - completion of "main()". - - Parameters: - * **status** (*int*) -- The same as for the *libc* function - exit(). - -double emscripten_get_device_pixel_ratio(void) - - Returns the value of "window.devicePixelRatio". - - Return type: - double - - Returns: - The pixel ratio or 1.0 if not supported. - -void emscripten_set_canvas_size(int width, int height) - - Resizes the pixel width and height of the "" element on the - Emscripten web page. - - Parameters: - * **width** (*int*) -- New pixel width of canvas element. - - * **height** (*int*) -- New pixel height of canvas element. - -void emscripten_get_canvas_size(int * width, int * height, int * isFullscreen) - - Gets the current pixel width and height of the "" element - as well as whether the canvas is fullscreen or not. - - Parameters: - * **width** (*int**) -- Pixel width of canvas element. - - * **height** (*int**) -- New pixel height of canvas element. - - * **isFullscreen** (*int**) -- If True ("*int > 0"), - "" is full screen. - -double emscripten_get_now(void) - - Returns the highest-precision representation of the current time - that the browser provides. - - This uses either "Date.now" or "performance.now". The result is not - an absolute time, and is only meaningful in comparison to other - calls to this function. - - Return type: - double - - Returns: - The current time, in milliseconds (ms). - -float emscripten_random(void) - - Generates a random number in the range 0-1. This maps to - "Math.random()". - - Return type: - float - - Returns: - A random number. - - -Emscripten Asynchronous File System API -======================================= - - -Typedefs --------- - -em_async_wget_onload_func - - Function pointer type for the "onload" callback of - "emscripten_async_wget_data()" (specific values of the parameters - documented in that method). - - Defined as: - - typedef void (*em_async_wget_onload_func)(void*, void*, int) - -em_async_wget2_onload_func - - Function pointer type for the "onload" callback of - "emscripten_async_wget2()" (specific values of the parameters - documented in that method). - - Defined as: - - typedef void (*em_async_wget2_onload_func)(void*, const char*) - -em_async_wget2_onstatus_func - - Function pointer type for the "onerror" and "onprogress" callbacks - of "emscripten_async_wget2()" (specific values of the parameters - documented in that method). - - Defined as: - - typedef void (*em_async_wget2_onstatus_func)(void*, int) - -em_async_wget2_data_onload_func - - Function pointer type for the "onload" callback of - "emscripten_async_wget2_data()" (specific values of the parameters - documented in that method). - - Defined as: - - typedef void (*em_async_wget2_data_onload_func)(void*, void *, unsigned*) - -em_async_wget2_data_onerror_func - - Function pointer type for the "onerror" callback of - "emscripten_async_wget2_data()" (specific values of the parameters - documented in that method). - - Defined as: - - typedef void (*em_async_wget2_data_onerror_func)(void*, int, const char*) - -em_async_wget2_data_onprogress_func - - Function pointer type for the "onprogress" callback of - "emscripten_async_wget2_data()" (specific values of the parameters - documented in that method). - - Defined as: - - typedef void (*em_async_wget2_data_onprogress_func)(void*, int, int) - -em_async_prepare_data_onload_func - - Function pointer type for the "onload" callback of - "emscripten_async_prepare_data()" (specific values of the - parameters documented in that method). - - Defined as: - - typedef void (*em_async_prepare_data_onload_func)(void*, const char*) - - -Functions ---------- - -void emscripten_wget(const char* url, const char* file) - - Load file from url in *synchronously*. For the asynchronous - version, see the "emscripten_async_wget()". - - In addition to fetching the URL from the network, the contents are - prepared so that the data is usable in "IMG_Load" and so forth (we - synchronously do the work to make the browser decode the image or - audio etc.). - - This function is blocking; it won't return until all operations are - finished. You can then open and read the file if it succeeded. - - To use this function, you will need to compile your application - with the linker flag "-s ASYNCIFY=1" - - Parameters: - * **char* url** (*const*) -- The URL to load. - - * **char* file** (*const*) -- The name of the file created and - loaded from the URL. If the file already exists it will be - overwritten. - -void emscripten_async_wget(const char* url, const char* file, em_str_callback_func onload, em_str_callback_func onerror) - - Loads a file from a URL asynchronously. - - In addition to fetching the URL from the network, the contents are - prepared so that the data is usable in "IMG_Load" and so forth (we - asynchronously do the work to make the browser decode the image or - audio etc.). - - When the file is ready the "onload" callback will be called. If any - error occurs "onerror" will be called. The callbacks are called - with the file as their argument. - - Parameters: - * **char* url** (*const*) -- The URL to load. - - * **char* file** (*const*) -- The name of the file created and - loaded from the URL. If the file already exists it will be - overwritten. - - * **onload** (*em_str_callback_func*) -- - - Callback on successful load of the file. The callback function - parameter value is: - - * *(const char*)* : The name of the "file" that was loaded - from the URL. - - * **onerror** (*em_str_callback_func*) -- - - Callback in the event of failure. The callback function - parameter value is: - - * *(const char*)* : The name of the "file" that failed to - load from the URL. - -void emscripten_async_wget_data(const char* url, void *arg, em_async_wget_onload_func onload, em_arg_callback_func onerror) - - Loads a buffer from a URL asynchronously. - - This is the "data" version of "emscripten_async_wget()". - - Instead of writing to a file, this function writes to a buffer - directly in memory. This avoids the overhead of using the emulated - file system; note however that since files are not used, it cannot - do the 'prepare' stage to set things up for "IMG_Load" and so forth - ("IMG_Load" etc. work on files). - - When the file is ready then the "onload" callback will be called. - If any error occurred "onerror" will be called. - - Parameters: - * **url** (*const char**) -- The URL of the file to load. - - * **arg** (*void**) -- User-defined data that is passed to the - callbacks, untouched by the API itself. This may be used by a - callback to identify the associated call. - - * **onload** (*em_async_wget_onload_func*) -- - - Callback on successful load of the URL into the buffer. The - callback function parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * *(void*)* : A pointer to a buffer with the data. Note - that, as with the worker API, the data buffer only lives - during the callback; it must be used or copied during that - time. - - * *(int)* : The size of the buffer, in bytes. - - * **onerror** (*em_arg_callback_func*) -- - - Callback in the event of failure. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - -int emscripten_async_wget2(const char* url, const char* file, const char* requesttype, const char* param, void *arg, em_async_wget2_onload_func onload, em_async_wget2_onstatus_func onerror, em_async_wget2_onstatus_func onprogress) - - Loads a file from a URL asynchronously. - - This is an **experimental** "more feature-complete" version of - "emscripten_async_wget()". - - In addition to fetching the URL from the network, the contents are - prepared so that the data is usable in "IMG_Load" and so forth (we - asynchronously do the work to make the browser decode the image, - audio, etc.). - - When the file is ready the "onload" callback will be called with - the object pointers given in "arg" and "file". During the download - the "onprogress" callback is called. - - Parameters: - * **url** (*const char**) -- The URL of the file to load. - - * **file** (*const char**) -- The name of the file created and - loaded from the URL. If the file already exists it will be - overwritten. - - * **requesttype** (*const char**) -- 'GET' or 'POST'. - - * **param** (*const char**) -- Request parameters for POST - requests (see "requesttype"). The parameters are specified in - the same way as they would be in the URL for an equivalent GET - request: e.g. "key=value&key2=value2". - - * **arg** (*void**) -- User-defined data that is passed to the - callbacks, untouched by the API itself. This may be used by a - callback to identify the associated call. - - * **onload** (*em_async_wget2_onload_func*) -- - - Callback on successful load of the file. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * *(const char*)* : The "file" passed to the original call. - - * **onerror** (*em_async_wget2_onstatus_func*) -- - - Callback in the event of failure. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * *(int)* : The HTTP status code. - - * **onprogress** (*em_async_wget2_onstatus_func*) -- - - Callback during load of the file. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * *(int)* : The progress (percentage completed). - - Returns: - A handle to request ("int") that can be used to "abort" the - request. - -int emscripten_async_wget2_data(const char* url, const char* requesttype, const char* param, void *arg, int free, em_async_wget2_data_onload_func onload, em_async_wget2_data_onerror_func onerror, em_async_wget2_data_onprogress_func onprogress) - - Loads a buffer from a URL asynchronously. - - This is the "data" version of "emscripten_async_wget2()". It is an - **experimental** "more feature complete" version of - "emscripten_async_wget_data()". - - Instead of writing to a file, this function writes to a buffer - directly in memory. This avoids the overhead of using the emulated - file system; note however that since files are not used, it cannot - do the 'prepare' stage to set things up for "IMG_Load" and so forth - ("IMG_Load" etc. work on files). - - In addition to fetching the URL from the network, the contents are - prepared so that the data is usable in "IMG_Load" and so forth (we - asynchronously do the work to make the browser decode the image or - audio etc.). - - When the file is ready the "onload" callback will be called with - the object pointers given in "arg", a pointer to the buffer in - memory, and an unsigned integer containing the size of the buffer. - During the download the "onprogress" callback is called with - progress information. If an error occurs, "onerror" will be called - with the HTTP status code and a string containing the status - description. - - Parameters: - * **url** (*const char**) -- The URL of the file to load. - - * **requesttype** (*const char**) -- 'GET' or 'POST'. - - * **param** (*const char**) -- Request parameters for POST - requests (see "requesttype"). The parameters are specified in - the same way as they would be in the URL for an equivalent GET - request: e.g. "key=value&key2=value2". - - * **arg** (*void**) -- User-defined data that is passed to the - callbacks, untouched by the API itself. This may be used by a - callback to identify the associated call. - - * **free** (*int*) -- Tells the runtime whether to free - the returned buffer after "onload" is complete. If "false" - freeing the buffer is the receiver's responsibility. - - * **onload** (*em_async_wget2_data_onload_func*) -- - - Callback on successful load of the file. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * *(void*)* : A pointer to the buffer in memory. - - * *(unsigned)* : The size of the buffer (in bytes). - - * **onerror** (*em_async_wget2_data_onerror_func*) -- - - Callback in the event of failure. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * *(int)* : The HTTP error code. - - * *(const char*)* : A string with the status description. - - * **onprogress** (*em_async_wget2_data_onprogress_func*) -- - - Callback called (regularly) during load of the file to update - progress. The callback function parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * *(int)* : The number of bytes loaded. - - * *(int)* : The total size of the data in bytes, or zero if - the size is unavailable. - - Returns: - A handle to request ("int") that can be used to "abort" the - request. - -emscripten_async_wget2_abort(int handle) - - Abort an asynchronous request raised using - "emscripten_async_wget2()" or "emscripten_async_wget2_data()". - - Parameters: - * **handle** (*int*) -- A handle to request to be aborted. - -void emscripten_async_prepare_data(char* data, int size, const char *suffix, void *arg, em_async_prepare_data_onload_func onload, em_arg_callback_func onerror) - - Prepares a buffer of data asynchronously. This is a "data" version - of "emscripten_async_prepare()", which receives raw data as input - instead of a filename (this can prevent the need to write data to a - file first). - - When file is loaded then the "onload" callback will be called. If - any error occurs "onerror" will be called. - - "onload" also receives a second parameter, which is a 'fake' - filename which you can pass into "IMG_Load" (it is not an actual - file, but it identifies this image for "IMG_Load" to be able to - process it). Note that the user of this API is responsible for - "free()" ing the memory allocated for the fake filename. - - Parameters: - * **data** (*char**) -- The buffer of data to prepare. - - * **suffix** (*const char**) -- The file suffix, e.g. 'png' or - 'jpg'. - - * **arg** (*void**) -- User-defined data that is passed to the - callbacks, untouched by the API itself. This may be used by a - callback to identify the associated call. - - * **onload** (*em_async_prepare_data_onload_func*) -- - - Callback on successful preparation of the file. The callback - function parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * *(const char*)* : A 'fake' filename which you can pass - into "IMG_Load". See above for more information. - - * **onerror** (*em_arg_callback_func*) -- - - Callback in the event of failure. The callback function - parameter value is: - - * *(void*)* : Equal to "arg" (user defined data). - - -Emscripten Asynchronous IndexedDB API -===================================== - - IndexedDB is a browser API that lets you store data persistently, - that is, you can save data there and load it later when the user - re-visits the web page. IDBFS provides one way to use IndexedDB, - through the Emscripten filesystem layer. The "emscripten_idb_*" - methods listed here provide an alternative API, directly to - IndexedDB, thereby avoiding the overhead of the filesystem layer. - -void emscripten_idb_async_load(const char *db_name, const char *file_id, void* arg, em_async_wget_onload_func onload, em_arg_callback_func onerror) - - Loads data from local IndexedDB storage asynchronously. This allows - use of persistent data, without the overhead of the filesystem - layer. - - When the data is ready then the "onload" callback will be called. - If any error occurred "onerror" will be called. - - Parameters: - * **db_name** -- The IndexedDB database from which to load. - - * **file_id** -- The identifier of the data to load. - - * **arg** (*void**) -- User-defined data that is passed to the - callbacks, untouched by the API itself. This may be used by a - callback to identify the associated call. - - * **onload** (*em_async_wget_onload_func*) -- - - Callback on successful load of the URL into the buffer. The - callback function parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * *(void*)* : A pointer to a buffer with the data. Note - that, as with the worker API, the data buffer only lives - during the callback; it must be used or copied during that - time. - - * *(int)* : The size of the buffer, in bytes. - - * **onerror** (*em_arg_callback_func*) -- - - Callback in the event of failure. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - -void emscripten_idb_async_store(const char *db_name, const char *file_id, void* ptr, int num, void* arg, em_arg_callback_func onstore, em_arg_callback_func onerror); - - Stores data to local IndexedDB storage asynchronously. This allows - use of persistent data, without the overhead of the filesystem - layer. - - When the data has been stored then the "onstore" callback will be - called. If any error occurred "onerror" will be called. - - Parameters: - * **db_name** -- The IndexedDB database from which to load. - - * **file_id** -- The identifier of the data to load. - - * **ptr** -- A pointer to the data to store. - - * **num** -- How many bytes to store. - - * **arg** (*void**) -- User-defined data that is passed to the - callbacks, untouched by the API itself. This may be used by a - callback to identify the associated call. - - * **onload** (*em_arg_callback_func*) -- - - Callback on successful load of the URL into the buffer. The - callback function parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - - * **onerror** (*em_arg_callback_func*) -- - - Callback in the event of failure. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - -void emscripten_idb_async_delete(const char *db_name, const char *file_id, void* arg, em_arg_callback_func ondelete, em_arg_callback_func onerror) - - Deletes data from local IndexedDB storage asynchronously. - - When the data has been deleted then the "ondelete" callback will be - called. If any error occurred "onerror" will be called. - - Parameters: - * **db_name** -- The IndexedDB database. - - * **file_id** -- The identifier of the data. - - * **arg** (*void**) -- User-defined data that is passed to the - callbacks, untouched by the API itself. This may be used by a - callback to identify the associated call. - - * **ondelete** (*em_arg_callback_func*) -- - - Callback on successful delete - - * *(void*)* : Equal to "arg" (user defined data). - - * **onerror** (*em_arg_callback_func*) -- - - Callback in the event of failure. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - -void emscripten_idb_async_exists(const char *db_name, const char *file_id, void* arg, em_idb_exists_func oncheck, em_arg_callback_func onerror) - - Checks if data with a certain ID exists in the local IndexedDB - storage asynchronously. - - When the data has been checked then the "oncheck" callback will be - called. If any error occurred "onerror" will be called. - - Parameters: - * **db_name** -- The IndexedDB database. - - * **file_id** -- The identifier of the data. - - * **arg** (*void**) -- User-defined data that is passed to the - callbacks, untouched by the API itself. This may be used by a - callback to identify the associated call. - - * **oncheck** (*em_idb_exists_func*) -- - - Callback on successful check, with arguments - - * *(void*)* : Equal to "arg" (user defined data). - - * *int* : Whether the file exists or not. - - * **onerror** (*em_arg_callback_func*) -- - - Callback in the event of failure. The callback function - parameter values are: - - * *(void*)* : Equal to "arg" (user defined data). - -int emscripten_async_prepare(const char* file, em_str_callback_func onload, em_str_callback_func onerror) - - Prepares a file asynchronously. - - This does just the preparation part of "emscripten_async_wget()". - That is, it works on file data already present and performs any - required asynchronous operations (for example, decoding images for - use in "IMG_Load", decoding audio for use in "Mix_LoadWAV", etc.). - - Once the operations are complete (the file is prepared), the - "onload" callback will be called. If any error occurs "onerror" - will be called. The callbacks are called with the file as their - argument. - - Parameters: - * **file** (*const char**) -- The name of the file to prepare. - - * **onload** (*em_str_callback_func*) -- - - Callback on successful preparation of the file. The callback - function parameter value is: - - * *(const char*)* : The name of the "file" that was - prepared. - - * **onerror** (*em_str_callback_func*) -- - - Callback in the event of failure. The callback function - parameter value is: - - * *(const char*)* : The name of the "file" for which the - prepare failed. - - Returns: - 0 if successful, -1 if the file does not exist - - Return type: - int - - -Compiling -========= - -EMSCRIPTEN_KEEPALIVE - - Forces LLVM to not dead-code-eliminate a function. - - This also exports the function, as if you added it to - EXPORTED_FUNCTIONS. - - For example: - - void EMSCRIPTEN_KEEPALIVE my_function() { printf("I am being kept alive\n"); } - - -Worker API -========== - - -Typedefs --------- - -int worker_handle - - A wrapper around web workers that lets you create workers and - communicate with them. - - Note that the current API is mainly focused on a main thread that - sends jobs to workers and waits for responses, i.e., in an - asymmetrical manner, there is no current API to send a message - without being asked for it from a worker to the main thread. - -em_worker_callback_func - - Function pointer type for the callback from - "emscripten_call_worker()" (specific values of the parameters - documented in that method). - - Defined as: - - typedef void (*em_worker_callback_func)(char*, int, void*) - - -Functions ---------- - -worker_handle emscripten_create_worker(const char * url) - - Creates a worker. - - A worker must be compiled separately from the main program, and - with the "BUILD_AS_WORKER" flag set to 1. - - Parameters: - * **url** (*const char**) -- The URL of the worker script. - - Returns: - A handle to the newly created worker. - - Return type: - worker_handle - -void emscripten_destroy_worker(worker_handle worker) - - Destroys a worker. See "emscripten_create_worker()" - - Parameters: - * **worker** (*worker_handle*) -- A handle to the worker to be - destroyed. - -void emscripten_call_worker(worker_handle worker, const char *funcname, char *data, int size, em_worker_callback_func callback, void *arg) - - Asynchronously calls a worker. - - The worker function will be called with two parameters: a data - pointer, and a size. The data block defined by the pointer and size - exists only during the callback: **it cannot be relied upon - afterwards**. If you need to keep some of that information outside - the callback, then it needs to be copied to a safe location. - - The called worker function can return data, by calling - "emscripten_worker_respond()". When the worker is called, if a - callback was given it will be called with three arguments: a data - pointer, a size, and an argument that was provided when calling - "emscripten_call_worker()" (to more easily associate callbacks to - calls). The data block defined by the data pointer and size behave - like the data block in the worker function — it exists only during - the callback. - - Parameters: - * **worker** (*worker_handle*) -- A handle to the worker to be - called. - - * **funcname** (*const char**) -- The name of the function in - the worker. The function must be a C function (so no C++ name - mangling), and must be exported (EXPORTED_FUNCTIONS). - - * **data** (*char**) -- The address of a block of memory to - copy over. - - * **size** (*int*) -- The size of the block of memory. - - * **callback** (*em_worker_callback_func*) -- - - Worker callback with the response. This can be "null". The - callback function parameter values are: - - * *(char*)* : The "data" pointer provided in - "emscripten_call_worker()". - - * *(int)* : The "size" of the block of data. - - * *(void*)* : Equal to "arg" (user defined data). - - * **arg** (*void**) -- An argument (user data) to be passed to - the callback - -void emscripten_worker_respond(char *data, int size) -void emscripten_worker_respond_provisionally(char *data, int size) - - Sends a response when in a worker call (that is, when called by the - main thread using "emscripten_call_worker()"). - - Both functions post a message back to the thread which called the - worker. The "emscripten_worker_respond_provisionally()" variant can - be invoked multiple times, which will queue up messages to be - posted to the worker’s creator. Eventually, the _respond variant - must be invoked, which will disallow further messages and free - framework resources previously allocated for this worker call. - - Note: Calling the provisional version is optional, but you must - call the non-provisional version to avoid leaks. - - Parameters: - * **data** (*char**) -- The message to be posted. - - * **size** (*int*) -- The size of the message, in bytes. - -int emscripten_get_worker_queue_size(worker_handle worker) - - Checks how many responses are being waited for from a worker. - - This only counts calls to "emscripten_call_worker()" that had a - callback (calls with null callbacks are ignored), and where the - response has not yet been received. It is a simple way to check on - the status of the worker to see how busy it is, and do basic - decisions about throttling. - - Parameters: - * **worker** (*worker_handle*) -- The handle to the relevant - worker. - - Returns: - The number of responses waited on from a worker. - - Return type: - int - - -Logging utilities -================= - - -Defines -------- - -EM_LOG_CONSOLE - - If specified, logs directly to the browser console/inspector - window. If not specified, logs via the application Module. - -EM_LOG_WARN - - If specified, prints a warning message. - -EM_LOG_ERROR - - If specified, prints an error message. If neither "EM_LOG_WARN" or - "EM_LOG_ERROR" is specified, an info message is printed. - "EM_LOG_WARN" and "EM_LOG_ERROR" are mutually exclusive. - -EM_LOG_C_STACK - - If specified, prints a call stack that contains file names - referring to original C sources using source map information. - -EM_LOG_JS_STACK - - If specified, prints a call stack that contains file names - referring to lines in the built .js/.html file along with the - message. The flags "EM_LOG_C_STACK" and "EM_LOG_JS_STACK" can be - combined to output both untranslated and translated file and line - information. - -EM_LOG_DEMANGLE - - If specified, C/C++ function names are de-mangled before printing. - Otherwise, the mangled post-compilation JavaScript function names - are displayed. - -EM_LOG_NO_PATHS - - If specified, the pathnames of the file information in the call - stack will be omitted. - -EM_LOG_FUNC_PARAMS - - If specified, prints out the actual values of the parameters the - functions were invoked with. - - -Functions ---------- - -int emscripten_get_compiler_setting(const char *name) - - Returns the value of a compiler setting. - - For example, to return the integer representing the value of - "PRECISE_F32" during compilation: - - emscripten_get_compiler_setting("PRECISE_F32") - - For values containing anything other than an integer, a string is - returned (you will need to cast the "int" return value to a - "char*"). - - Some useful things this can do is provide the version of Emscripten - (“EMSCRIPTEN_VERSION”), the optimization level (“OPT_LEVEL”), debug - level (“DEBUG_LEVEL”), etc. - - For this command to work, you must build with the following - compiler option (as we do not want to increase the build size with - this metadata): - - -s RETAIN_COMPILER_SETTINGS=1 - - Parameters: - * **name** (*const char**) -- The compiler setting to return. - - Returns: - The value of the specified setting. Note that for values other - than an integer, a string is returned (cast the "int" return - value to a "char*"). - - Return type: - int - -void emscripten_debugger() - - Emits "debugger". - - This is inline in the code, which tells the JavaScript engine to - invoke the debugger if it gets there. - -void emscripten_log(int flags, ...) - - Prints out a message to the console, optionally with the callstack - information. - - Parameters: - * **flags** (*int*) -- A binary OR of items from the list of - "EM_LOG_xxx" flags that specify printing options. - - * **...** -- A "printf"-style "format, ..." parameter list - that is parsed according to the "printf" formatting rules. - -int emscripten_get_callstack(int flags, char *out, int maxbytes) - - Programmatically obtains the current callstack. - - To query the amount of bytes needed for a callstack without writing - it, pass 0 to "out" and "maxbytes", in which case the function will - return the number of bytes (including the terminating zero) that - will be needed to hold the full callstack. Note that this might be - fully accurate since subsequent calls will carry different line - numbers, so it is best to allocate a few bytes extra to be safe. - - Parameters: - * **flags** (*int*) -- A binary OR of items from the list of - "EM_LOG_xxx" flags that specify printing options. The flags - "EM_LOG_CONSOLE", "EM_LOG_WARN" and "EM_LOG_ERROR" do not - apply in this function and are ignored. - - * **out** (*char**) -- A pointer to a memory region where the - callstack string will be written to. The string outputted by - this function will always be null-terminated. - - * **maxbytes** (*int*) -- The maximum number of bytes that - this function can write to the memory pointed to by "out". If - there is not enough space, the output will be truncated (but - always null-terminated). - - Returns: - The number of bytes written (not number of characters, so this - will also include the terminating zero). - - Return type: - int - -char *emscripten_get_preloaded_image_data(const char *path, int *w, int *h) - - Gets preloaded image data and the size of the image. - - The function returns pointer to loaded image or NULL — the pointer - should be "free()"'d. The width/height of the image are written to - the "w" and "h" parameters if the data is valid. - - Parameters: - * **path** -- Full path/filename to the file containing the - preloaded image. - - * **w** (*int**) -- Width of the image (if data is valid). - - * **h** (*int**) -- Height of the image (if data is valid). - - Type: - const char* - - Returns: - A pointer to the preloaded image or NULL. - - Return type: - char* - -char *emscripten_get_preloaded_image_data_from_FILE(FILE *file, int *w, int *h) - - Gets preloaded image data from a C "FILE*". - - Parameters: - * **file** (*FILE**) -- The "FILE" containing the preloaded - image. - - * **w** (*int**) -- Width of the image (if data is valid). - - * **h** (*int**) -- Height of the image (if data is valid). - - Type: - const char* - - Returns: - A pointer to the preloaded image or NULL. - - Return type: - char* - -int emscripten_print_double(double x, char *to, signed max) - - Prints a double as a string, including a null terminator. This is - useful because JS engines have good support for printing out a - double in a way that takes the least possible size, but preserves - all the information in the double, i.e., it can then be parsed back - in a perfectly reversible manner (snprintf etc. do not do so, - sadly). - - Parameters: - * **x** (*double*) -- The double. - - * **to** (*char**) -- A pre-allocated buffer of sufficient - size, or NULL if no output is requested (useful to get the - necessary size). - - * **max** (*signed*) -- The maximum number of characters to - write - - Return type: - The number of necessary bytes, not including the null terminator - (actually written, if "to" is not NULL). - - -Socket event registration -========================= - -The functions in this section register callback functions for -receiving socket events. These events are analogous to WebSocket -events but are emitted *after* the internal Emscripten socket -processing has occurred. This means, for example, that the message -callback will be triggered after the data has been added to the -*recv_queue*, so that an application receiving this callback can -simply read the data using the file descriptor passed as a parameter -to the callback. All of the callbacks are passed a file descriptor -("fd") representing the socket that the notified activity took place -on. The error callback also takes an "int" representing the socket -error number ("errno") and a "char*" that represents the error message -("msg"). - -Only a single callback function may be registered to handle any given -event, so calling a given registration function more than once will -cause the first callback to be replaced. Similarly, passing a "NULL" -callback function to any "emscripten_set_socket_*_callback" call will -de-register the callback registered for that event. - -The "userData" pointer allows arbitrary data specified during event -registration to be passed to the callback, this is particularly useful -for passing "this" pointers around in Object Oriented code. - -In addition to being able to register network callbacks from C it is -also possible for native JavaScript code to directly use the -underlying mechanism used to implement the callback registration. For -example, the following code shows simple logging callbacks that are -registered by default when "SOCKET_DEBUG" is enabled: - - Module['websocket']['on']('error', function(error) {console.log('Socket error ' + error);}); - Module['websocket']['on']('open', function(fd) {console.log('Socket open fd = ' + fd);}); - Module['websocket']['on']('listen', function(fd) {console.log('Socket listen fd = ' + fd);}); - Module['websocket']['on']('connection', function(fd) {console.log('Socket connection fd = ' + fd);}); - Module['websocket']['on']('message', function(fd) {console.log('Socket message fd = ' + fd);}); - Module['websocket']['on']('close', function(fd) {console.log('Socket close fd = ' + fd);}); - -Most of the JavaScript callback functions above get passed the file -descriptor of the socket that triggered the callback, the on error -callback however gets passed an *array* that contains the file -descriptor, the error code and an error message. - -Note: The underlying JavaScript implementation doesn't pass - "userData". This is mostly of use to C/C++ code and the - "emscripten_set_socket_*_callback" calls simply create a closure - containing the "userData" and pass that as the callback to the - underlying JavaScript event registration mechanism. - - -Callback functions ------------------- - -em_socket_callback - - Function pointer for "emscripten_set_socket_open_callback()", and - the other socket functions (except - "emscripten_set_socket_error_callback()"). This is defined as: - - typedef void (*em_socket_callback)(int fd, void *userData); - - Parameters: - * **fd** (*int*) -- The file descriptor of the socket that - triggered the callback. - - * **userData** (*void**) -- The "userData" originally passed - to the event registration function. - -em_socket_error_callback - - Function pointer for the "emscripten_set_socket_error_callback()", - defined as: - - typedef void (*em_socket_error_callback)(int fd, int err, const char* msg, void *userData); - - Parameters: - * **fd** (*int*) -- The file descriptor of the socket that - triggered the callback. - - * **err** (*int*) -- The code for the error that occurred. - - * **msg** (*int*) -- The message for the error that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the event registration function. - - -Functions ---------- - -void emscripten_set_socket_error_callback(void *userData, em_socket_error_callback callback) - - Triggered by a "WebSocket" error. - - See Socket event registration for more information. - - Parameters: - * **userData** (*void**) -- Arbitrary user data to be passed - to the callback. - - * **callback** (*em_socket_error_callback*) -- Pointer to a - callback function. The callback returns a file descriptor, - error code and message, and the arbitrary "userData" passed to - this function. - -void emscripten_set_socket_open_callback(void *userData, em_socket_callback callback) - - Triggered when the "WebSocket" has opened. - - See Socket event registration for more information. - - Parameters: - * **userData** (*void**) -- Arbitrary user data to be passed - to the callback. - - * **callback** (*em_socket_callback*) -- Pointer to a callback - function. The callback returns a file descriptor and the - arbitrary "userData" passed to this function. - -void emscripten_set_socket_listen_callback(void *userData, em_socket_callback callback) - - Triggered when "listen" has been called (synthetic event). - - See Socket event registration for more information. - - Parameters: - * **userData** (*void**) -- Arbitrary user data to be passed - to the callback. - - * **callback** (*em_socket_callback*) -- Pointer to a callback - function. The callback returns a file descriptor and the - arbitrary "userData" passed to this function. - -void emscripten_set_socket_connection_callback(void *userData, em_socket_callback callback) - - Triggered when the connection has been established. - - See Socket event registration for more information. - - Parameters: - * **userData** (*void**) -- Arbitrary user data to be passed - to the callback. - - * **callback** (*em_socket_callback*) -- Pointer to a callback - function. The callback returns a file descriptor and the - arbitrary "userData" passed to this function. - -void emscripten_set_socket_message_callback(void *userData, em_socket_callback callback) - - Triggered when data is available to be read from the socket. - - See Socket event registration for more information. - - Parameters: - * **userData** (*void**) -- Arbitrary user data to be passed - to the callback. - - * **callback** (*em_socket_callback*) -- Pointer to a callback - function. The callback returns a file descriptor and the - arbitrary "userData" passed to this function. - -void emscripten_set_socket_close_callback(void *userData, em_socket_callback callback) - - Triggered when the "WebSocket" has closed. - - See Socket event registration for more information. - - Parameters: - * **userData** (*void**) -- Arbitrary user data to be passed - to the callback. - - * **callback** (*em_socket_callback*) -- Pointer to a callback - function. The callback returns a file descriptor and the - arbitrary "userData" passed to this function. - - -Unaligned types -=============== - - -Typedefs --------- - -emscripten_align1_short -emscripten_align2_int -emscripten_align1_int -emscripten_align2_float -emscripten_align1_float -emscripten_align4_double -emscripten_align2_double -emscripten_align1_double - - Unaligned types. These may be used to force LLVM to emit unaligned - loads/stores in places in your code where SAFE_HEAP found an - unaligned operation. - - For usage examples see tests/core/test_set_align.c. - - Note: It is better to avoid unaligned operations, but if you are - reading from a packed stream of bytes or such, these types may be - useful! - - -Emterpreter-Async functions -=========================== - -Emterpreter-async functions are asynchronous functions that appear -synchronously in C, the linker flags "-s EMTERPRETIFY -s -EMTERPRETIFY_ASYNC=1" are required to use these functions. See -Emterpreter for more details. - - -Sleeping --------- - -void emscripten_sleep(unsigned int ms) - - Sleep for *ms* milliseconds. This is a normal "synchronous" sleep, - which blocks all other operations while it runs. In other words, if - there are other async events waiting to happen, they will not - happen during this sleep, which makes sense as conceptually this - code is on the stack (that's how it looks in the C source code). If - you do want things to happen while sleeping, see - "emscripten_sleep_with_yield". - -void emscripten_sleep_with_yield(unsigned int ms) - - Sleep for *ms* milliseconds, while allowing other asynchronous - operations, e.g. caused by "emscripten_async_call", to run - normally, during this sleep. Note that this method **does** still - block the main loop, as otherwise it could recurse, if you are - calling this method from it. Even so, you should use this method - carefully: the order of execution is potentially very confusing - this way. - - -Network -------- - -void emscripten_wget_data(const char* url, void** pbuffer, int* pnum, int *perror); - - Synchronously fetches data off the network, and stores it to a - buffer in memory, which is allocated for you. **You must free the - buffer, or it will leak!** - - Parameters: - * **url** -- The URL to fetch from - - * **pbuffer** -- An out parameter that will be filled with a - pointer to a buffer containing the data that is downloaded. - This space has been malloced for you, **and you must free it, - or it will leak!** - - * **pnum** -- An out parameter that will be filled with the - size of the downloaded data. - - * **perror** -- An out parameter that will be filled with a - non- zero value if an error occurred. - - -IndexedDB ---------- - -void emscripten_idb_load(const char *db_name, const char *file_id, void** pbuffer, int* pnum, int *perror); - - Synchronously fetches data from IndexedDB, and stores it to a - buffer in memory, which is allocated for you. **You must free the - buffer, or it will leak!** - - Parameters: - * **db_name** -- The name of the database to load from - - * **file_id** -- The name of the file to load - - * **pbuffer** -- An out parameter that will be filled with a - pointer to a buffer containing the data that is downloaded. - This space has been malloced for you, **and you must free it, - or it will leak!** - - * **pnum** -- An out parameter that will be filled with the - size of the downloaded data. - - * **perror** -- An out parameter that will be filled with a - non- zero value if an error occurred. - -void emscripten_idb_store(const char *db_name, const char *file_id, void* buffer, int num, int *perror); - - Synchronously stores data to IndexedDB. - - Parameters: - * **db_name** -- The name of the database to store to - - * **file_id** -- The name of the file to store - - * **buffer** -- A pointer to the data to store - - * **num** -- How many bytes to store - - * **perror** -- An out parameter that will be filled with a - non- zero value if an error occurred. - -void emscripten_idb_delete(const char *db_name, const char *file_id, int *perror); - - Synchronously deletes data from IndexedDB. - - Parameters: - * **db_name** -- The name of the database to delete from - - * **file_id** -- The name of the file to delete - - * **perror** -- An out parameter that will be filled with a - non- zero value if an error occurred. - -void emscripten_idb_exists(const char *db_name, const char *file_id, int* pexists, int *perror); - - Synchronously checks if a file exists in IndexedDB. - - Parameters: - * **db_name** -- The name of the database to check in - - * **file_id** -- The name of the file to check - - * **pexists** -- An out parameter that will be filled with a - non-zero value if the file exists in that database. - - * **perror** -- An out parameter that will be filled with a - non- zero value if an error occurred. - - -Asyncify functions -================== - -Asyncify functions are asynchronous functions that appear -synchronously in C, the linker flag *-s ASYNCIFY=1* is required to use -these functions. See Asyncify for more details. - - -Typedefs --------- - -emscripten_coroutine - - A handle to the structure used by coroutine supporting functions. - - -Functions ---------- diff --git a/site/build/text/docs/api_reference/html5.h.txt b/site/build/text/docs/api_reference/html5.h.txt deleted file mode 100644 index 4707e163e051d..0000000000000 --- a/site/build/text/docs/api_reference/html5.h.txt +++ /dev/null @@ -1,2840 +0,0 @@ - -html5.h -******* - -The C++ APIs in html5.h define the Emscripten low-level glue bindings -to interact with HTML5 events from native code. - -Tip: The C++ APIs map closely to their equivalent HTML5 JavaScript - APIs. The HTML5 specifications listed below provide additional - detailed reference "over and above" the information provided in this - document.In addition, the Test/Example code can be reviewed to see - how the code is used. - -The HTML5 specifications for APIs that are mapped by **html5.h** -include: - - * DOM Level 3 Events: Keyboard, Mouse, Mouse Wheel, Resize, - Scroll, Focus. - - * Device Orientation Events for gyro and accelerometer. - - * Screen Orientation Events for portrait/landscape handling. - - * Fullscreen Events for browser canvas fullscreen modes - transitioning. - - * Pointer Lock Events for relative-mode mouse motion control. - - * Vibration API for mobile device haptic vibration feedback - control. - - * Page Visibility Events for power management control. - - * Touch Events. - - * Gamepad API. - - * Beforeunload event. - - * WebGL context events - - -Table of Contents -^^^^^^^^^^^^^^^^^ - -* How to use this API - -* General types - -* Function result values - -* Keys - -* Mouse - -* Wheel - -* UI - -* Focus - -* Device orientation - -* Device motion - -* Orientation - -* Fullscreen - -* Pointerlock - -* Visibility - -* Touch - -* Gamepad - -* Battery - -* Vibration - -* Page unload - -* WebGL context - -* CSS - - -How to use this API -=================== - -Most of these APIs use an event-based architecture; functionality is -accessed by registering a callback function that will be called when -the event occurs. - -Note: The Gamepad API is currently an exception, as only a polling - API is available. For some APIs, both an event-based and a polling- - based model are exposed. - - -Registration functions ----------------------- - -The typical format of registration functions is as follows (some -methods may omit various parameters): - - EMSCRIPTEN_RESULT emscripten_set_some_callback( - const char *target, // ID of the target HTML element. - void *userData, // User-defined data to be passed to the callback. - EM_BOOL useCapture, // Whether or not to use capture. - em_someevent_callback_func callback // Callback function. - ); - -The "target" parameter is the ID of the HTML element to which the -callback registration is to be applied. This field has the following -special meanings: - - * "0" or "NULL": A default element is chosen automatically based - on the event type, which should be reasonable most of the time. - - * "#window": The event listener is applied to the JavaScript - "window" object. - - * "#document": The event listener is applied to the JavaScript - "document" object. - - * "#screen": The event listener is applied to the JavaScript - "window.screen" object. - - * "#canvas": The event listener is applied to the Emscripten - default WebGL canvas element. - - * Any other string without a leading hash "#" sign: The event - listener is applied to the element on the page with the given ID. - -The "userData" parameter is a user-defined value that is passed -(unchanged) to the registered event callback. This can be used to, for -example, pass a pointer to a C++ class or similarly to enclose the C -API in a clean object-oriented manner. - -The "useCapture" parameter maps to "useCapture" in -EventTarget.addEventListener. It indicates whether or not to initiate -*capture*: if "true" the callback will be invoked only for the DOM -capture and target phases; if "false" the callback will be triggered -during the target and bubbling phases. See DOM Level 3 Events for a -more detailed explanation. - -Most functions return the result using the type "EMSCRIPTEN_RESULT". -Non-zero and positive values denote success. Negative values signal -failure. None of the functions fail or abort by throwing a JavaScript -or C++ exception. If a particular browser does not support the given -feature, the value "EMSCRIPTEN_RESULT_NOT_SUPPORTED" will be returned -at the time the callback is registered. - - -Callback functions ------------------- - -When the event occurs the callback is invoked with the relevant event -"type" (for example "EMSCRIPTEN_EVENT_CLICK"), a "struct" containing -the details of the event that occurred, and the "userData" that was -originally passed to the registration function. The general format of -the callback function is: - - typedef EM_BOOL (*em_someevent_callback_func) // Callback function. Return true if event is "consumed". - ( - int eventType, // The type of event. - const EmscriptenSomeEvent *someEvent, // Information about the event. - void *userData // User data passed from the registration function. - ); - -Callback handlers that return an "EM_BOOL" may specify "true" to -signal that the handler *consumed* the event (this suppresses the -default action for that event by calling its ".preventDefault();" -member). Returning "false" indicates that the event was not consumed — -the default browser event action is carried out and the event is -allowed to pass on/bubble up as normal. - -Calling a registration function with a "null" pointer for the callback -causes a de-registration of that callback from the given "target" -element. All event handlers are also automatically unregistered when -the C "exit()" function is invoked during the "atexit" handler pass. -Either use the function "emscripten_set_main_loop()" or set -"Module.noExitRuntime = true;" to make sure that leaving "main()" will -not immediately cause an "exit()" and clean up the event handlers. - - -Functions affected by web security ----------------------------------- - -Some functions, including "emscripten_request_pointerlock()" and -"emscripten_request_fullscreen()", are affected by web security. - -While the functions can be called anywhere, the actual "requests" can -only be raised inside the handler for a user-generated event (for -example a key, mouse or touch press/release). - -When porting code, it may be difficult to ensure that the functions -are called inside appropriate event handlers (so that the requests are -raised immediately). As a convenience, developers can set -"deferUntilInEventHandler=true" to automatically defer insecure -requests until the user next presses a keyboard or mouse button. This -simplifies porting, but often results in a poorer user experience. For -example, the user must click once on the canvas to hide the pointer or -transition to full screen. - -Where possible, the functions should only be called inside appropriate -event handlers. Setting "deferUntilInEventHandler=false" causes the -functions to abort with an error if the request is refused due to a -security restriction: this is a useful mechanism for discovering -instances where the functions are called outside the handler for a -user-generated event. - - -Test/Example code ------------------ - -The HTML5 test code demonstrates how to use this API: - - * test_html5.c - - * test_html5_fullscreen.c - - * test_html5_mouse.c - - -General types -============= - -EM_BOOL - - This is the Emscripten type for a "bool". - -EM_UTF8 - - This is the Emscripten type for a UTF8 string (maps to a "char"). - This is used for node names, element ids, etc. - - -Function result values -====================== - -Most functions in this API return a result of type -"EMSCRIPTEN_RESULT". None of the functions fail or abort by throwing a -JavaScript or C++ exception. If a particular browser does not support -the given feature, the value "EMSCRIPTEN_RESULT_NOT_SUPPORTED" will be -returned at the time the callback is registered. - -EMSCRIPTEN_RESULT - - This type is used to return the result of most functions in this - API. Positive values denote success, while zero and negative - values signal failure. Possible values are listed below. - - EMSCRIPTEN_RESULT_SUCCESS - - The operation succeeded. - - EMSCRIPTEN_RESULT_DEFERRED - - The requested operation cannot be completed now for web security - reasons, and has been deferred for completion in the next event - handler. - - EMSCRIPTEN_RESULT_NOT_SUPPORTED - - The given operation is not supported by this browser or the - target element. This value will be returned at the time the - callback is registered if the operation is not supported. - - EMSCRIPTEN_RESULT_FAILED_NOT_DEFERRED - - The requested operation could not be completed now for web - security reasons. It failed because the user requested the - operation not be deferred. - - EMSCRIPTEN_RESULT_INVALID_TARGET - - The operation failed because the specified target element is - invalid. - - EMSCRIPTEN_RESULT_UNKNOWN_TARGET - - The operation failed because the specified target element was - not found. - - EMSCRIPTEN_RESULT_INVALID_PARAM - - The operation failed because an invalid parameter was passed to - the function. - - EMSCRIPTEN_RESULT_FAILED - - Generic failure result message, returned if no specific result - is available. - - EMSCRIPTEN_RESULT_NO_DATA - - The operation failed because no data is currently available. - - -Keys -==== - - -Defines -------- - -EMSCRIPTEN_EVENT_KEYPRESS -EMSCRIPTEN_EVENT_KEYDOWN -EMSCRIPTEN_EVENT_KEYUP - - Emscripten key events. - -DOM_KEY_LOCATION - - The location of the key on the keyboard; one of the values below. - - DOM_KEY_LOCATION_STANDARD - DOM_KEY_LOCATION_LEFT - DOM_KEY_LOCATION_RIGHT - DOM_KEY_LOCATION_NUMPAD - - Locations of the key on the keyboard. - - -Struct ------- - -EmscriptenKeyboardEvent - - The event structure passed in keyboard events: "keypress", - "keydown" and "keyup". - - Note that since the DOM Level 3 Events spec is very recent at the - time of writing (2014-03), uniform support for the different fields - in the spec is still in flux. Be sure to check the results in - multiple browsers. See the unmerged pull request #2222 for an - example of how to interpret the legacy key events. - - EM_UTF8 key - - The printed representation of the pressed key. - - Maximum size 32 "char" (i.e. "EM_UTF8 key[32]"). - - EM_UTF8 code - - A string that identifies the physical key being pressed. The - value is not affected by the current keyboard layout or modifier - state, so a particular key will always return the same value. - - Maximum size 32 "char" (i.e. "EM_UTF8 code[32]"). - - unsigned long location - - Indicates the location of the key on the keyboard. One of the - "DOM_KEY_LOCATION" values. - - EM_BOOL ctrlKey - EM_BOOL shiftKey - EM_BOOL altKey - EM_BOOL metaKey - - Specifies which modifiers were active during the key event. - - EM_BOOL repeat - - Specifies if this keyboard event represents a repeated press. - - EM_UTF8 locale - - A locale string indicating the configured keyboard locale. This - may be an empty string if the browser or device doesn't know the - keyboard's locale. - - Maximum size 32 char (i.e. "EM_UTF8 locale[32]"). - - EM_UTF8 charValue - - The following fields are values from previous versions of the - DOM key events specifications. See the character representation - of the key. This is the field "char" from the docs, but renamed - to "charValue" to avoid a C reserved word. - - Maximum size 32 "char" (i.e. "EM_UTF8 charValue[32]"). - - Warning: This attribute has been dropped from DOM Level 3 - events. - - unsigned long charCode - - The Unicode reference number of the key; this attribute is used - only by the keypress event. For keys whose "char" attribute - contains multiple characters, this is the Unicode value of the - first character in that attribute. - - Warning: This attribute is deprecated, you should use the - field "key" instead, if available. - - unsigned long keyCode - - A system and implementation dependent numerical code identifying - the unmodified value of the pressed key. - - Warning: This attribute is deprecated, you should use the - field "key" instead, if available. - - unsigned long which - - A system and implementation dependent numeric code identifying - the unmodified value of the pressed key; this is usually the - same as "keyCode". - - Warning: This attribute is deprecated, you should use the - field "key" instead, if available. Note thought that while - this field is deprecated, the cross-browser support for - "which" may be better than for the other fields, so - experimentation is recommended. Read issue - https://github.com/kripken/emscripten/issues/2817 for more - information. - - -Callback functions ------------------- - -em_key_callback_func - - Function pointer for the "keypress callback functions", defined as: - - typedef EM_BOOL (*em_key_callback_func)(int eventType, const EmscriptenKeyboardEvent *keyEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of "key event". - - * **keyEvent** (*const EmscriptenKeyboardEvent**) -- - Information about the key event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_keypress_callback(const char *target, void *userData, EM_BOOL useCapture, em_key_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_keydown_callback(const char *target, void *userData, EM_BOOL useCapture, em_key_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_keyup_callback(const char *target, void *userData, EM_BOOL useCapture, em_key_callback_func callback) - - Registers a callback function for receiving browser-generated - keyboard input events. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_key_callback_func*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - See also: - * https://developer.mozilla.org/en/DOM/Event/UIEvent/KeyEvent - - * http://www.javascriptkit.com/jsref/eventkeyboardmouse.shtml - - -Mouse -===== - - -Defines -------- - -EMSCRIPTEN_EVENT_CLICK -EMSCRIPTEN_EVENT_MOUSEDOWN -EMSCRIPTEN_EVENT_MOUSEUP -EMSCRIPTEN_EVENT_DBLCLICK -EMSCRIPTEN_EVENT_MOUSEMOVE -EMSCRIPTEN_EVENT_MOUSEENTER -EMSCRIPTEN_EVENT_MOUSELEAVE - - Emscripten mouse events. - - -Struct ------- - -EmscriptenMouseEvent - - The event structure passed in mouse events: click, mousedown, - mouseup, dblclick, mousemove, mouseenter and mouseleave. - - double timestamp; - - A timestamp of when this data was generated by the browser. This - is an absolute wallclock time in milliseconds. - - long screenX - long screenY - - The coordinates relative to the browser screen coordinate - system. - - long clientX - long clientY - - The coordinates relative to the viewport associated with the - event. - - EM_BOOL ctrlKey - EM_BOOL shiftKey - EM_BOOL altKey - EM_BOOL metaKey - - Specifies which modifiers were active during the mouse event. - - unsigned short button - - Identifies which pointer device button changed state (see - MouseEvent.button): - - * 0 : Left button - - * 1 : Middle button (if present) - - * 2 : Right button - - unsigned short buttons - - A bitmask that indicates which combinations of mouse buttons - were being held down at the time of the event. - - long movementX - long movementY; - - If pointer lock is active, these two extra fields give relative - mouse movement since the last event. - - long targetX - long targetY - - These fields give the mouse coordinates mapped relative to the - coordinate space of the target DOM element receiving the input - events (Emscripten-specific extension). - - long canvasX - long canvasY - - These fields give the mouse coordinates mapped to the Emscripten - canvas client area (Emscripten-specific extension). - - long padding - - Internal, and can be ignored. - - Note: Implementers only: pad this struct to multiple of 8 - bytes to make "WheelEvent" unambiguously align to 8 bytes. - - -Callback functions ------------------- - -em_mouse_callback_func - - Function pointer for the "mouse event callback functions", defined - as: - - typedef EM_BOOL (*em_mouse_callback_func)(int eventType, const EmscriptenMouseEvent *mouseEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of "mouse event". - - * **mouseEvent** (*const EmscriptenMouseEvent**) -- - Information about the mouse event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_click_callback(const char *target, void *userData, EM_BOOL useCapture, em_mouse_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_mousedown_callback(const char *target, void *userData, EM_BOOL useCapture, em_mouse_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_mouseup_callback(const char *target, void *userData, EM_BOOL useCapture, em_mouse_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_dblclick_callback(const char *target, void *userData, EM_BOOL useCapture, em_mouse_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_mousemove_callback(const char *target, void *userData, EM_BOOL useCapture, em_mouse_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_mouseenter_callback(const char *target, void *userData, EM_BOOL useCapture, em_mouse_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_mouseleave_callback(const char *target, void *userData, EM_BOOL useCapture, em_mouse_callback_func callback) - - Registers a callback function for receiving browser-generated mouse - input events. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_mouse_callback_func*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_get_mouse_status(EmscriptenMouseEvent *mouseState) - - Returns the most recently received mouse event state. - - Note that for this function call to succeed, - "emscripten_set_xxx_callback" must have first been called with one - of the mouse event types and a non-zero callback function pointer - to enable the Mouse state capture. - - Parameters: - * **mouseState** (*EmscriptenMouseEvent**) -- The most - recently received mouse event state. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Wheel -===== - - -Defines -------- - -EMSCRIPTEN_EVENT_WHEEL - - Emscripten wheel event. - -DOM_DELTA_PIXEL - - The units of measurement for the delta must be pixels (from spec). - -DOM_DELTA_LINE - - The units of measurement for the delta must be individual lines of - text (from spec). - -DOM_DELTA_PAGE - - The units of measurement for the delta must be pages, either - defined as a single screen or as a demarcated page (from spec). - - -Struct ------- - -EmscriptenWheelEvent - - The event structure passed in mousewheel events. - - EmscriptenMouseEvent mouse - - Specifies general mouse information related to this event. - - double deltaX - double deltaY - double deltaZ - - Movement of the wheel on each of the axis. Note that these - values may be fractional, so you should avoid simply casting - them to integer, or it might result in scroll values of 0. The - positive Y scroll direction is when scrolling the page downwards - (page CSS pixel +Y direction), which corresponds to scrolling - the mouse wheel downwards (away from the screen) on Windows, - Linux, and also on OSX when the 'natural scroll' option is - disabled. - - unsigned long deltaMode - - One of the "DOM_DELTA_" values that indicates the units of - measurement for the delta values. - - -Callback functions ------------------- - -em_wheel_callback_func - - Function pointer for the "wheel event callback functions", defined - as: - - typedef EM_BOOL (*em_wheel_callback_func)(int eventType, const EmscriptenWheelEvent *wheelEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of wheel event - ("EMSCRIPTEN_EVENT_WHEEL"). - - * **wheelEvent** (*const EmscriptenWheelEvent**) -- - Information about the wheel event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_wheel_callback(const char *target, void *userData, EM_BOOL useCapture, em_wheel_callback_func callback) - - Registers a callback function for receiving browser-generated - mousewheel events. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_wheel_callback_func*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -UI -== - - -Defines -------- - -EMSCRIPTEN_EVENT_RESIZE -EMSCRIPTEN_EVENT_SCROLL - - Emscripten UI events. - - -Struct ------- - -EmscriptenUiEvent - - The event structure passed in DOM element UIEvent events: resize - and scroll. - - long detail - - Specifies additional detail/information about this event. - - int documentBodyClientWidth - int documentBodyClientHeight - - The clientWidth/clientHeight of the "document.body" element. - - int windowInnerWidth - int windowInnerHeight - - The innerWidth/innerHeight of the browser window. - - int windowOuterWidth - int windowOuterHeight; - - The outerWidth/outerHeight of the browser window. - - int scrollTop - int scrollLeft - - The page scroll position. - - -Callback functions ------------------- - -em_ui_callback_func - - Function pointer for the "UI event callback functions", defined as: - - typedef EM_BOOL (*em_ui_callback_func)(int eventType, const EmscriptenUiEvent *uiEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of UI event - ("EMSCRIPTEN_EVENT_RESIZE"). - - * **uiEvent** (*const EmscriptenUiEvent**) -- Information - about the UI event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_resize_callback(const char *target, void *userData, EM_BOOL useCapture, em_ui_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_scroll_callback(const char *target, void *userData, EM_BOOL useCapture, em_ui_callback_func callback) - - Registers a callback function for receiving DOM element resize and - scroll events. - - Note: * For the "resize" callback, pass in target = 0 to get - "resize" - - events from the "Window" object. - - * The DOM3 Events specification only requires that the "Window" - object sends resize events. It is valid to register a "resize" - callback on other DOM elements, but the browser is not required - to fire "resize" events for these. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_ui_callback_func*) -- A callback function. - The function is called with the type of event, information - about the event, and user data passed from this registration - function. The callback should return "true" if the event is - consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Focus -===== - - -Defines -------- - -EMSCRIPTEN_EVENT_BLUR -EMSCRIPTEN_EVENT_FOCUS -EMSCRIPTEN_EVENT_FOCUSIN -EMSCRIPTEN_EVENT_FOCUSOUT - - Emscripten focus events. - - -Struct ------- - -EmscriptenFocusEvent - - The event structure passed in DOM element blur, focus, focusin and - focusout events. - - EM_UTF8 nodeName - - The nodeName of the target HTML Element. - - Maximum size 128 "char" (i.e. "EM_UTF8 nodeName[128]"). - - EM_UTF8 id - - The ID of the target element. - - Maximum size 128 "char" (i.e. "EM_UTF8 id[128]"). - - -Callback functions ------------------- - -em_focus_callback_func - - Function pointer for the "focus event callback functions", defined - as: - - typedef EM_BOOL (*em_focus_callback_func)(int eventType, const EmscriptenFocusEvent *focusEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of focus event - ("EMSCRIPTEN_EVENT_BLUR"). - - * **focusEvent** (*const EmscriptenFocusEvent**) -- - Information about the focus event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_blur_callback(const char *target, void *userData, EM_BOOL useCapture, em_focus_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_focus_callback(const char *target, void *userData, EM_BOOL useCapture, em_focus_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_focusin_callback(const char *target, void *userData, EM_BOOL useCapture, em_focus_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_focusout_callback(const char *target, void *userData, EM_BOOL useCapture, em_focus_callback_func callback) - - Registers a callback function for receiving DOM element blur, - focus, focusin and focusout events. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_focus_callback_func*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Device orientation -================== - - -Defines -------- - -EMSCRIPTEN_EVENT_DEVICEORIENTATION - - Emscripten "deviceorientation" events. - - -Struct ------- - -EmscriptenDeviceOrientationEvent - - The event structure passed in the deviceorientation event. - - double timestamp - - Absolute wallclock time when the event occurred (in - milliseconds). - - double alpha - double beta - double gamma - - The orientation of the device in terms of the transformation - from a coordinate frame fixed on the Earth to a coordinate frame - fixed in the device. - - The image (source: dev.opera.com) and definitions below - illustrate the co-ordinate frame: - - * "alpha": the rotation of the device around the Z axis. - - * "beta": the rotation of the device around the X axis. - - * "gamma": the rotation of the device around the Y axis. - - [image: Image of device showing X, Y, Z axes][image] - - EM_BOOL absolute - - If "false", the orientation is only relative to some other base - orientation, not to the fixed coordinate frame. - - -Callback functions ------------------- - -em_deviceorientation_callback_func - - Function pointer for the "orientation event callback functions", - defined as: - - typedef EM_BOOL (*em_deviceorientation_callback_func)(int eventType, const EmscriptenDeviceOrientationEvent *deviceOrientationEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of orientation event - ("EMSCRIPTEN_EVENT_DEVICEORIENTATION"). - - * **deviceOrientationEvent** (*const - EmscriptenDeviceOrientationEvent**) -- Information about the - orientation event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_deviceorientation_callback(void *userData, EM_BOOL useCapture, em_deviceorientation_callback_func callback) - - Registers a callback function for receiving the deviceorientation - event. - - Parameters: - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_deviceorientation_callback_func*) -- A - callback function. The function is called with the type of - event, information about the event, and user data passed from - this registration function. The callback should return "true" - if the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_get_deviceorientation_status(EmscriptenDeviceOrientationEvent *orientationState) - - Returns the most recently received "deviceorientation" event state. - - Note that for this function call to succeed, - "emscripten_set_deviceorientation_callback()" must have first been - called with one of the mouse event types and a non-zero callback - function pointer to enable the "deviceorientation" state capture. - - Parameters: - * **orientationState** (*EmscriptenDeviceOrientationEvent**) - -- The most recently received "deviceorientation" event state. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Device motion -============= - - -Defines -------- - -EMSCRIPTEN_EVENT_DEVICEMOTION - - Emscripten devicemotion event. - - -Struct ------- - -EmscriptenDeviceMotionEvent - - The event structure passed in the devicemotion event. - - double timestamp - - Absolute wallclock time when the event occurred (milliseconds). - - double accelerationX - double accelerationY - double accelerationZ - - Acceleration of the device excluding gravity. - - double accelerationIncludingGravityX - double accelerationIncludingGravityY - double accelerationIncludingGravityZ - - Acceleration of the device including gravity. - - double rotationRateAlpha - double rotationRateBeta - double rotationRateGamma - - The rotational delta of the device. - - -Callback functions ------------------- - -em_devicemotion_callback_func - - Function pointer for the "devicemotion event callback functions", - defined as: - - typedef EM_BOOL (*em_devicemotion_callback_func)(int eventType, const EmscriptenDeviceMotionEvent *deviceMotionEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of devicemotion event - ("EMSCRIPTEN_EVENT_DEVICEMOTION"). - - * **deviceMotionEvent** (*const EmscriptenDeviceMotionEvent**) - -- Information about the devicemotion event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_devicemotion_callback(void *userData, EM_BOOL useCapture, em_devicemotion_callback_func callback) - - Registers a callback function for receiving the devicemotion event. - - Parameters: - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_devicemotion_callback_func*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_get_devicemotion_status(EmscriptenDeviceMotionEvent *motionState) - - Returns the most recently received devicemotion event state. - - Note that for this function call to succeed, - "emscripten_set_devicemotion_callback()" must have first been - called with one of the mouse event types and a non-zero callback - function pointer to enable the "devicemotion" state capture. - - Parameters: - * **motionState** (*EmscriptenDeviceMotionEvent**) -- The most - recently received "devicemotion" event state. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Orientation -=========== - - -Defines -------- - -EMSCRIPTEN_EVENT_ORIENTATIONCHANGE - - Emscripten orientationchange event. - -EMSCRIPTEN_ORIENTATION_PORTRAIT_PRIMARY - - Primary portrait mode orientation. - -EMSCRIPTEN_ORIENTATION_PORTRAIT_SECONDARY - - Secondary portrait mode orientation. - -EMSCRIPTEN_ORIENTATION_LANDSCAPE_PRIMARY - - Primary landscape mode orientation. - -EMSCRIPTEN_ORIENTATION_LANDSCAPE_SECONDARY - - Secondary landscape mode orientation. - - -Struct ------- - -EmscriptenOrientationChangeEvent - - The event structure passed in the orientationchange event. - - int orientationIndex - - One of the "EM_ORIENTATION_PORTRAIT_xxx" fields, or -1 if - unknown. - - int orientationAngle - - Emscripten-specific extension: Some browsers refer to - "window.orientation", so report that as well. - - Orientation angle in degrees. 0: "default orientation", i.e. - default upright orientation to hold the mobile device in. Could - be either landscape or portrait. - - -Callback functions ------------------- - -em_orientationchange_callback_func - - Function pointer for the "orientationchange event callback - functions", defined as: - - typedef EM_BOOL (*em_orientationchange_callback_func)(int eventType, const EmscriptenOrientationChangeEvent *orientationChangeEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of orientationchange event - ("EMSCRIPTEN_EVENT_ORIENTATIONCHANGE"). - - * **orientationChangeEvent** (*const - EmscriptenOrientationChangeEvent**) -- Information about the - orientationchange event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_orientationchange_callback(void *userData, EM_BOOL useCapture, em_orientationchange_callback_func callback) - - Registers a callback function for receiving the orientationchange - event. - - Parameters: - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_orientationchange_callback_func*) -- A - callback function. The function is called with the type of - event, information about the event, and user data passed from - this registration function. The callback should return "true" - if the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_get_orientation_status(EmscriptenOrientationChangeEvent *orientationStatus) - - Returns the current device orientation state. - - Parameters: - * **orientationStatus** (*EmscriptenOrientationChangeEvent**) - -- The most recently received orientation state. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_lock_orientation(int allowedOrientations) - - Locks the screen orientation to the given set of "allowed - orientations". - - Parameters: - * **allowedOrientations** (*int*) -- A bitfield set of - "EMSCRIPTEN_ORIENTATION_xxx" flags. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_unlock_orientation(void) - - Removes the orientation lock so the screen can turn to any - orientation. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Fullscreen -========== - - -Defines -------- - -EMSCRIPTEN_EVENT_FULLSCREENCHANGE - - Emscripten fullscreenchange event. - -EMSCRIPTEN_FULLSCREEN_SCALE - - An enum-like type which specifies how the Emscripten runtime should - treat the CSS size of the target element when displaying it in - fullscreen mode via calls to functions - "emscripten_request_fullscreen_strategy()" and - "emscripten_enter_soft_fullscreen()". - -EMSCRIPTEN_FULLSCREEN_SCALE_DEFAULT - - Specifies that the DOM element should not be resized by Emscripten - runtime when transitioning between fullscreen and windowed modes. - The browser will be responsible for scaling the DOM element to the - fullscreen size. The proper browser behavior in this mode is to - stretch the element to fit the full display ignoring aspect ratio, - but at the time of writing, browsers implement different behavior - here. See the discussion at - https://github.com/kripken/emscripten/issues/2556 for more - information. - -EMSCRIPTEN_FULLSCREEN_SCALE_STRETCH - - Specifies that the Emscripten runtime should explicitly stretch the - CSS size of the target element to cover the whole screen when - transitioning to fullscreen mode. This will change the aspect ratio - of the displayed content. - -EMSCRIPTEN_FULLSCREEN_SCALE_ASPECT - - Specifies that the Emscripten runtime should explicitly scale the - CSS size of the target element to cover the whole screen, while - adding either vertical or horizontal black letterbox padding to - preserve the aspect ratio of the content. The aspect ratio that is - used here is the render target size of the canvas element. To - change the desired aspect ratio, call - "emscripten_set_canvas_size()" before entering fullscreen mode. - -EMSCRIPTEN_FULLSCREEN_CANVAS_SCALE - - An enum-like type which specifies how the Emscripten runtime should - treat the pixel size (render target resolution) of the target - canvas element when displaying it in fullscreen mode via calls to - functions "emscripten_request_fullscreen_strategy()" and - "emscripten_enter_soft_fullscreen()". To better understand the - underlying distinction between the CSS size of a canvas element - versus the render target size of a canvas element, see - https://www.khronos.org/webgl/wiki/HandlingHighDPI. - -EMSCRIPTEN_FULLSCREEN_CANVAS_SCALE_NONE - - Specifies that the Emscripten runtime should not do any changes to - the render target resolution of the target canvas element that is - displayed in fullscreen mode. Use this mode when your application - is set up to render to a single fixed resolution that cannot be - changed under any condition. - -EMSCRIPTEN_FULLSCREEN_CANVAS_SCALE_STDDEF - - Specifies that the Emscripten runtime should resize the render - target of the canvas element to match 1:1 with the CSS size of the - element in fullscreen mode. On high DPI displays - (*window.devicePixelRatio* > 1), the CSS size is not the same as - the physical screen resolution of the device. Call - "emscripten_get_device_pixel_ratio()" to obtain the pixel ratio - between CSS pixels and actual device pixels of the screen. Use this - mode when you want to render to a pixel resolution that is DPI- - independent. - -EMSCRIPTEN_FULLSCREEN_CANVAS_SCALE_HIDEF - - Specifies that the Emscripten runtime should resize the canvas - render target size to match 1:1 with the physical screen resolution - on the device. This corresponds to high definition displays on - retina iOS and other mobile and desktop devices with high DPI. Use - this mode to match and render 1:1 to the native display resolution. - -EMSCRIPTEN_FULLSCREEN_FILTERING - - An enum-like type that specifies what kind of image filtering - algorithm to apply to the element when it is presented in - fullscreen mode. - -EMSCRIPTEN_FULLSCREEN_FILTERING_DEFAULT - - Specifies that the image filtering mode should not be changed from - the existing setting in the CSS style. - -EMSCRIPTEN_FULLSCREEN_FILTERING_NEAREST - - Applies a CSS style to the element that displays the content using - a nearest-neighbor image filtering algorithm in fullscreen mode. - -EMSCRIPTEN_FULLSCREEN_FILTERING_BILINEAR - - Applies a CSS style to the element that displays the content using - a bilinear image filtering algorithm in fullscreen mode. This is - the default browser behavior. - - -Struct ------- - -EmscriptenFullscreenChangeEvent - - The event structure passed in the fullscreenchange event. - - EM_BOOL isFullscreen - - Specifies whether an element on the browser page is currently - fullscreen. - - EM_BOOL fullscreenEnabled - - Specifies if the current page has the ability to display - elements fullscreen. - - EM_UTF8 nodeName - - The nodeName of the target HTML Element that is in full screen - mode. - - Maximum size 128 "char" (i.e. "EM_UTF8 nodeName[128]"). - - If "isFullscreen" is "false", then "nodeName", "id" and - "elementWidth" and "ElementHeight" specify information about the - element that just exited fullscreen mode. - - EM_UTF8 id - - The ID of the target HTML element that is in full screen mode. - - Maximum size 128 "char" (i.e. "EM_UTF8 id[128]"). - - int elementWidth - int elementHeight - - The new pixel size of the element that changed fullscreen - status. - - int screenWidth - int screenHeight - - The size of the whole screen, in pixels. - -EmscriptenFullscreenStrategy - - The options structure that is passed in to functions - "emscripten_request_fullscreen_strategy()" and - "emscripten_enter_soft_fullscreen()" to configure how the target - element should be displayed in fullscreen mode. - - EMSCRIPTEN_FULLSCREEN_SCALE scaleMode - - Specifies the rule how the CSS size (the displayed size) of the - target element is resized when displayed in fullscreen mode. - - EMSCRIPTEN_FULLSCREEN_CANVAS_SCALE canvasResolutionScaleMode - - Specifies how the render target size (the pixel resolution) of - the target element is adjusted when displayed in fullscreen - mode. - - EMSCRIPTEN_FULLSCREEN_FILTERING filteringMode - - Specifies the image filtering algorithm to apply to the element - in fullscreen mode. - - em_canvasresized_callback_func canvasResizedCallback - - If nonzero, points to a user-provided callback function which - will be called whenever either the CSS or the canvas render - target size changes. Use this callback to reliably obtain - information about canvas resize events. - - void *canvasResizedCallbackUserData - - Stores a custom data field which will be passed to all calls to - the user-provided callback function. - - -Callback functions ------------------- - -em_fullscreenchange_callback_func - - Function pointer for the "fullscreen event callback functions", - defined as: - - typedef EM_BOOL (*em_fullscreenchange_callback_func)(int eventType, const EmscriptenFullscreenChangeEvent *fullscreenChangeEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of fullscreen event - ("EMSCRIPTEN_EVENT_FULLSCREENCHANGE"). - - * **fullscreenChangeEvent** (*const - EmscriptenFullscreenChangeEvent**) -- Information about the - fullscreen event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_fullscreenchange_callback(const char *target, void *userData, EM_BOOL useCapture, em_fullscreenchange_callback_func callback) - - Registers a callback function for receiving the fullscreenchange - event. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_fullscreenchange_callback_func*) -- A - callback function. The function is called with the type of - event, information about the event, and user data passed from - this registration function. The callback should return "true" - if the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_get_fullscreen_status(EmscriptenFullscreenChangeEvent *fullscreenStatus) - - Returns the current page fullscreen state. - - Parameters: - * **fullscreenStatus** (*EmscriptenFullscreenChangeEvent**) -- - The most recently received fullscreen state. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_request_fullscreen(const char *target, EM_BOOL deferUntilInEventHandler) - - Requests the given target element to transition to full screen - mode. - - Note: This function can be called anywhere, but for web security - reasons its associated *request* can only be raised inside the - event handler for a user-generated event (for example a key, - mouse or touch press/release). This has implications for porting - and the value of "deferUntilInEventHandler" — see Functions - affected by web security for more information. - - Note: This function only performs a fullscreen request without - changing any parameters of the DOM element that is to be - displayed in fullscreen mode. At the time of writing, there are - differences in how browsers present elements in fullscreen mode. - For more information, read the discussion at - https://github.com/kripken/emscripten/issues/2556. To display an - element in fullscreen mode in a way that is consistent across - browsers, prefer calling the function - "emscripten_request_fullscreen_strategy()" instead. This function - is best called only in scenarios where the preconfigured presets - defined by "emscripten_request_fullscreen_strategy()" conflict - with the developer's use case in some way. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **deferUntilInEventHandler** (*EM_BOOL*) -- If "true" - requests made outside of a user-generated event handler are - automatically deferred until the user next presses a keyboard - or mouse button. If "false" the request will fail if called - outside of a user-generated event handler. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - **EMSCRIPTEN_RESULT** - -EMSCRIPTEN_RESULT emscripten_request_fullscreen_strategy(const char *target, EM_BOOL deferUntilInEventHandler, const EmscriptenFullscreenStrategy *fullscreenStrategy) - - Requests the given target element to transition to full screen - mode, using a custom presentation mode for the element. This - function is otherwise the same as - "emscripten_request_fullscreen()", but this function adds options - to control how resizing and aspect ratio, and ensures that the - behavior is consistent across browsers. - - Note: This function makes changes to the DOM to satisfy - consistent presentation across browsers. These changes have been - designed to intrude as little as possible, and the changes are - cleared once windowed browsing is restored. If any of these - changes are conflicting, see the function - "emscripten_request_fullscreen()" instead, which performs a bare - fullscreen request without any modifications to the DOM. - - Parameters: - * **fullscreenStrategy** (*const - EmscriptenFullscreenStrategy**) -- [in] Points to a - configuration structure filled by the caller which specifies - display options for the fullscreen mode. - -EMSCRIPTEN_RESULT emscripten_exit_fullscreen(void) - - Returns back to windowed browsing mode from a proper fullscreen - mode. - - Do not call this function to attempt to return to windowed browsing - mode from a soft fullscreen mode, or vice versa. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_enter_soft_fullscreen(const char *target, const EmscriptenFullscreenStrategy *fullscreenStrategy) - - Enters a "soft" fullscreen mode, where the given target element is - displayed in the whole client area of the page and all other - elements are hidden, but does not actually request fullscreen mode - for the browser. This function is useful in cases where the actual - Fullscreen API is not desirable or needed, for example in packaged - apps for Firefox OS, where applications essentially already cover - the whole screen. - - Pressing the esc button does not automatically exit the soft - fullscreen mode. To return to windowed presentation mode, manually - call the function "emscripten_exit_soft_fullscreen()". - -EMSCRIPTEN_RESULT emscripten_exit_soft_fullscreen() - - Returns back to windowed browsing mode from a soft fullscreen mode. - Do not call this function to attempt to return to windowed browsing - mode from a real fullscreen mode, or vice versa. - - -Pointerlock -=========== - - -Defines -------- - -EMSCRIPTEN_EVENT_POINTERLOCKCHANGE - - Emscripten pointerlockchange events. - - -Struct ------- - -EmscriptenPointerlockChangeEvent - - The event structure passed in the pointerlockchange event. - - EM_BOOL isActive - - Specifies whether an element on the browser page currently has - pointer lock enabled. - - EM_UTF8 nodeName - - The nodeName of the target HTML Element that has the pointer - lock active. - - Maximum size 128 "char" (i.e. "EM_UTF8 nodeName[128]"). - - EM_UTF8 id - - The ID of the target HTML element that has the pointer lock - active. - - Maximum size 128 "char" (i.e. "EM_UTF8 id[128]"). - - -Callback functions ------------------- - -em_pointerlockchange_callback_func - - Function pointer for the "pointerlockchange event callback - functions", defined as: - - typedef EM_BOOL (*em_pointerlockchange_callback_func)(int eventType, const EmscriptenPointerlockChangeEvent *pointerlockChangeEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of pointerlockchange event - ("EMSCRIPTEN_EVENT_POINTERLOCKCHANGE"). - - * **pointerlockChangeEvent** (*const - EmscriptenPointerlockChangeEvent**) -- Information about the - pointerlockchange event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_pointerlockchange_callback(const char *target, void *userData, EM_BOOL useCapture, em_pointerlockchange_callback_func callback) - - Registers a callback function for receiving the pointerlockchange - event. - - Pointer lock hides the mouse cursor and exclusively gives the - target element relative mouse movement events via the mousemove - event. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_pointerlockchange_callback_func*) -- A - callback function. The function is called with the type of - event, information about the event, and user data passed from - this registration function. The callback should return "true" - if the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_get_pointerlock_status(EmscriptenPointerlockChangeEvent *pointerlockStatus) - - Returns the current page pointerlock state. - - Parameters: - * **pointerlockStatus** (*EmscriptenPointerlockChangeEvent**) - -- The most recently received pointerlock state. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_request_pointerlock(const char *target, EM_BOOL deferUntilInEventHandler) - - Requests the given target element to grab pointerlock. - - Note: This function can be called anywhere, but for web security - reasons its associated *request* can only be raised inside the - event handler for a user-generated event (for example a key, - mouse or touch press/release). This has implications for porting - and the value of "deferUntilInEventHandler" — see Functions - affected by web security for more information. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **deferUntilInEventHandler** (*EM_BOOL*) -- If "true" - requests made outside of a user-generated event handler are - automatically deferred until the user next presses a keyboard - or mouse button. If "false" the request will fail if called - outside of a user-generated event handler. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_exit_pointerlock(void) - - Exits pointer lock state and restores the mouse cursor to be - visible again. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Visibility -========== - - -Defines -------- - -EMSCRIPTEN_EVENT_VISIBILITYCHANGE - - Emscripten visibilitychange event. - -EMSCRIPTEN_VISIBILITY_HIDDEN - - The document is hidden (not visible). - -EMSCRIPTEN_VISIBILITY_VISIBLE - - The document is at least partially visible. - -EMSCRIPTEN_VISIBILITY_PRERENDER - - The document is loaded off screen and not visible (prerender). - -EMSCRIPTEN_VISIBILITY_UNLOADED - - The document is to be unloaded. - - -Struct ------- - -EmscriptenVisibilityChangeEvent - - The event structure passed in the visibilitychange event. - - EM_BOOL hidden - - If true, the current browser page is now hidden. - - int visibilityState - - Specifies a more fine-grained state of the current page - visibility status. One of the "EMSCRIPTEN_VISIBILITY_" values. - - -Callback functions ------------------- - -em_visibilitychange_callback_func - - Function pointer for the "visibilitychange event callback - functions", defined as: - - typedef EM_BOOL (*em_visibilitychange_callback_func)(int eventType, const EmscriptenVisibilityChangeEvent *visibilityChangeEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of "visibilitychange" - event ("EMSCRIPTEN_VISIBILITY_HIDDEN"). - - * **visibilityChangeEvent** (*const - EmscriptenVisibilityChangeEvent**) -- Information about the - "visibilitychange" event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_visibilitychange_callback(void *userData, EM_BOOL useCapture, em_visibilitychange_callback_func callback) - - Registers a callback function for receiving the visibilitychange - event. - - Parameters: - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_visibilitychange_callback_func*) -- A - callback function. The function is called with the type of - event, information about the event, and user data passed from - this registration function. The callback should return "true" - if the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_get_visibility_status(EmscriptenVisibilityChangeEvent *visibilityStatus) - - Returns the current page visibility state. - - Parameters: - * **visibilityStatus** (*EmscriptenVisibilityChangeEvent**) -- - The most recently received page visibility state. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Touch -===== - - -Defines -------- - -EMSCRIPTEN_EVENT_TOUCHSTART -EMSCRIPTEN_EVENT_TOUCHEND -EMSCRIPTEN_EVENT_TOUCHMOVE -EMSCRIPTEN_EVENT_TOUCHCANCEL - - Emscripten touch events. - - -Struct ------- - -EmscriptenTouchPoint - - Specifies the status of a single touch point on the page. - - long identifier - - An identification number for each touch point. - - long screenX - long screenY - - The touch coordinate relative to the whole screen origin, in - pixels. - - long clientX - long clientY - - The touch coordinate relative to the viewport, in pixels. - - long pageX - long pageY - - The touch coordinate relative to the viewport, in pixels, and - including any scroll offset. - - EM_BOOL isChanged - - Specifies whether the touch point changed during this event. - - EM_BOOL onTarget - - Specifies whether this touch point is still above the original - target on which it was initially pressed. - - long targetX - long targetY - - These fields give the touch coordinates mapped relative to the - coordinate space of the target DOM element receiving the input - events (Emscripten-specific extension). - - long canvasX - long canvasY - - The touch coordinates mapped to the Emscripten canvas client - area, in pixels (Emscripten-specific extension). - -EmscriptenTouchEvent - - Specifies the data of a single touchevent. - - int numTouches - - The number of valid elements in the touches array. - - EM_BOOL ctrlKey - EM_BOOL shiftKey - EM_BOOL altKey - EM_BOOL metaKey - - Specifies which modifiers were active during the touch event. - - EmscriptenTouchPoint touches[32] - - An array of currently active touches, one for each finger. - - -Callback functions ------------------- - -em_touch_callback_func - - Function pointer for the "touch event callback functions", defined - as: - - typedef EM_BOOL (*em_touch_callback_func)(int eventType, const EmscriptenTouchEvent *touchEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of touch event - ("EMSCRIPTEN_EVENT_TOUCHSTART"). - - * **touchEvent** (*const EmscriptenTouchEvent**) -- - Information about the touch event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_touchstart_callback(const char *target, void *userData, EM_BOOL useCapture, em_touch_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_touchend_callback(const char *target, void *userData, EM_BOOL useCapture, em_touch_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_touchmove_callback(const char *target, void *userData, EM_BOOL useCapture, em_touch_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_touchcancel_callback(const char *target, void *userData, EM_BOOL useCapture, em_touch_callback_func callback) - - Registers a callback function for receiving touch events : - touchstart, touchend, touchmove and touchcancel. - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_touch_callback_func*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Gamepad -======= - - -Defines -------- - -EMSCRIPTEN_EVENT_GAMEPADCONNECTED -EMSCRIPTEN_EVENT_GAMEPADDISCONNECTED - - Emscripten gamepad events. - - -Struct ------- - -EmscriptenGamepadEvent - - Represents the current snapshot state of a gamepad. - - double timestamp - - Absolute wallclock time when the data was recorded - (milliseconds). - - int numAxes - - The number of valid axis entries in the "axis" array. - - int numButtons - - The number of valid button entries in the analogButton and - digitalButton arrays. - - double axis[64] - - The analog state of the gamepad axes, in the range [-1, 1]. - - double analogButton[64] - - The analog state of the gamepad buttons, in the range [0, 1]. - - EM_BOOL digitalButton[64] - - The digital state of the gamepad buttons, either 0 or 1. - - EM_BOOL connected - - Specifies whether this gamepad is connected to the browser page. - - long index - - An ordinal associated with this gamepad, zero-based. - - EM_UTF8 id - - An ID for the brand or style of the connected gamepad device. - Typically, this will include the USB vendor and a product ID. - - Maximum size 64 "char" (i.e. "EM_UTF8 id[128]"). - - EM_UTF8 mapping - - A string that identifies the layout or control mapping of this - device. - - Maximum size 128 "char" (i.e. "EM_UTF8 mapping[128]"). - - -Callback functions ------------------- - -em_gamepad_callback_func - - Function pointer for the "gamepad event callback functions", - defined as: - - typedef EM_BOOL (*em_gamepad_callback_func)(int eventType, const EmscriptenGamepadEvent *gamepadEvent, void *userData) - - Parameters: - * **eventType** (*int*) -- The type of gamepad event - ("EMSCRIPTEN_EVENT_GAMEPADCONNECTED"). - - * **gamepadEvent** (*const EmscriptenGamepadEvent**) -- - Information about the gamepad event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_gamepadconnected_callback(void *userData, EM_BOOL useCapture, em_gamepad_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_gamepaddisconnected_callback(void *userData, EM_BOOL useCapture, em_gamepad_callback_func callback) - - Registers a callback function for receiving the gamepad events: - gamepadconnected and gamepaddisconnected. - - Parameters: - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_gamepad_callback_func*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -int emscripten_get_num_gamepads(void) - - Returns the number of gamepads connected to the system or - "EMSCRIPTEN_RESULT_NOT_SUPPORTED" if the current browser does not - support gamepads. - - Note: A gamepad does not show up as connected until a button on - it is pressed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - int - -EMSCRIPTEN_RESULT emscripten_get_gamepad_status(int index, EmscriptenGamepadEvent *gamepadState) - - Returns a snapshot of the current gamepad state. - - Parameters: - * **index** (*int*) -- The index of the gamepad to check (in - the array of connected gamepads). - - * **gamepadState** (*EmscriptenGamepadEvent**) -- The most - recently received gamepad state. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Battery -======= - - -Defines -------- - -EMSCRIPTEN_EVENT_BATTERYCHARGINGCHANGE -EMSCRIPTEN_EVENT_BATTERYLEVELCHANGE - - Emscripten batterymanager events. - - -Struct ------- - -EmscriptenBatteryEvent - - The event structure passed in the batterymanager events: - "chargingchange" and "levelchange". - - double chargingTime - - Time remaining until the battery is fully charged (seconds). - - double dischargingTime - - Time remaining until the battery is empty and the system will be - suspended (seconds). - - double level - - Current battery level, on a scale of 0 to 1.0. - - EM_BOOL charging; - - "true" if the battery is charging, "false" otherwise. - - -Callback functions ------------------- - -em_battery_callback_func - - Function pointer for the "batterymanager event callback functions", - defined as: - - typedef EM_BOOL (*em_battery_callback_func)(int eventType, const EmscriptenBatteryEvent *batteryEvent, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of "batterymanager" event - ("EMSCRIPTEN_EVENT_BATTERYCHARGINGCHANGE"). - - * **batteryEvent** (*const EmscriptenBatteryEvent**) -- - Information about the "batterymanager" event that occurred. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_batterychargingchange_callback(void *userData, em_battery_callback_func callback) -EMSCRIPTEN_RESULT emscripten_set_batterylevelchange_callback(void *userData, em_battery_callback_func callback) - - Registers a callback function for receiving the batterymanager - events: "chargingchange" and "levelchange". - - Parameters: - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_battery_callback_func*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_get_battery_status(EmscriptenBatteryEvent *batteryState) - - Returns the current battery status. - - Parameters: - * **batteryState** (*EmscriptenBatteryEvent**) -- The most - recently received battery state. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Vibration -========= - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_vibrate(int msecs) - - Produces a vibration for the specified time, in milliseconds. - - Parameters: - * **msecs** (*int*) -- The amount of time for which the - vibration is required (milliseconds). - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_vibrate_pattern(int *msecsArray, int numEntries) - - Produces a complex vibration feedback pattern. - - Parameters: - * **msecsArray** (*int**) -- An array of timing entries [on, - off, on, off, on, off, ...] where every second one specifies a - duration of vibration, and every other one specifies a - duration of silence. - - * **numEntries** (*int*) -- The number of integers in the - array "msecsArray". - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -Page unload -=========== - - -Defines -------- - -EMSCRIPTEN_EVENT_BEFOREUNLOAD - - Emscripten beforeunload event. - - -Callback functions ------------------- - -em_beforeunload_callback - - Function pointer for the "beforeunload event callback functions", - defined as: - - typedef const char *(*em_beforeunload_callback)(int eventType, const void *reserved, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of "beforeunload" event - ("EMSCRIPTEN_EVENT_BEFOREUNLOAD"). - - * **reserved** (*const void**) -- Reserved for future use; - pass in 0. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - Return a string to be displayed to the user. - - Return type: - char* - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_beforeunload_callback(void *userData, em_beforeunload_callback callback) - - Registers a callback function for receiving the page beforeunload - event. - - Hook into this event to perform actions immediately prior to page - close (for example, to display a notification to ask if the user - really wants to leave the page). - - Parameters: - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **callback** (*em_beforeunload_callback*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - - -WebGL context -============= - - -Defines -------- - -EMSCRIPTEN_EVENT_WEBGLCONTEXTLOST -EMSCRIPTEN_EVENT_WEBGLCONTEXTRESTORED - - Emscripten WebGL context events. - -EMSCRIPTEN_WEBGL_CONTEXT_HANDLE - - Represents a handle to an Emscripten WebGL context object. The - value 0 denotes an invalid/no context (this is a typedef to an - "int"). - - -Struct ------- - -EmscriptenWebGLContextAttributes - - Specifies WebGL context creation parameters. - - EM_BOOL alpha - - If "true", request an alpha channel for the context. If you - create an alpha channel, you can blend the canvas rendering with - the underlying web page contents. Default value: "true". - - EM_BOOL depth - - If "true", request a depth buffer of at least 16 bits. If - "false", no depth buffer will be initialized. Default value: - "true". - - EM_BOOL stencil - - If "true", request a stencil buffer of at least 8 bits. If - "false", no stencil buffer will be initialized. Default value: - "false". - - EM_BOOL antialias - - If "true", antialiasing will be initialized with a browser- - specified algorithm and quality level. If "false", antialiasing - is disabled. Default value: "true". - - EM_BOOL premultipliedAlpha - - If "true", the alpha channel of the rendering context will be - treated as representing premultiplied alpha values. If "false", - the alpha channel represents non-premultiplied alpha. Default - value: "true". - - EM_BOOL preserveDrawingBuffer - - If "true", the contents of the drawing buffer are preserved - between consecutive "requestAnimationFrame()" calls. If "false", - color, depth and stencil are cleared at the beginning of each - "requestAnimationFrame()". Generally setting this to "false" - gives better performance. Default value: "false". - - EM_BOOL preferLowPowerToHighPerformance - - If "true", hints the browser to initialize a low-power GPU - rendering context. If "false", prefers to initialize a high- - performance rendering context. Default value: "false". - - EM_BOOL failIfMajorPerformanceCaveat - - If "true", requests context creation to abort if the browser is - only able to create a context that does not give good hardware- - accelerated performance. Default value: "false". - - int majorVersion - int minorVersion - - Emscripten-specific extensions which specify the WebGL context - version to initialize. - - For example, pass in "majorVersion=1", "minorVersion=0" to - request a WebGL 1.0 context, and "majorVersion=2", - "minorVersion=0" to request a WebGL 2.0 context. - - Default value: "majorVersion=1", "minorVersion=0" - - EM_BOOL enableExtensionsByDefault - - If "true", all GLES2-compatible non-performance-impacting WebGL - extensions will automatically be enabled for you after the - context has been created. If "false", no extensions are enabled - by default, and you need to manually call - "emscripten_webgl_enable_extension()" to enable each extension - that you want to use. Default value: "true". - - -Callback functions ------------------- - -em_webgl_context_callback - - Function pointer for the "WebGL Context event callback functions", - defined as: - - typedef EM_BOOL (*em_webgl_context_callback)(int eventType, const void *reserved, void *userData); - - Parameters: - * **eventType** (*int*) -- The type of "WebGL context event". - - * **reserved** (*const void**) -- Reserved for future use; - pass in 0. - - * **userData** (*void**) -- The "userData" originally passed - to the registration function. - - Returns: - "true" (non zero) to indicate that the event was consumed by the - callback handler. - - Return type: - "EM_BOOL" - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_webglcontextlost_callback(const char *target, void *userData, EM_BOOL useCapture, em_webgl_context_callback callback) -EMSCRIPTEN_RESULT emscripten_set_webglcontextrestored_callback(const char *target, void *userData, EM_BOOL useCapture, em_webgl_context_callback callback) - - Registers a callback function for the canvas WebGL context events: - "webglcontextlost" and "webglcontextrestored". - - Parameters: - * **target** (*const char**) -- Target HTML element id. - - * **userData** (*void**) -- User-defined data to be passed to - the callback (opaque to the API). - - * **useCapture** (*EM_BOOL*) -- Set "true" to use capture. - - * **callback** (*em_webgl_context_callback*) -- A callback - function. The function is called with the type of event, - information about the event, and user data passed from this - registration function. The callback should return "true" if - the event is consumed. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EM_BOOL emscripten_is_webgl_context_lost(const char *target) - - Queries the given canvas element for whether its WebGL context is - in a lost state. - - Parameters: - * **target** (*const char**) -- Reserved for future use, pass - in 0. - - Returns: - "true" if the WebGL context is in a lost state. - - Return type: - "EM_BOOL" - -void emscripten_webgl_init_context_attributes(EmscriptenWebGLContextAttributes *attributes) - - Populates all fields of the given - "EmscriptenWebGLContextAttributes" structure to their default - values for use with WebGL 1.0. - - Call this function as a forward-compatible way to ensure that if - there are new fields added to the - "EmscriptenWebGLContextAttributes" structure in the future, that - they also will get default-initialized without having to change any - code. - - Parameters: - * **attributes** (*EmscriptenWebGLContextAttributes**) -- The - structure to be populated. - -EMSCRIPTEN_WEBGL_CONTEXT_HANDLE emscripten_webgl_create_context(const char *target, const EmscriptenWebGLContextAttributes *attributes) - - Creates and returns a new WebGL context. - - Note: * A successful call to this function will not immediately - make - - that rendering context active. Call - "emscripten_webgl_make_context_current()" after creating a - context to activate it. - - * This function will try to initialize the context version that - was *exactly* requested. It will not e.g. initialize a newer - backwards-compatible version or similar. - - Parameters: - * **target** (*const char**) -- The DOM canvas element in - which to initialize the WebGL context. If 0 is passed, the - element specified by "Module.canvas" will be used. - - * **attributes** (*const EmscriptenWebGLContextAttributes**) -- The - attributes of the requested context version. - - Returns: - On success, a strictly positive value that represents a handle - to the created context. On failure, a negative number that can - be cast to an "EMSCRIPTEN_RESULT" field to get the reason why - the context creation failed. - - Return type: - "EMSCRIPTEN_WEBGL_CONTEXT_HANDLE" - -EMSCRIPTEN_RESULT emscripten_webgl_make_context_current(EMSCRIPTEN_WEBGL_CONTEXT_HANDLE context) - - Activates the given WebGL context for rendering. After calling this - function, all OpenGL functions ("glBindBuffer()", "glDrawArrays()", - etc.) can be applied to the given GL context. - - Parameters: - * **context** (*EMSCRIPTEN_WEBGL_CONTEXT_HANDLE*) -- The WebGL - context to activate. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_WEBGL_CONTEXT_HANDLE emscripten_webgl_get_current_context() - - Returns the currently active WebGL rendering context, or 0 if no - context is active. Calling any WebGL functions when there is no - active rendering context is undefined and may throw a JavaScript - exception. - - Returns: - The currently active WebGL rendering context, or 0 if no context - is active. - - Return type: - "EMSCRIPTEN_WEBGL_CONTEXT_HANDLE" - -EMSCRIPTEN_RESULT emscripten_webgl_destroy_context(EMSCRIPTEN_WEBGL_CONTEXT_HANDLE context) - - Deletes the given WebGL context. If that context was active, then - the no context is set to active. - - Parameters: - * **context** (*EMSCRIPTEN_WEBGL_CONTEXT_HANDLE*) -- The WebGL - context to delete. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EM_BOOL emscripten_webgl_enable_extension(EMSCRIPTEN_WEBGL_CONTEXT_HANDLE context, const char *extension) - - Enables the given extension on the given context. - - Parameters: - * **context** (*EMSCRIPTEN_WEBGL_CONTEXT_HANDLE*) -- The WebGL - context on which the extension is to be enabled. - - * **extension** (*const char**) -- A string identifying the - WebGL extension. For example "OES_texture_float". - - Returns: - EM_TRUE if the given extension is supported by the context, and - EM_FALSE if the extension was not available. - - Return type: - "EM_BOOL" - - -CSS -=== - - -Functions ---------- - -EMSCRIPTEN_RESULT emscripten_set_element_css_size(const char * target, double width, double height) - - Resizes the css width and height of the element specified by - "target" on the Emscripten web page. - - Parameters: - * **target** (*const char**) -- Element to resize. If 0 is - passed, the element specified by "Module.canvas" will be used. - - * **width** (*double*) -- New width of the element. - - * **height** (*double*) -- New height of the element. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" - -EMSCRIPTEN_RESULT emscripten_get_element_css_size(const char * target, double * width, double * height) - - Gets the current css width and height of the element specified by - "target". - - Parameters: - * **target** (*const char**) -- Element to get size of. If 0 - is passed, the element specified by "Module.canvas" will be - used. - - * **width** (*double**) -- Width of the element. - - * **height** (*double**) -- Height of the element. - - Returns: - "EMSCRIPTEN_RESULT_SUCCESS", or one of the other result values. - - Return type: - "EMSCRIPTEN_RESULT" diff --git a/site/build/text/docs/api_reference/preamble.js.txt b/site/build/text/docs/api_reference/preamble.js.txt deleted file mode 100644 index bb446710811e3..0000000000000 --- a/site/build/text/docs/api_reference/preamble.js.txt +++ /dev/null @@ -1,517 +0,0 @@ - -preamble.js -*********** - -The JavaScript APIs in preamble.js provide programmatic access for -interacting with the compiled C code, including: calling compiled C -functions, accessing memory, converting pointers to JavaScript -"Strings" and "Strings" to pointers (with different -encodings/formats), and other convenience functions. - -Note: All functions should be called though the Module object (for - example: "Module.functionName"). At optimisation "-O2" (and higher) - function names are minified by the closure compiler, and calling - them directly will fail. - - -Table of Contents -^^^^^^^^^^^^^^^^^ - -* Calling compiled C functions from JavaScript - -* Accessing memory - -* Conversion functions — strings, pointers and arrays - -* Run dependencies - -* Stack trace - -* Type accessors for the memory model - - -Calling compiled C functions from JavaScript -============================================ - -ccall(ident, returnType, argTypes, args, opts) - - Call a compiled C function from JavaScript. - - The function executes a compiled C function from JavaScript and - returns the result. C++ name mangling means that "normal" C++ - functions cannot be called; the function must either be defined in - a **.c** file or be a C++ function defined with "extern "C"". - - // Call C from JavaScript - var result = Module.ccall('c_add', // name of C function - 'number', // return type - ['number', 'number'], // argument types - [10, 20]); // arguments - - // result is 30 - - Note: * "ccall" uses the C stack for temporary values. If you - pass a - - string then it is only "alive" until the call is complete. If - the code being called saves the pointer to be used later, it - may point to invalid data. - - * If you need a string to live forever, you can create it, for - example, using "_malloc" and "writeStringToMemory()". However, - you must later delete it manually! - - * LLVM optimizations can inline and remove functions, after - which you will not be able to call them. Similarly, function - names minified by the *Closure Compiler* are inaccessible. In - either case, the solution is to add the functions to the - "EXPORTED_FUNCTIONS" list when you invoke *emcc* : - - -s EXPORTED_FUNCTIONS="['_main', '_myfunc']" - - Exported functions can be called as normal: - - a_result = Module.ccall('myfunc', 'number', ['number'], 10) - - Arguments: - * **ident** -- The name of the C function to be called. - - * **returnType** -- The return type of the function. This can - be ""number"", ""string"" or ""array"", which correspond to - the appropriate JavaScript types (use ""number"" for any C - pointer, and ""array"" for JavaScript arrays and typed arrays; - note that arrays are 8-bit), or for a void function it can be - "null" (note: the JavaScript "null" value, not a string - containing the word "null"). - - Note: 64-bit integers become two 32-bit parameters, for the low - and high bits (since 64-bit integers cannot be represented in - JavaScript numbers). - - Arguments: - * **argTypes** -- An array of the types of arguments for the - function (if there are no arguments, this can be omitted). - Types are as in "returnType", except that "array" is not - supported as there is no way for us to know the length of the - array). - - * **args** -- An array of the arguments to the function, as - native JavaScript values (as in "returnType"). Note that - string arguments will be stored on the stack (the JavaScript - string will become a C string on the stack). - - Returns: - The result of the function call as a native JavaScript value (as - in "returnType"). - - Opts: - An optional options object. It can contain the following - properties: - - * "async": Implies that the ccall will perform an async - operation. This assumes you are using the Emterpreter-Async - option for your code. When using this option, the ccalled - function cannot return a value (it can't be received - synchronously anyhow). - -cwrap(ident, returnType, argTypes) - - Returns a native JavaScript wrapper for a C function. - - This is similar to "ccall()", but returns a JavaScript function - that can be reused as many time as needed. The C function can be - defined in a C file, or be a C-compatible C++ function defined - using "extern "C"" (to prevent name mangling). - - // Call C from JavaScript - var c_javascript_add = Module.cwrap('c_add', // name of C function - 'number', // return type - ['number', 'number']); // argument types - - // Call c_javascript_add normally - console.log(c_javascript_add(10, 20)); // 30 - console.log(c_javascript_add(20, 30)); // 50 - - Note: * "cwrap" uses the C stack for temporary values. If you - pass a - - string then it is only "alive" until the call is complete. If - the code being called saves the pointer to be used later, it - may point to invalid data. - - * If you need a string to live forever, you can create it, for - example, using "_malloc" and "writeStringToMemory()". However, - you must later delete it manually! - - * LLVM optimizations can inline and remove functions, after - which you will not be able to "wrap" them. Similarly, function - names minified by the *Closure Compiler* are inaccessible. In - either case, the solution is to add the functions to the - "EXPORTED_FUNCTIONS" list when you invoke *emcc* : - - -s EXPORTED_FUNCTIONS="['_main', '_myfunc']" - - Exported functions can be called as normal: - - my_func = Module.cwrap('myfunc', 'number', ['number']) - my_func(12) - - Arguments: - * **ident** -- The name of the C function to be called. - - * **returnType** -- The return type of the function. This will - be one of the JavaScript types "number", "string" or "array" - (use "number" for any C pointer, and "array" for JavaScript - arrays and typed arrays; note that arrays are 8-bit). - - * **argTypes** -- An array of the types of arguments for the - function (if there are no arguments, this can be omitted). - Types are as in "returnType", except that "array" is not - supported as there is no way for us to know the length of the - array). - - Returns: - A JavaScript function that can be used for running the C - function. - - -Accessing memory -================ - -setValue(ptr, value, type[, noSafe]) - - Sets a value at a specific memory address at run-time. - - Note: * "setValue()" and "getValue()" only do *aligned* writes - and - - reads. - - * The "type" is an LLVM IR type (one of "i8", "i16", "i32", - "i64", "float", "double", or a pointer type like "i8*" or just - "*"), not JavaScript types as used in "ccall()" or "cwrap()". - This is a lower-level operation, and we do need to care what - specific type is being used. - - Arguments: - * **ptr** -- A pointer (number) representing the memory - address. - - * **value** -- The value to be stored - - * **type** -- An LLVM IR type as a string (see "note" above). - - * **noSafe** (*bool*) -- Developers should ignore this - variable. It is only used in "SAFE_HEAP" compilation mode, - where it can help avoid infinite recursion in some specialist - use cases. - -getValue(ptr, type[, noSafe]) - - Gets a value at a specific memory address at run-time. - - Note: * "setValue()" and "getValue()" only do *aligned* writes - and - - reads! - - * The "type" is an LLVM IR type (one of "i8", "i16", "i32", - "i64", "float", "double", or a pointer type like "i8*" or just - "*"), not JavaScript types as used in "ccall()" or "cwrap()". - This is a lower-level operation, and we do need to care what - specific type is being used. - - Arguments: - * **ptr** -- A pointer (number) representing the memory - address. - - * **type** -- An LLVM IR type as a string (see "note" above). - - * **noSafe** (*bool*) -- Developers should ignore this - variable. It is only used in "SAFE_HEAP" compilation mode, - where it can help avoid infinite recursion in some specialist - use cases. - - Returns: - The value stored at the specified memory address. - - -Conversion functions — strings, pointers and arrays -=================================================== - -Pointer_stringify(ptr[, length]) - - Returns a JavaScript String from a pointer, for use in compiled - code. - - Arguments: - * **ptr** -- The pointer to be converted to a "String". - - * **length** -- The length of the data in the pointer - (optional). - - Returns: - A JavaScript "String" containing the data from "ptr". - - Return type: - String - -UTF8ToString(ptr) - - Given a pointer "ptr" to a null-terminated UTF8-encoded string in - the Emscripten HEAP, returns a copy of that string as a JavaScript - "String" object. - - Arguments: - * **ptr** -- A pointer to a null-terminated UTF8-encoded - string in the Emscripten HEAP. - - Returns: - A JavaScript "String" object - -stringToUTF8(str, outPtr[, maxBytesToWrite]) - - Copies the given JavaScript "String" object "str" to the Emscripten - HEAP at address "outPtr", null-terminated and encoded in UTF8 form. - - Arguments: - * **str** (*String*) -- A JavaScript "String" object. - - * **outPtr** -- Pointer to data copied from "str", encoded in - UTF8 format and null-terminated. - - * **maxBytesToWrite** -- A limit on the number of bytes to - write out. - -UTF16ToString(ptr) - - Given a pointer "ptr" to a null-terminated UTF16LE-encoded string - in the Emscripten HEAP, returns a copy of that string as a - JavaScript "String" object. - - Arguments: - * **ptr** -- A pointer to a null-terminated UTF16LE-encoded - string in the Emscripten HEAP. - - Returns: - A JavaScript "String" object - -stringToUTF16(str, outPtr[, maxBytesToWrite]) - - Copies the given JavaScript "String" object "str" to the Emscripten - HEAP at address "outPtr", null-terminated and encoded in UTF16LE - form. - - The copy will require at most "(str.length*2+1)*2" bytes of space - in the HEAP. - - Arguments: - * **str** (*String*) -- A JavaScript "String" object. - - * **outPtr** -- Pointer to data copied from "str", encoded in - UTF16LE format and null-terminated. - - * **maxBytesToWrite** -- A limit on the number of bytes to - write out. - -UTF32ToString(ptr) - - Given a pointer "ptr" to a null-terminated UTF32LE-encoded string - in the Emscripten HEAP, returns a copy of that string as a - JavaScript "String" object. - - Arguments: - * **ptr** -- A pointer to a null-terminated UTF32LE-encoded - string in the Emscripten HEAP. - - Returns: - A JavaScript "String" object. - -stringToUTF32(str, outPtr[, maxBytesToWrite]) - - Copies the given JavaScript "String" object "str" to the Emscripten - HEAP at address "outPtr", null-terminated and encoded in UTF32LE - form. - - The copy will require at most "(str.length+1)*4" bytes of space in - the HEAP, but can use less, since "str.length" does not return the - number of characters in the string, but the number of UTF-16 code - units in the string. - - Arguments: - * **str** (*String*) -- A JavaScript "String" object. - - * **outPtr** -- Pointer to data copied from "str", encoded in - encoded in UTF32LE format and null-terminated. - - * **maxBytesToWrite** -- A limit on the number of bytes to - write out. - -intArrayFromString(stringy, dontAddNull[, length]) - - This converts a JavaScript string into a C-line array of numbers, - 0-terminated. - - Arguments: - * **stringy** (*String*) -- The string to be converted. - - * **dontAddNull** (*bool*) -- If "true", the new array is not - zero-terminated. - - * **length** -- The length of the array (optional). - - Returns: - The array created from "stringy". - -intArrayToString(array) - - This creates a JavaScript string from a zero-terminated C-line - array of numbers. - - Arguments: - * **array** -- The array to convert. - - Returns: - A "String", containing the content of "array". - -writeStringToMemory(string, buffer, dontAddNull) - - Writes a JavaScript string to a specified address in the heap. - - // Allocate space for string and extra '0' at the end - var buffer = Module._malloc(myString.length+1); - - // Write the string to memory - Module.writeStringToMemory(myString, buffer); - - // We can now send buffer into a C function, it is just a normal char* pointer - - Arguments: - * **string** (*String*) -- The string to write into memory. - - * **buffer** (*Number*) -- The address (number) where "string" - is to be written. - - * **dontAddNull** (*bool*) -- If "true", the new array is not - zero-terminated. - -writeArrayToMemory(array, buffer) - - Writes an array to a specified address in the heap. Note that - memory should to be allocated for the array before it is written. - - Arguments: - * **array** -- The array to write to memory. - - * **buffer** (*Number*) -- The address (number) where "array" - is to be written. - -writeAsciiToMemory(str, buffer, dontAddNull) - - Writes an ASCII string to a specified address in the heap. Note - that memory should to be allocated for the string before it is - written. - - The string is assumed to only have characters in the ASCII - character set. If ASSERTIONS are enabled and this is not the case, - it will fail. - - // Allocate space for string - var buffer = Module._malloc(myString.length); - - // Write the string to memory - Module.writeStringToMemory(myString, buffer); - - Arguments: - * **string** -- The string to write into memory. - - * **buffer** -- The address where "string" is to be written. - - * **dontAddNull** (*bool*) -- If "true", the new string is not - zero-terminated. - - -Run dependencies -================ - -Note that generally run dependencies are managed by the file packager -and other parts of the system. It is rare for developers to use this -API directly. - -addRunDependency(id) - - Adds an "id" to the list of run dependencies. - - This adds a run dependency and increments the run dependency - counter. - - Arguments: - * **id** (*String*) -- An arbitrary id representing the - operation. - -removeRunDependency(id) - - Removes a specified "id" from the list of run dependencies. - - Arguments: - * **id** (*String*) -- The identifier for the specific - dependency to be removed (added with "addRunDependency()") - - -Stack trace -=========== - -stackTrace() - - Returns the current stack track. - - Note: The stack trace is not available at least on IE10 and - Safari 6. - - Returns: - The current stack trace, if available. - - -Type accessors for the memory model -=================================== - -The Emscripten memory representation uses a typed array buffer -("ArrayBuffer") to represent memory, with different views into it -giving access to the different types. The views for accessing -different types of memory are listed below. - -HEAP8 - - View for 8-bit signed memory. - -HEAP16 - - View for 16-bit signed memory. - -HEAP32 - - View for 32-bit signed memory. - -HEAPU8 - - View for 32-bit unsigned memory. - -HEAPU8 - - View for 32-bit unsigned memory. - -HEAPU16 - - View for 16-bit unsigned memory. - -HEAPU32 - - View for 32-bit unsigned memory. - -HEAPF32 - - View for 32-bit float memory. - -HEAPF64 - - View for 64-bit float memory. diff --git a/site/build/text/docs/tools_reference/emcc.txt b/site/build/text/docs/tools_reference/emcc.txt index 8181378f8b225..29282a9f570f7 100644 --- a/site/build/text/docs/tools_reference/emcc.txt +++ b/site/build/text/docs/tools_reference/emcc.txt @@ -546,6 +546,15 @@ Options that are modified or new in *emcc* are listed below: load during startup. See Avoid memory spikes by separating out asm.js. +"-fsanitize=" + Instructs the compiler to turn on runtime checks for various forms + of undefined or suspicious behavior. For more information, refer + to the appropriate compiler documentation. Only the following have + been tested: + + * "cfi": Enable [control flow integrity](http://clang.llvm.org/docs/ControlFlowIntegrity.html) + checks. Note that this is only supported by Clang/LLVM, and + indirect function call checking requires Clang/LLVM 3.9+. Environment variables ===================== diff --git a/site/source/docs/api_reference/Filesystem-API.rst b/site/source/docs/api_reference/Filesystem-API.rst index ccaa1d4f724d9..c7b306af778ba 100644 --- a/site/source/docs/api_reference/Filesystem-API.rst +++ b/site/source/docs/api_reference/Filesystem-API.rst @@ -72,7 +72,7 @@ This is provided to overcome the limitation that browsers do not offer synchrono .. _filesystem-api-workerfs: WORKERFS ------ +-------- .. note:: This file system is only for use when running code inside a worker. diff --git a/site/source/docs/api_reference/emscripten.h.rst b/site/source/docs/api_reference/emscripten.h.rst index 1be380628c3a8..6deb379aedd76 100644 --- a/site/source/docs/api_reference/emscripten.h.rst +++ b/site/source/docs/api_reference/emscripten.h.rst @@ -573,7 +573,7 @@ Functions :returns: A handle to request (``int``) that can be used to :c:func:`abort ` the request. -.. c:function:: emscripten_async_wget2_abort(int handle) +.. c:function:: void emscripten_async_wget2_abort(int handle) Abort an asynchronous request raised using :c:func:`emscripten_async_wget2` or :c:func:`emscripten_async_wget2_data`. @@ -637,7 +637,7 @@ Emscripten Asynchronous IndexedDB API :param ptr: A pointer to the data to store. :param num: How many bytes to store. :param void* arg: User-defined data that is passed to the callbacks, untouched by the API itself. This may be used by a callback to identify the associated call. - :param em_arg_callback_func onload: Callback on successful load of the URL into the buffer. The callback function parameter values are: + :param em_arg_callback_func onstore: Callback on successful store of the data buffer to the URL. The callback function parameter values are: - *(void*)* : Equal to ``arg`` (user defined data). diff --git a/site/source/docs/api_reference/html5.h.rst b/site/source/docs/api_reference/html5.h.rst index 5a4079149347f..129b187610580 100644 --- a/site/source/docs/api_reference/html5.h.rst +++ b/site/source/docs/api_reference/html5.h.rst @@ -1246,8 +1246,11 @@ Defines .. c:macro:: EMSCRIPTEN_EVENT_POINTERLOCKCHANGE - Emscripten `pointerlockchange `_ events. - + Emscripten `pointerlockchange `_ event. + +.. c:macro:: EMSCRIPTEN_EVENT_POINTERLOCKERROR + + Emscripten `pointerlockerror `_ event. Struct ------ @@ -1291,6 +1294,20 @@ Callback functions :param void* userData: The ``userData`` originally passed to the registration function. :returns: |callback-handler-return-value-doc| :rtype: |EM_BOOL| + +.. c:type:: em_pointerlockerror_callback_func + + Function pointer for the :c:func:`pointerlockerror event callback functions `, defined as: + + .. code-block:: cpp + + typedef EM_BOOL (*em_pointerlockerror_callback_func)(int eventType, const void *reserved, void *userData); + + :param int eventType: The type of pointerlockerror event (:c:data:`EMSCRIPTEN_EVENT_POINTERLOCKERROR`). + :param const void* reserved: Reserved for future use; pass in 0. + :param void* userData: The ``userData`` originally passed to the registration function. + :returns: |callback-handler-return-value-doc| + :rtype: |EM_BOOL| @@ -1313,6 +1330,20 @@ Functions +.. c:function:: EMSCRIPTEN_RESULT emscripten_set_pointerlockerror_callback(const char *target, void *userData, EM_BOOL useCapture, em_pointerlockerror_callback_func callback) + + Registers a callback function for receiving the `pointerlockerror `_ event. + + :param target: |target-parameter-doc| + :type target: const char* + :param void* userData: |userData-parameter-doc| + :param EM_BOOL useCapture: |useCapture-parameter-doc| + :param em_pointerlockerror_callback_func callback: |callback-function-parameter-doc| + :returns: :c:data:`EMSCRIPTEN_RESULT_SUCCESS`, or one of the other result values. + :rtype: |EMSCRIPTEN_RESULT| + + + .. c:function:: EMSCRIPTEN_RESULT emscripten_get_pointerlock_status(EmscriptenPointerlockChangeEvent *pointerlockStatus) Returns the current page pointerlock state. @@ -1748,7 +1779,6 @@ Functions Registers a callback function for receiving the `batterymanager `_ events: ``chargingchange`` and ``levelchange``. :param void* userData: |userData-parameter-doc| - :param EM_BOOL useCapture: |useCapture-parameter-doc| :param em_battery_callback_func callback: |callback-function-parameter-doc| :returns: :c:data:`EMSCRIPTEN_RESULT_SUCCESS`, or one of the other result values. :rtype: |EMSCRIPTEN_RESULT| @@ -2039,7 +2069,7 @@ Functions .. c:function:: EMSCRIPTEN_RESULT emscripten_set_element_css_size(const char * target, double width, double height) - Resizes the css width and height of the element specified by ``target`` on the Emscripten web page. + Resizes the CSS width and height of the element specified by ``target`` on the Emscripten web page. :param target: Element to resize. If 0 is passed, the element specified by ``Module.canvas`` will be used. :type target: const char* @@ -2051,7 +2081,7 @@ Functions .. c:function:: EMSCRIPTEN_RESULT emscripten_get_element_css_size(const char * target, double * width, double * height) - Gets the current css width and height of the element specified by ``target``. + Gets the current CSS width and height of the element specified by ``target``. :param target: Element to get size of. If 0 is passed, the element specified by ``Module.canvas`` will be used. :type target: const char* diff --git a/site/source/docs/api_reference/trace.h.rst b/site/source/docs/api_reference/trace.h.rst index a42730516ba26..fbecc6d92a084 100644 --- a/site/source/docs/api_reference/trace.h.rst +++ b/site/source/docs/api_reference/trace.h.rst @@ -302,7 +302,7 @@ Functions In most cases, the ``collector_url`` will be ``http://127.0.0.1:5000/``. -.. c:function:: void emscripten_configure_for_google_wtf(void) +.. c:function:: void emscripten_trace_configure_for_google_wtf(void) :rtype: void @@ -460,7 +460,7 @@ Functions :param address: Memory address which should be annotated. :type address: const void* :param size: Size of the memory associated with this allocation. - :type type: int32_t + :type size: int32_t :rtype: void Associate an amount of additional storage with this address. This diff --git a/site/source/docs/building_from_source/building_emscripten_from_source_on_windows.rst b/site/source/docs/building_from_source/building_emscripten_from_source_on_windows.rst index 51e0643095bb2..8eaf99def7295 100644 --- a/site/source/docs/building_from_source/building_emscripten_from_source_on_windows.rst +++ b/site/source/docs/building_from_source/building_emscripten_from_source_on_windows.rst @@ -44,7 +44,7 @@ These instructions explain how to install **all** the :ref:`required tools `_ (or any other git client). -#. Install `Java `_. +#. Install `Java `_ (Java is optional, you only need it for Closure Compiler minification). #. Build :ref:`Fastcomp ` (LLVM + Clang) from source using :ref:`these instructions `. diff --git a/site/source/docs/debugging/CyberDWARF.rst b/site/source/docs/debugging/CyberDWARF.rst index 33831b8a39655..f3bd2a9b89570 100644 --- a/site/source/docs/debugging/CyberDWARF.rst +++ b/site/source/docs/debugging/CyberDWARF.rst @@ -7,17 +7,17 @@ CyberDWARF Debugging Building ======== -To add CyberDWARF support to a build, pass ``-s CYBERDWARF=1`` to ``emcc``. This generates a ``.cd`` file containing type information for debugging and adds a debugging toolkit to the output Javascript. +To add CyberDWARF support to a build, pass ``-s CYBERDWARF=1`` to ``emcc``. This generates a ``.cd`` file containing type information for debugging and adds a debugging toolkit to the output JavaScript. Using ===== -The CyberDWARF debugger is designed to be used from the Javascript devtool console available in most modern browsers. +The CyberDWARF debugger is designed to be used from the JavaScript devtool console available in most modern browsers. Heap Pretty Printer ------------------- -This small example will show how to use CyberDWARF to visualize a simple struct +This small example will show how to use CyberDWARF to visualize a simple struct. .. code-block:: cpp @@ -57,7 +57,7 @@ This small example will show how to use CyberDWARF to visualize a simple struct **Visualizing** -After the page loads, open a Javascript console. +After the page loads, open a JavaScript console. .. code-block:: bash diff --git a/site/source/docs/getting_started/FAQ.rst b/site/source/docs/getting_started/FAQ.rst index 7d5a8e60e369a..1552175ef1e2b 100644 --- a/site/source/docs/getting_started/FAQ.rst +++ b/site/source/docs/getting_started/FAQ.rst @@ -194,7 +194,7 @@ How can I tell when the page is fully loaded and it is safe to call compiled fun (You may need this answer if you see an error saying something like ``you need to wait for the runtime to be ready (e.g. wait for main() to be called)``, which is a check enabled in ``ASSERTIONS`` builds.) -Calling a compiled function before a page has fully loaded can result in an error, if the function relies on files that may not be present (for example the :ref:`.mem ` file and :ref:`preloaded ` files are loaded asynchronously). +Calling a compiled function before a page has fully loaded can result in an error, if the function relies on files that may not be present (for example the :ref:`.mem ` file and :ref:`preloaded ` files are loaded asynchronously, and therefore if you just place some JS that calls compiled code in a ``--post-js``, that code will be called synchronously at the end of the combined JS file, potentially before the asynchronous event happens, which is bad). The easiest way to find out when loading is complete is to add a ``main()`` function, and within it call a JavaScript function to notify your code that loading is complete. diff --git a/site/source/docs/getting_started/downloads.rst b/site/source/docs/getting_started/downloads.rst index 2317fd9dddf05..28c9f18433587 100644 --- a/site/source/docs/getting_started/downloads.rst +++ b/site/source/docs/getting_started/downloads.rst @@ -154,7 +154,7 @@ Linux # Install node.js sudo apt-get install nodejs - # Install Java + # Install Java (optional, only needed for Closure Compiler minification) sudo apt-get install default-jre .. note:: Your system may provide Node.js as ``node`` instead of ``nodejs``. In that case, you may need to also update the ``NODE_JS`` attribute of your ``~/.emscripten`` file. diff --git a/site/source/docs/optimizing/Optimizing-Code.rst b/site/source/docs/optimizing/Optimizing-Code.rst index d0e494684c82f..74ff639f979fe 100644 --- a/site/source/docs/optimizing/Optimizing-Code.rst +++ b/site/source/docs/optimizing/Optimizing-Code.rst @@ -84,8 +84,8 @@ In addition to the above (defining a separate memory initialization file as :ref - Use :ref:`llvm-lto ` when compiling from bitcode to JavaScript: ``--llvm-lto 1``. This can break some code as the LTO code path is less tested. - Disable :ref:`optimizing-code-inlining`: ``-s INLINING_LIMIT=1``. Compiling with -Os or -Oz generally avoids inlining too. - Use :ref:`closure ` on the outside non-asm.js code: ``--closure 1``. This can break code that doesn't use `closure annotations properly `_. -- You can use the ``NO_FILESYSTEM`` option to disable bundling of filesystem support code (the compiler should optimize it out if not used, but may not always succeed). This can be useful if you are building a pure computational library, for example. See ``settings.js`` for more detals. -- You can use ``EXPORTED_RUNTIME_METHODS`` to define which runtime methods are exported. By default a bunch of useful methods are exported, which you may not need; setting this to a smaller list will cause fewer methods to be exported. In conjunction with the closure compiler, this can be very effective, since closure can eliminate non-exported code. See ``settings.js`` for more detals. See ``test_no_nuthin`` in ``tests/test_other.py`` for an example usage in the test suite. +- You can use the ``NO_FILESYSTEM`` option to disable bundling of filesystem support code (the compiler should optimize it out if not used, but may not always succeed). This can be useful if you are building a pure computational library, for example. See ``settings.js`` for more details. +- You can use ``EXPORTED_RUNTIME_METHODS`` to define which runtime methods are exported. By default a bunch of useful methods are exported, which you may not need; setting this to a smaller list will cause fewer methods to be exported. In conjunction with the closure compiler, this can be very effective, since closure can eliminate non-exported code. See ``settings.js`` for more details. See ``test_no_nuthin`` in ``tests/test_other.py`` for an example usage in the test suite. - You can use ``ELIMINATE_DUPLICATE_FUNCTIONS`` to remove duplicate functions, which C++ templates often create. See ``settings.js`` for more details. - You can move some of your code into the `Emterpreter `_, which will then run much slower (as it is interpreted), but it will transfer all that code into a smaller amount of data. - You can use separate modules through `dynamic linking `_. That can increase the total code size of everything, but reduces the maximum size of a single module, which can help in some cases (e.g. if a single big module hits a memory limit). @@ -126,7 +126,7 @@ You can also do this manually, as follows: Running by itself ----------------- -If you hit memory limits in browsers, it can help to run your project by itself, as opposed to inside a web page containing other content. If you open a new web page (as a new tab, or a new window) that contains just your project, then you have the best chance at avoiding memory framentation issues. +If you hit memory limits in browsers, it can help to run your project by itself, as opposed to inside a web page containing other content. If you open a new web page (as a new tab, or a new window) that contains just your project, then you have the best chance at avoiding memory fragmentation issues. Outlining @@ -134,7 +134,7 @@ Outlining JavaScript engines will often compile very large functions slowly (relative to their size), and fail to optimize them effectively (or at all). One approach to this problem is to use "outlining": breaking them into smaller functions that can be compiled and optimized more effectively. -Outlining increases overall code size, and can itself make some code less optimised. Despite this, outlining can sometimes improve both startup and runtime speed. For more information see For more information read `Outlining: a workaround for JITs and big functions `_. +Outlining increases overall code size, and can itself make some code less optimised. Despite this, outlining can sometimes improve both startup and runtime speed. For more information read `Outlining: a workaround for JITs and big functions `_. The ``OUTLINING_LIMIT`` setting defines the function size at which Emscripten will try to break large functions into smaller ones. Search for this setting in `settings.js `_ for information on how to determine what functions may need to be outlined and how to choose an appropriate function size. diff --git a/site/source/docs/porting/connecting_cpp_and_javascript/Interacting-with-code.rst b/site/source/docs/porting/connecting_cpp_and_javascript/Interacting-with-code.rst index e0fc28c8f9abb..9f3c6a096cfed 100644 --- a/site/source/docs/porting/connecting_cpp_and_javascript/Interacting-with-code.rst +++ b/site/source/docs/porting/connecting_cpp_and_javascript/Interacting-with-code.rst @@ -376,10 +376,10 @@ If you add it to your own file, you should write something like first, so this add ``my_js`` onto ``LibraryManager.library``, the global object where all JavaScript library code should be. -JavaScript Limits in library files +JavaScript limits in library files ---------------------------------- -If you're not familar with JavaScript, say if you're a C/C++ programmer +If you're not familiar with JavaScript, say if you're a C/C++ programmer and just using emscripten, then the following issues probably won't come up, but if you're an experienced JavaScript programmer you need to be aware some common JavaScript practices can not be used in certain ways in emscripten @@ -397,7 +397,7 @@ key-value pairs are special. Interior code inside a function can have arbitrary JS, of course). To avoid this limitation of JS libraries, you can put code in another file using -the ``--pre-js`` or ``--post-js`` options, which allow arbitary normal +the ``--pre-js`` or ``--post-js`` options, which allow arbitrary normal JS, and it is included and optimized with the rest of the output. That is the recommended approach for most cases. Another option is another ``