summaryrefslogtreecommitdiff
diff options
context:
space:
mode:
-rw-r--r--.travis.yml2
-rw-r--r--modules/basis_universal/SCsub1
-rw-r--r--platform/javascript/SCsub41
-rw-r--r--platform/javascript/audio_driver_javascript.cpp93
-rw-r--r--platform/javascript/audio_driver_javascript.h1
-rw-r--r--platform/javascript/detect.py116
-rw-r--r--platform/javascript/emscripten_helpers.py37
-rw-r--r--platform/javascript/engine.js411
-rw-r--r--platform/javascript/engine/engine.js184
-rw-r--r--platform/javascript/engine/externs.js3
-rw-r--r--platform/javascript/engine/loader.js33
-rw-r--r--platform/javascript/engine/preloader.js139
-rw-r--r--platform/javascript/engine/utils.js69
-rw-r--r--platform/javascript/export/export.cpp8
-rw-r--r--platform/javascript/id_handler.js2
-rw-r--r--platform/javascript/os_javascript.cpp1
-rw-r--r--platform/javascript/pre.js5
-rw-r--r--thirdparty/README.md2
-rw-r--r--thirdparty/basis_universal/basisu_tool.cpp1548
19 files changed, 623 insertions, 2073 deletions
diff --git a/.travis.yml b/.travis.yml
index 1434447409..25b7795e13 100644
--- a/.travis.yml
+++ b/.travis.yml
@@ -119,7 +119,7 @@ matrix:
- name: Javascript export template (release, emscripten latest)
stage: build
- env: PLATFORM=javascript TOOLS=no TARGET=release CACHE_NAME=${PLATFORM}-emcc-latest EXTRA_ARGS="module_glslang_enabled=no"
+ env: PLATFORM=javascript TOOLS=no TARGET=release CACHE_NAME=${PLATFORM}-emcc-latest EXTRA_ARGS="use_closure_compiler=yes"
os: linux
compiler: clang
addons:
diff --git a/modules/basis_universal/SCsub b/modules/basis_universal/SCsub
index d7342358d7..63324e920b 100644
--- a/modules/basis_universal/SCsub
+++ b/modules/basis_universal/SCsub
@@ -22,7 +22,6 @@ tool_sources = [
"basisu_resample_filters.cpp",
"basisu_resampler.cpp",
"basisu_ssim.cpp",
- "basisu_tool.cpp",
"lodepng.cpp",
]
tool_sources = [thirdparty_dir + file for file in tool_sources]
diff --git a/platform/javascript/SCsub b/platform/javascript/SCsub
index 85a633442e..d3cd8f76b7 100644
--- a/platform/javascript/SCsub
+++ b/platform/javascript/SCsub
@@ -10,8 +10,11 @@ javascript_files = [
'os_javascript.cpp',
]
-build = env.add_program(['#bin/godot${PROGSUFFIX}.js', '#bin/godot${PROGSUFFIX}.wasm'], javascript_files);
-js, wasm = build
+build_targets = ['#bin/godot${PROGSUFFIX}.js', '#bin/godot${PROGSUFFIX}.wasm']
+if env['threads_enabled']:
+ build_targets.append('#bin/godot${PROGSUFFIX}.worker.js')
+
+build = env.add_program(build_targets, javascript_files)
js_libraries = [
'http_request.js',
@@ -27,18 +30,38 @@ for module in js_modules:
env.Append(LINKFLAGS=['--pre-js', env.File(module).path])
env.Depends(build, js_modules)
-wrapper_start = env.File('pre.js')
-wrapper_end = env.File('engine.js')
-js_wrapped = env.Textfile('#bin/godot', [wrapper_start, js, wrapper_end], TEXTFILESUFFIX='${PROGSUFFIX}.wrapped.js')
+engine = [
+ 'engine/preloader.js',
+ 'engine/loader.js',
+ 'engine/utils.js',
+ 'engine/engine.js',
+]
+externs = [
+ env.File('#platform/javascript/engine/externs.js')
+]
+js_engine = env.CreateEngineFile('#bin/godot${PROGSUFFIX}.engine.js', engine, externs)
+env.Depends(js_engine, externs)
+
+wrap_list = [
+ build[0],
+ js_engine,
+]
+js_wrapped = env.Textfile('#bin/godot', [env.File(f) for f in wrap_list], TEXTFILESUFFIX='${PROGSUFFIX}.wrapped.js')
zip_dir = env.Dir('#bin/.javascript_zip')
-zip_files = env.InstallAs([
+out_files = [
zip_dir.File('godot.js'),
zip_dir.File('godot.wasm'),
zip_dir.File('godot.html')
-], [
+]
+in_files = [
js_wrapped,
- wasm,
+ build[1],
'#misc/dist/html/full-size.html'
-])
+]
+if env['threads_enabled']:
+ in_files.append(build[2])
+ out_files.append(zip_dir.File('godot.worker.js'))
+
+zip_files = env.InstallAs(out_files, in_files)
env.Zip('#bin/godot', zip_files, ZIPROOT=zip_dir, ZIPSUFFIX='${PROGSUFFIX}${ZIPSUFFIX}', ZIPCOMSTR='Archving $SOURCES as $TARGET')
diff --git a/platform/javascript/audio_driver_javascript.cpp b/platform/javascript/audio_driver_javascript.cpp
index f1bc7c4382..d63c6a40a5 100644
--- a/platform/javascript/audio_driver_javascript.cpp
+++ b/platform/javascript/audio_driver_javascript.cpp
@@ -69,31 +69,37 @@ void AudioDriverJavaScript::process_capture(float sample) {
Error AudioDriverJavaScript::init() {
/* clang-format off */
- EM_ASM({
- _audioDriver_audioContext = new (window.AudioContext || window.webkitAudioContext);
- _audioDriver_audioInput = null;
- _audioDriver_inputStream = null;
- _audioDriver_scriptNode = null;
+ _driver_id = EM_ASM_INT({
+ return Module.IDHandler.add({
+ 'context': new (window.AudioContext || window.webkitAudioContext),
+ 'input': null,
+ 'stream': null,
+ 'script': null
+ });
});
/* clang-format on */
int channel_count = get_total_channels_by_speaker_mode(get_speaker_mode());
/* clang-format off */
buffer_length = EM_ASM_INT({
- var CHANNEL_COUNT = $0;
+ var ref = Module.IDHandler.get($0);
+ var ctx = ref['context'];
+ var CHANNEL_COUNT = $1;
- var channelCount = _audioDriver_audioContext.destination.channelCount;
+ var channelCount = ctx.destination.channelCount;
+ var script = null;
try {
// Try letting the browser recommend a buffer length.
- _audioDriver_scriptNode = _audioDriver_audioContext.createScriptProcessor(0, 2, channelCount);
+ script = ctx.createScriptProcessor(0, 2, channelCount);
} catch (e) {
// ...otherwise, default to 4096.
- _audioDriver_scriptNode = _audioDriver_audioContext.createScriptProcessor(4096, 2, channelCount);
+ script = ctx.createScriptProcessor(4096, 2, channelCount);
}
- _audioDriver_scriptNode.connect(_audioDriver_audioContext.destination);
+ script.connect(ctx.destination);
+ ref['script'] = script;
- return _audioDriver_scriptNode.bufferSize;
- }, channel_count);
+ return script.bufferSize;
+ }, _driver_id, channel_count);
/* clang-format on */
if (!buffer_length) {
return FAILED;
@@ -112,11 +118,12 @@ void AudioDriverJavaScript::start() {
/* clang-format off */
EM_ASM({
- var INTERNAL_BUFFER_PTR = $0;
+ const ref = Module.IDHandler.get($0);
+ var INTERNAL_BUFFER_PTR = $1;
var audioDriverMixFunction = cwrap('audio_driver_js_mix');
var audioDriverProcessCapture = cwrap('audio_driver_process_capture', null, ['number']);
- _audioDriver_scriptNode.onaudioprocess = function(audioProcessingEvent) {
+ ref['script'].onaudioprocess = function(audioProcessingEvent) {
audioDriverMixFunction();
var input = audioProcessingEvent.inputBuffer;
@@ -133,7 +140,7 @@ void AudioDriverJavaScript::start() {
}
}
- if (_audioDriver_audioInput) {
+ if (ref['input']) {
var inputDataL = input.getChannelData(0);
var inputDataR = input.getChannelData(1);
for (var i = 0; i < inputDataL.length; i++) {
@@ -142,34 +149,37 @@ void AudioDriverJavaScript::start() {
}
}
};
- }, internal_buffer);
+ }, _driver_id, internal_buffer);
/* clang-format on */
}
void AudioDriverJavaScript::resume() {
/* clang-format off */
EM_ASM({
- if (_audioDriver_audioContext.resume)
- _audioDriver_audioContext.resume();
- });
+ const ref = Module.IDHandler.get($0);
+ if (ref && ref['context'] && ref['context'].resume)
+ ref['context'].resume();
+ }, _driver_id);
/* clang-format on */
}
int AudioDriverJavaScript::get_mix_rate() const {
/* clang-format off */
- return EM_ASM_INT_V({
- return _audioDriver_audioContext.sampleRate;
- });
+ return EM_ASM_INT({
+ const ref = Module.IDHandler.get($0);
+ return ref && ref['context'] ? ref['context'].sampleRate : 0;
+ }, _driver_id);
/* clang-format on */
}
AudioDriver::SpeakerMode AudioDriverJavaScript::get_speaker_mode() const {
/* clang-format off */
- return get_speaker_mode_by_total_channels(EM_ASM_INT_V({
- return _audioDriver_audioContext.destination.channelCount;
- }));
+ return get_speaker_mode_by_total_channels(EM_ASM_INT({
+ const ref = Module.IDHandler.get($0);
+ return ref && ref['context'] ? ref['context'].destination.channelCount : 0;
+ }, _driver_id));
/* clang-format on */
}
@@ -184,16 +194,15 @@ void AudioDriverJavaScript::finish() {
/* clang-format off */
EM_ASM({
- _audioDriver_audioContext = null;
- _audioDriver_audioInput = null;
- _audioDriver_scriptNode = null;
- });
+ Module.IDHandler.remove($0);
+ }, _driver_id);
/* clang-format on */
if (internal_buffer) {
memdelete_arr(internal_buffer);
internal_buffer = NULL;
}
+ _driver_id = 0;
}
Error AudioDriverJavaScript::capture_start() {
@@ -203,9 +212,10 @@ Error AudioDriverJavaScript::capture_start() {
/* clang-format off */
EM_ASM({
function gotMediaInput(stream) {
- _audioDriver_inputStream = stream;
- _audioDriver_audioInput = _audioDriver_audioContext.createMediaStreamSource(stream);
- _audioDriver_audioInput.connect(_audioDriver_scriptNode);
+ var ref = Module.IDHandler.get($0);
+ ref['stream'] = stream;
+ ref['input'] = ref['context'].createMediaStreamSource(stream);
+ ref['input'].connect(ref['script']);
}
function gotMediaInputError(e) {
@@ -219,7 +229,7 @@ Error AudioDriverJavaScript::capture_start() {
navigator.getUserMedia = navigator.webkitGetUserMedia || navigator.mozGetUserMedia;
navigator.getUserMedia({"audio": true}, gotMediaInput, gotMediaInputError);
}
- });
+ }, _driver_id);
/* clang-format on */
return OK;
@@ -229,20 +239,21 @@ Error AudioDriverJavaScript::capture_stop() {
/* clang-format off */
EM_ASM({
- if (_audioDriver_inputStream) {
- const tracks = _audioDriver_inputStream.getTracks();
+ var ref = Module.IDHandler.get($0);
+ if (ref['stream']) {
+ const tracks = ref['stream'].getTracks();
for (var i = 0; i < tracks.length; i++) {
tracks[i].stop();
}
- _audioDriver_inputStream = null;
+ ref['stream'] = null;
}
- if (_audioDriver_audioInput) {
- _audioDriver_audioInput.disconnect();
- _audioDriver_audioInput = null;
+ if (ref['input']) {
+ ref['input'].disconnect();
+ ref['input'] = null;
}
- });
+ }, _driver_id);
/* clang-format on */
input_buffer.clear();
@@ -252,7 +263,9 @@ Error AudioDriverJavaScript::capture_stop() {
AudioDriverJavaScript::AudioDriverJavaScript() {
+ _driver_id = 0;
internal_buffer = NULL;
+ buffer_length = 0;
singleton = this;
}
diff --git a/platform/javascript/audio_driver_javascript.h b/platform/javascript/audio_driver_javascript.h
index 2bb97ba192..f6f2dacd4e 100644
--- a/platform/javascript/audio_driver_javascript.h
+++ b/platform/javascript/audio_driver_javascript.h
@@ -37,6 +37,7 @@ class AudioDriverJavaScript : public AudioDriver {
float *internal_buffer;
+ int _driver_id;
int buffer_length;
public:
diff --git a/platform/javascript/detect.py b/platform/javascript/detect.py
index 1766833364..fb02752aa7 100644
--- a/platform/javascript/detect.py
+++ b/platform/javascript/detect.py
@@ -1,5 +1,6 @@
import os
+from emscripten_helpers import parse_config, run_closure_compiler, create_engine_file
def is_active():
return True
@@ -18,6 +19,8 @@ def get_opts():
return [
# eval() can be a security concern, so it can be disabled.
BoolVariable('javascript_eval', 'Enable JavaScript eval interface', True),
+ BoolVariable('threads_enabled', 'Enable WebAssembly Threads support (limited browser support)', False),
+ BoolVariable('use_closure_compiler', 'Use closure compiler to minimize Javascript code', False),
]
@@ -37,7 +40,7 @@ def configure(env):
## Build type
- if env['target'] != 'debug':
+ if env['target'] == 'release':
# Use -Os to prioritize optimizing for reduced file size. This is
# particularly valuable for the web platform because it directly
# decreases download time.
@@ -46,38 +49,55 @@ def configure(env):
# run-time performance.
env.Append(CCFLAGS=['-Os'])
env.Append(LINKFLAGS=['-Os'])
- if env['target'] == 'release_debug':
- env.Append(CPPDEFINES=['DEBUG_ENABLED'])
- # Retain function names for backtraces at the cost of file size.
- env.Append(LINKFLAGS=['--profiling-funcs'])
- else:
+ elif env['target'] == 'release_debug':
+ env.Append(CCFLAGS=['-Os'])
+ env.Append(LINKFLAGS=['-Os'])
+ env.Append(CPPDEFINES=['DEBUG_ENABLED'])
+ # Retain function names for backtraces at the cost of file size.
+ env.Append(LINKFLAGS=['--profiling-funcs'])
+ else: # 'debug'
env.Append(CPPDEFINES=['DEBUG_ENABLED'])
env.Append(CCFLAGS=['-O1', '-g'])
env.Append(LINKFLAGS=['-O1', '-g'])
env.Append(LINKFLAGS=['-s', 'ASSERTIONS=1'])
- ## Compiler configuration
+ if env['tools']:
+ if not env['threads_enabled']:
+ raise RuntimeError("Threads must be enabled to build the editor. Please add the 'threads_enabled=yes' option")
+ # Tools need more memory. Initial stack memory in bytes. See `src/settings.js` in emscripten repository (will be renamed to INITIAL_MEMORY).
+ env.Append(LINKFLAGS=['-s', 'TOTAL_MEMORY=33554432'])
+ else:
+ # Disable exceptions and rtti on non-tools (template) builds
+ # These flags help keep the file size down.
+ env.Append(CCFLAGS=['-fno-exceptions', '-fno-rtti'])
+ # Don't use dynamic_cast, necessary with no-rtti.
+ env.Append(CPPDEFINES=['NO_SAFE_CAST'])
+ ## Copy env variables.
env['ENV'] = os.environ
- em_config_file = os.getenv('EM_CONFIG') or os.path.expanduser('~/.emscripten')
- if not os.path.exists(em_config_file):
- raise RuntimeError("Emscripten configuration file '%s' does not exist" % em_config_file)
- with open(em_config_file) as f:
- em_config = {}
- try:
- # Emscripten configuration file is a Python file with simple assignments.
- exec(f.read(), em_config)
- except StandardError as e:
- raise RuntimeError("Emscripten configuration file '%s' is invalid:\n%s" % (em_config_file, e))
- if 'BINARYEN_ROOT' in em_config and os.path.isdir(os.path.join(em_config.get('BINARYEN_ROOT'), 'emscripten')):
- # New style, emscripten path as a subfolder of BINARYEN_ROOT
- env.PrependENVPath('PATH', os.path.join(em_config.get('BINARYEN_ROOT'), 'emscripten'))
- elif 'EMSCRIPTEN_ROOT' in em_config:
- # Old style (but can be there as a result from previous activation, so do last)
- env.PrependENVPath('PATH', em_config.get('EMSCRIPTEN_ROOT'))
- else:
- raise RuntimeError("'BINARYEN_ROOT' or 'EMSCRIPTEN_ROOT' missing in Emscripten configuration file '%s'" % em_config_file)
+ # LTO
+ if env['use_lto']:
+ env.Append(CCFLAGS=['-s', 'WASM_OBJECT_FILES=0'])
+ env.Append(LINKFLAGS=['-s', 'WASM_OBJECT_FILES=0'])
+ env.Append(LINKFLAGS=['--llvm-lto', '1'])
+
+ # Closure compiler
+ if env['use_closure_compiler']:
+ # For emscripten support code.
+ env.Append(LINKFLAGS=['--closure', '1'])
+ # Register builder for our Engine files
+ jscc = env.Builder(generator=run_closure_compiler, suffix='.cc.js', src_suffix='.js')
+ env.Append(BUILDERS = {'BuildJS' : jscc})
+
+ # Add method that joins/compiles our Engine files.
+ env.AddMethod(create_engine_file, "CreateEngineFile")
+
+ # Closure compiler extern and support for ecmascript specs (const, let, etc).
+ env['ENV']['EMCC_CLOSURE_ARGS'] = '--language_in ECMASCRIPT6'
+
+ em_config = parse_config()
+ env.PrependENVPath('PATH', em_config['EMCC_ROOT'])
env['CC'] = 'emcc'
env['CXX'] = 'em++'
@@ -104,44 +124,31 @@ def configure(env):
env['LIBPREFIXES'] = ['$LIBPREFIX']
env['LIBSUFFIXES'] = ['$LIBSUFFIX']
- ## Compile flags
-
env.Prepend(CPPPATH=['#platform/javascript'])
env.Append(CPPDEFINES=['JAVASCRIPT_ENABLED', 'UNIX_ENABLED'])
- # No multi-threading (SharedArrayBuffer) available yet,
- # once feasible also consider memory buffer size issues.
- env.Append(CPPDEFINES=['NO_THREADS'])
-
- # Disable exceptions and rtti on non-tools (template) builds
- if not env['tools']:
- # These flags help keep the file size down.
- env.Append(CCFLAGS=['-fno-exceptions', '-fno-rtti'])
- # Don't use dynamic_cast, necessary with no-rtti.
- env.Append(CPPDEFINES=['NO_SAFE_CAST'])
-
if env['javascript_eval']:
env.Append(CPPDEFINES=['JAVASCRIPT_EVAL_ENABLED'])
- ## Link flags
+ # Thread support (via SharedArrayBuffer).
+ if env['threads_enabled']:
+ env.Append(CPPDEFINES=['PTHREAD_NO_RENAME'])
+ env.Append(CCFLAGS=['-s', 'USE_PTHREADS=1'])
+ env.Append(LINKFLAGS=['-s', 'USE_PTHREADS=1'])
+ env.Append(LINKFLAGS=['-s', 'PTHREAD_POOL_SIZE=4'])
+ env.Append(LINKFLAGS=['-s', 'WASM_MEM_MAX=2048MB'])
+ else:
+ env.Append(CPPDEFINES=['NO_THREADS'])
+
+ # Reduce code size by generating less support code (e.g. skip NodeJS support).
+ env.Append(LINKFLAGS=['-s', 'ENVIRONMENT=web,worker'])
# We use IDBFS in javascript_main.cpp. Since Emscripten 1.39.1 it needs to
# be linked explicitly.
env.Append(LIBS=['idbfs.js'])
env.Append(LINKFLAGS=['-s', 'BINARYEN=1'])
-
- # Only include the JavaScript support code for the web environment
- # (i.e. exclude Node.js and other unused environments).
- # This makes the JavaScript support code about 4 KB smaller.
- env.Append(LINKFLAGS=['-s', 'ENVIRONMENT=web'])
-
- # This needs to be defined for Emscripten using 'fastcomp' (default pre-1.39.0)
- # and undefined if using 'upstream'. And to make things simple, earlier
- # Emscripten versions didn't include 'fastcomp' in their path, so we check
- # against the presence of 'upstream' to conditionally add the flag.
- if not "upstream" in em_config['EMSCRIPTEN_ROOT']:
- env.Append(LINKFLAGS=['-s', 'BINARYEN_TRAP_MODE=\'clamp\''])
+ env.Append(LINKFLAGS=['-s', 'MODULARIZE=1', '-s', 'EXPORT_NAME="Godot"'])
# Allow increasing memory buffer size during runtime. This is efficient
# when using WebAssembly (in comparison to asm.js) and works well for
@@ -153,8 +160,5 @@ def configure(env):
env.Append(LINKFLAGS=['-s', 'INVOKE_RUN=0'])
- # TODO: Reevaluate usage of this setting now that engine.js manages engine runtime.
- env.Append(LINKFLAGS=['-s', 'NO_EXIT_RUNTIME=1'])
-
- #adding flag due to issue with emscripten 1.38.41 callMain method https://github.com/emscripten-core/emscripten/blob/incoming/ChangeLog.md#v13841-08072019
- env.Append(LINKFLAGS=['-s', 'EXTRA_EXPORTED_RUNTIME_METHODS=["callMain"]'])
+ # callMain for manual start, FS for preloading.
+ env.Append(LINKFLAGS=['-s', 'EXTRA_EXPORTED_RUNTIME_METHODS=["callMain", "FS"]'])
diff --git a/platform/javascript/emscripten_helpers.py b/platform/javascript/emscripten_helpers.py
new file mode 100644
index 0000000000..bda5b40a74
--- /dev/null
+++ b/platform/javascript/emscripten_helpers.py
@@ -0,0 +1,37 @@
+import os
+
+def parse_config():
+ em_config_file = os.getenv('EM_CONFIG') or os.path.expanduser('~/.emscripten')
+ if not os.path.exists(em_config_file):
+ raise RuntimeError("Emscripten configuration file '%s' does not exist" % em_config_file)
+
+ normalized = {}
+ em_config = {}
+ with open(em_config_file) as f:
+ try:
+ # Emscripten configuration file is a Python file with simple assignments.
+ exec(f.read(), em_config)
+ except StandardError as e:
+ raise RuntimeError("Emscripten configuration file '%s' is invalid:\n%s" % (em_config_file, e))
+ normalized['EMCC_ROOT'] = em_config.get('EMSCRIPTEN_ROOT')
+ normalized['NODE_JS'] = em_config.get('NODE_JS')
+ normalized['CLOSURE_BIN'] = os.path.join(normalized['EMCC_ROOT'], 'node_modules', '.bin', 'google-closure-compiler')
+ return normalized
+
+
+def run_closure_compiler(target, source, env, for_signature):
+ cfg = parse_config()
+ cmd = [cfg['NODE_JS'], cfg['CLOSURE_BIN']]
+ cmd.extend(['--compilation_level', 'ADVANCED_OPTIMIZATIONS'])
+ for f in env['JSEXTERNS']:
+ cmd.extend(['--externs', f.get_abspath()])
+ for f in source:
+ cmd.extend(['--js', f.get_abspath()])
+ cmd.extend(['--js_output_file', target[0].get_abspath()])
+ return ' '.join(cmd)
+
+
+def create_engine_file(env, target, source, externs):
+ if env['use_closure_compiler']:
+ return env.BuildJS(target, source, JSEXTERNS=externs)
+ return env.Textfile(target, [env.File(s) for s in source])
diff --git a/platform/javascript/engine.js b/platform/javascript/engine.js
deleted file mode 100644
index 227accadb0..0000000000
--- a/platform/javascript/engine.js
+++ /dev/null
@@ -1,411 +0,0 @@
- // The following is concatenated with generated code, and acts as the end
- // of a wrapper for said code. See pre.js for the other part of the
- // wrapper.
- exposedLibs['PATH'] = PATH;
- exposedLibs['FS'] = FS;
- return Module;
- },
-};
-
-(function() {
- var engine = Engine;
-
- var DOWNLOAD_ATTEMPTS_MAX = 4;
-
- var basePath = null;
- var wasmFilenameExtensionOverride = null;
- var engineLoadPromise = null;
-
- var loadingFiles = {};
-
- function getPathLeaf(path) {
-
- while (path.endsWith('/'))
- path = path.slice(0, -1);
- return path.slice(path.lastIndexOf('/') + 1);
- }
-
- function getBasePath(path) {
-
- if (path.endsWith('/'))
- path = path.slice(0, -1);
- if (path.lastIndexOf('.') > path.lastIndexOf('/'))
- path = path.slice(0, path.lastIndexOf('.'));
- return path;
- }
-
- function getBaseName(path) {
-
- return getPathLeaf(getBasePath(path));
- }
-
- Engine = function Engine() {
-
- this.rtenv = null;
-
- var LIBS = {};
-
- var initPromise = null;
- var unloadAfterInit = true;
-
- var preloadedFiles = [];
-
- var resizeCanvasOnStart = true;
- var progressFunc = null;
- var preloadProgressTracker = {};
- var lastProgress = { loaded: 0, total: 0 };
-
- var canvas = null;
- var executableName = null;
- var locale = null;
- var stdout = null;
- var stderr = null;
-
- this.init = function(newBasePath) {
-
- if (!initPromise) {
- initPromise = Engine.load(newBasePath).then(
- instantiate.bind(this)
- );
- requestAnimationFrame(animateProgress);
- if (unloadAfterInit)
- initPromise.then(Engine.unloadEngine);
- }
- return initPromise;
- };
-
- function instantiate(wasmBuf) {
-
- var rtenvProps = {
- engine: this,
- ENV: {},
- };
- if (typeof stdout === 'function')
- rtenvProps.print = stdout;
- if (typeof stderr === 'function')
- rtenvProps.printErr = stderr;
- rtenvProps.instantiateWasm = function(imports, onSuccess) {
- WebAssembly.instantiate(wasmBuf, imports).then(function(result) {
- onSuccess(result.instance);
- });
- return {};
- };
-
- return new Promise(function(resolve, reject) {
- rtenvProps.onRuntimeInitialized = resolve;
- rtenvProps.onAbort = reject;
- rtenvProps.thisProgram = executableName;
- rtenvProps.engine.rtenv = Engine.RuntimeEnvironment(rtenvProps, LIBS);
- });
- }
-
- this.preloadFile = function(pathOrBuffer, destPath) {
-
- if (pathOrBuffer instanceof ArrayBuffer) {
- pathOrBuffer = new Uint8Array(pathOrBuffer);
- } else if (ArrayBuffer.isView(pathOrBuffer)) {
- pathOrBuffer = new Uint8Array(pathOrBuffer.buffer);
- }
- if (pathOrBuffer instanceof Uint8Array) {
- preloadedFiles.push({
- path: destPath,
- buffer: pathOrBuffer
- });
- return Promise.resolve();
- } else if (typeof pathOrBuffer === 'string') {
- return loadPromise(pathOrBuffer, preloadProgressTracker).then(function(xhr) {
- preloadedFiles.push({
- path: destPath || pathOrBuffer,
- buffer: xhr.response
- });
- });
- } else {
- throw Promise.reject("Invalid object for preloading");
- }
- };
-
- this.start = function() {
-
- return this.init().then(
- Function.prototype.apply.bind(synchronousStart, this, arguments)
- );
- };
-
- this.startGame = function(execName, mainPack) {
-
- executableName = execName;
- var mainArgs = [ '--main-pack', getPathLeaf(mainPack) ];
-
- return Promise.all([
- this.init(getBasePath(execName)),
- this.preloadFile(mainPack, getPathLeaf(mainPack))
- ]).then(
- Function.prototype.apply.bind(synchronousStart, this, mainArgs)
- );
- };
-
- function synchronousStart() {
-
- if (canvas instanceof HTMLCanvasElement) {
- this.rtenv.canvas = canvas;
- } else {
- var firstCanvas = document.getElementsByTagName('canvas')[0];
- if (firstCanvas instanceof HTMLCanvasElement) {
- this.rtenv.canvas = firstCanvas;
- } else {
- throw new Error("No canvas found");
- }
- }
-
- var actualCanvas = this.rtenv.canvas;
- // canvas can grab focus on click
- if (actualCanvas.tabIndex < 0) {
- actualCanvas.tabIndex = 0;
- }
- // necessary to calculate cursor coordinates correctly
- actualCanvas.style.padding = 0;
- actualCanvas.style.borderWidth = 0;
- actualCanvas.style.borderStyle = 'none';
- // disable right-click context menu
- actualCanvas.addEventListener('contextmenu', function(ev) {
- ev.preventDefault();
- }, false);
- // until context restoration is implemented
- actualCanvas.addEventListener('webglcontextlost', function(ev) {
- alert("WebGL context lost, please reload the page");
- ev.preventDefault();
- }, false);
-
- if (locale) {
- this.rtenv.locale = locale;
- } else {
- this.rtenv.locale = navigator.languages ? navigator.languages[0] : navigator.language;
- }
- this.rtenv.locale = this.rtenv.locale.split('.')[0];
- this.rtenv.resizeCanvasOnStart = resizeCanvasOnStart;
-
- preloadedFiles.forEach(function(file) {
- var dir = LIBS.PATH.dirname(file.path);
- try {
- LIBS.FS.stat(dir);
- } catch (e) {
- if (e.code !== 'ENOENT') {
- throw e;
- }
- LIBS.FS.mkdirTree(dir);
- }
- // With memory growth, canOwn should be false.
- LIBS.FS.createDataFile(file.path, null, new Uint8Array(file.buffer), true, true, false);
- }, this);
-
- preloadedFiles = null;
- initPromise = null;
- this.rtenv.callMain(arguments);
- }
-
- this.setProgressFunc = function(func) {
- progressFunc = func;
- };
-
- this.setResizeCanvasOnStart = function(enabled) {
- resizeCanvasOnStart = enabled;
- };
-
- function animateProgress() {
-
- var loaded = 0;
- var total = 0;
- var totalIsValid = true;
- var progressIsFinal = true;
-
- [loadingFiles, preloadProgressTracker].forEach(function(tracker) {
- Object.keys(tracker).forEach(function(file) {
- if (!tracker[file].final)
- progressIsFinal = false;
- if (!totalIsValid || tracker[file].total === 0) {
- totalIsValid = false;
- total = 0;
- } else {
- total += tracker[file].total;
- }
- loaded += tracker[file].loaded;
- });
- });
- if (loaded !== lastProgress.loaded || total !== lastProgress.total) {
- lastProgress.loaded = loaded;
- lastProgress.total = total;
- if (typeof progressFunc === 'function')
- progressFunc(loaded, total);
- }
- if (!progressIsFinal)
- requestAnimationFrame(animateProgress);
- }
-
- this.setCanvas = function(elem) {
- canvas = elem;
- };
-
- this.setExecutableName = function(newName) {
-
- executableName = newName;
- };
-
- this.setLocale = function(newLocale) {
-
- locale = newLocale;
- };
-
- this.setUnloadAfterInit = function(enabled) {
-
- if (enabled && !unloadAfterInit && initPromise) {
- initPromise.then(Engine.unloadEngine);
- }
- unloadAfterInit = enabled;
- };
-
- this.setStdoutFunc = function(func) {
-
- var print = function(text) {
- if (arguments.length > 1) {
- text = Array.prototype.slice.call(arguments).join(" ");
- }
- func(text);
- };
- if (this.rtenv)
- this.rtenv.print = print;
- stdout = print;
- };
-
- this.setStderrFunc = function(func) {
-
- var printErr = function(text) {
- if (arguments.length > 1)
- text = Array.prototype.slice.call(arguments).join(" ");
- func(text);
- };
- if (this.rtenv)
- this.rtenv.printErr = printErr;
- stderr = printErr;
- };
-
-
- }; // Engine()
-
- Engine.RuntimeEnvironment = engine.RuntimeEnvironment;
-
- Engine.isWebGLAvailable = function(majorVersion = 1) {
-
- var testContext = false;
- try {
- var testCanvas = document.createElement('canvas');
- if (majorVersion === 1) {
- testContext = testCanvas.getContext('webgl') || testCanvas.getContext('experimental-webgl');
- } else if (majorVersion === 2) {
- testContext = testCanvas.getContext('webgl2') || testCanvas.getContext('experimental-webgl2');
- }
- } catch (e) {}
- return !!testContext;
- };
-
- Engine.setWebAssemblyFilenameExtension = function(override) {
-
- if (String(override).length === 0) {
- throw new Error('Invalid WebAssembly filename extension override');
- }
- wasmFilenameExtensionOverride = String(override);
- }
-
- Engine.load = function(newBasePath) {
-
- if (newBasePath !== undefined) basePath = getBasePath(newBasePath);
- if (engineLoadPromise === null) {
- if (typeof WebAssembly !== 'object')
- return Promise.reject(new Error("Browser doesn't support WebAssembly"));
- // TODO cache/retrieve module to/from idb
- engineLoadPromise = loadPromise(basePath + '.' + (wasmFilenameExtensionOverride || 'wasm')).then(function(xhr) {
- return xhr.response;
- });
- engineLoadPromise = engineLoadPromise.catch(function(err) {
- engineLoadPromise = null;
- throw err;
- });
- }
- return engineLoadPromise;
- };
-
- Engine.unload = function() {
- engineLoadPromise = null;
- };
-
- function loadPromise(file, tracker) {
- if (tracker === undefined)
- tracker = loadingFiles;
- return new Promise(function(resolve, reject) {
- loadXHR(resolve, reject, file, tracker);
- });
- }
-
- function loadXHR(resolve, reject, file, tracker) {
-
- var xhr = new XMLHttpRequest;
- xhr.open('GET', file);
- if (!file.endsWith('.js')) {
- xhr.responseType = 'arraybuffer';
- }
- ['loadstart', 'progress', 'load', 'error', 'abort'].forEach(function(ev) {
- xhr.addEventListener(ev, onXHREvent.bind(xhr, resolve, reject, file, tracker));
- });
- xhr.send();
- }
-
- function onXHREvent(resolve, reject, file, tracker, ev) {
-
- if (this.status >= 400) {
-
- if (this.status < 500 || ++tracker[file].attempts >= DOWNLOAD_ATTEMPTS_MAX) {
- reject(new Error("Failed loading file '" + file + "': " + this.statusText));
- this.abort();
- return;
- } else {
- setTimeout(loadXHR.bind(null, resolve, reject, file, tracker), 1000);
- }
- }
-
- switch (ev.type) {
- case 'loadstart':
- if (tracker[file] === undefined) {
- tracker[file] = {
- total: ev.total,
- loaded: ev.loaded,
- attempts: 0,
- final: false,
- };
- }
- break;
-
- case 'progress':
- tracker[file].loaded = ev.loaded;
- tracker[file].total = ev.total;
- break;
-
- case 'load':
- tracker[file].final = true;
- resolve(this);
- break;
-
- case 'error':
- if (++tracker[file].attempts >= DOWNLOAD_ATTEMPTS_MAX) {
- tracker[file].final = true;
- reject(new Error("Failed loading file '" + file + "'"));
- } else {
- setTimeout(loadXHR.bind(null, resolve, reject, file, tracker), 1000);
- }
- break;
-
- case 'abort':
- tracker[file].final = true;
- reject(new Error("Loading file '" + file + "' was aborted."));
- break;
- }
- }
-})();
diff --git a/platform/javascript/engine/engine.js b/platform/javascript/engine/engine.js
new file mode 100644
index 0000000000..6d7509377f
--- /dev/null
+++ b/platform/javascript/engine/engine.js
@@ -0,0 +1,184 @@
+Function('return this')()['Engine'] = (function() {
+
+ var unloadAfterInit = true;
+ var canvas = null;
+ var resizeCanvasOnStart = false;
+ var customLocale = 'en_US';
+ var wasmExt = '.wasm';
+
+ var preloader = new Preloader();
+ var loader = new Loader();
+ var rtenv = null;
+
+ var executableName = '';
+ var loadPath = '';
+ var loadPromise = null;
+ var initPromise = null;
+ var stderr = null;
+ var stdout = null;
+ var progressFunc = null;
+
+ function load(basePath) {
+ if (loadPromise == null) {
+ loadPath = basePath;
+ loadPromise = preloader.loadPromise(basePath + wasmExt);
+ preloader.setProgressFunc(progressFunc);
+ requestAnimationFrame(preloader.animateProgress);
+ }
+ return loadPromise;
+ };
+
+ function unload() {
+ loadPromise = null;
+ };
+
+ /** @constructor */
+ function Engine() {};
+
+ Engine.prototype.init = /** @param {string=} basePath */ function(basePath) {
+ if (initPromise) {
+ return initPromise;
+ }
+ if (!loadPromise) {
+ if (!basePath) {
+ initPromise = Promise.reject(new Error("A base path must be provided when calling `init` and the engine is not loaded."));
+ return initPromise;
+ }
+ load(basePath);
+ }
+ var config = {}
+ if (typeof stdout === 'function')
+ config.print = stdout;
+ if (typeof stderr === 'function')
+ config.printErr = stderr;
+ initPromise = loader.init(loadPromise, loadPath, config).then(function() {
+ return new Promise(function(resolve, reject) {
+ rtenv = loader.env;
+ if (unloadAfterInit) {
+ loadPromise = null;
+ }
+ resolve();
+ });
+ });
+ return initPromise;
+ };
+
+ /** @type {function(string, string):Object} */
+ Engine.prototype.preloadFile = function(file, path) {
+ return preloader.preload(file, path);
+ };
+
+ /** @type {function(...string):Object} */
+ Engine.prototype.start = function() {
+ // Start from arguments.
+ var args = [];
+ for (var i = 0; i < arguments.length; i++) {
+ args.push(arguments[i]);
+ }
+ var me = this;
+ return new Promise(function(resolve, reject) {
+ return me.init().then(function() {
+ if (!(canvas instanceof HTMLCanvasElement)) {
+ canvas = Utils.findCanvas();
+ }
+ rtenv['locale'] = customLocale;
+ rtenv['canvas'] = canvas;
+ rtenv['thisProgram'] = executableName;
+ rtenv['resizeCanvasOnStart'] = resizeCanvasOnStart;
+ loader.start(preloader.preloadedFiles, args).then(function() {
+ loader = null;
+ initPromise = null;
+ resolve();
+ });
+ });
+ });
+ };
+
+ Engine.prototype.startGame = function(execName, mainPack) {
+ // Start and init with execName as loadPath if not inited.
+ executableName = execName;
+ var me = this;
+ return Promise.all([
+ this.init(execName),
+ this.preloadFile(mainPack, mainPack)
+ ]).then(function() {
+ return me.start('--main-pack', mainPack);
+ });
+ };
+
+ Engine.prototype.setWebAssemblyFilenameExtension = function(override) {
+ if (String(override).length === 0) {
+ throw new Error('Invalid WebAssembly filename extension override');
+ }
+ wasmExt = String(override);
+ };
+
+ Engine.prototype.setUnloadAfterInit = function(enabled) {
+ unloadAfterInit = enabled;
+ };
+
+ Engine.prototype.setCanvas = function(canvasElem) {
+ canvas = canvasElem;
+ };
+
+ Engine.prototype.setCanvasResizedOnStart = function(enabled) {
+ resizeCanvasOnStart = enabled;
+ };
+
+ Engine.prototype.setLocale = function(locale) {
+ customLocale = locale;
+ };
+
+ Engine.prototype.setExecutableName = function(newName) {
+ executableName = newName;
+ };
+
+ Engine.prototype.setProgressFunc = function(func) {
+ progressFunc = func;
+ }
+
+ Engine.prototype.setStdoutFunc = function(func) {
+
+ var print = function(text) {
+ if (arguments.length > 1) {
+ text = Array.prototype.slice.call(arguments).join(" ");
+ }
+ func(text);
+ };
+ if (rtenv)
+ rtenv.print = print;
+ stdout = print;
+ };
+
+ Engine.prototype.setStderrFunc = function(func) {
+
+ var printErr = function(text) {
+ if (arguments.length > 1)
+ text = Array.prototype.slice.call(arguments).join(" ");
+ func(text);
+ };
+ if (rtenv)
+ rtenv.printErr = printErr;
+ stderr = printErr;
+ };
+
+ // Closure compiler exported engine methods.
+ /** @export */
+ Engine['isWebGLAvailable'] = Utils.isWebGLAvailable;
+ Engine['load'] = load;
+ Engine['unload'] = unload;
+ Engine.prototype['init'] = Engine.prototype.init
+ Engine.prototype['preloadFile'] = Engine.prototype.preloadFile
+ Engine.prototype['start'] = Engine.prototype.start
+ Engine.prototype['startGame'] = Engine.prototype.startGame
+ Engine.prototype['setWebAssemblyFilenameExtension'] = Engine.prototype.setWebAssemblyFilenameExtension
+ Engine.prototype['setUnloadAfterInit'] = Engine.prototype.setUnloadAfterInit
+ Engine.prototype['setCanvas'] = Engine.prototype.setCanvas
+ Engine.prototype['setCanvasResizedOnStart'] = Engine.prototype.setCanvasResizedOnStart
+ Engine.prototype['setLocale'] = Engine.prototype.setLocale
+ Engine.prototype['setExecutableName'] = Engine.prototype.setExecutableName
+ Engine.prototype['setProgressFunc'] = Engine.prototype.setProgressFunc
+ Engine.prototype['setStdoutFunc'] = Engine.prototype.setStdoutFunc
+ Engine.prototype['setStderrFunc'] = Engine.prototype.setStderrFunc
+ return Engine;
+})();
diff --git a/platform/javascript/engine/externs.js b/platform/javascript/engine/externs.js
new file mode 100644
index 0000000000..1a94dd15ec
--- /dev/null
+++ b/platform/javascript/engine/externs.js
@@ -0,0 +1,3 @@
+var Godot;
+var WebAssembly = {};
+WebAssembly.instantiate = function(buffer, imports) {};
diff --git a/platform/javascript/engine/loader.js b/platform/javascript/engine/loader.js
new file mode 100644
index 0000000000..d27fbf612e
--- /dev/null
+++ b/platform/javascript/engine/loader.js
@@ -0,0 +1,33 @@
+var Loader = /** @constructor */ function() {
+
+ this.env = null;
+
+ this.init = function(loadPromise, basePath, config) {
+ var me = this;
+ return new Promise(function(resolve, reject) {
+ var cfg = config || {};
+ cfg['locateFile'] = Utils.createLocateRewrite(basePath);
+ cfg['instantiateWasm'] = Utils.createInstantiatePromise(loadPromise);
+ loadPromise = null;
+ Godot(cfg).then(function(module) {
+ me.env = module;
+ resolve();
+ });
+ });
+ }
+
+ this.start = function(preloadedFiles, args) {
+ var me = this;
+ return new Promise(function(resolve, reject) {
+ if (!me.env) {
+ reject(new Error('The engine must be initialized before it can be started'));
+ }
+ preloadedFiles.forEach(function(file) {
+ Utils.copyToFS(me.env['FS'], file.path, file.buffer);
+ });
+ preloadedFiles.length = 0; // Clear memory
+ me.env['callMain'](args);
+ resolve();
+ });
+ }
+};
diff --git a/platform/javascript/engine/preloader.js b/platform/javascript/engine/preloader.js
new file mode 100644
index 0000000000..17918eae38
--- /dev/null
+++ b/platform/javascript/engine/preloader.js
@@ -0,0 +1,139 @@
+var Preloader = /** @constructor */ function() {
+
+ var DOWNLOAD_ATTEMPTS_MAX = 4;
+ var progressFunc = null;
+ var lastProgress = { loaded: 0, total: 0 };
+
+ var loadingFiles = {};
+ this.preloadedFiles = [];
+
+ function loadXHR(resolve, reject, file, tracker) {
+ var xhr = new XMLHttpRequest;
+ xhr.open('GET', file);
+ if (!file.endsWith('.js')) {
+ xhr.responseType = 'arraybuffer';
+ }
+ ['loadstart', 'progress', 'load', 'error', 'abort'].forEach(function(ev) {
+ xhr.addEventListener(ev, onXHREvent.bind(xhr, resolve, reject, file, tracker));
+ });
+ xhr.send();
+ }
+
+ function onXHREvent(resolve, reject, file, tracker, ev) {
+
+ if (this.status >= 400) {
+
+ if (this.status < 500 || ++tracker[file].attempts >= DOWNLOAD_ATTEMPTS_MAX) {
+ reject(new Error("Failed loading file '" + file + "': " + this.statusText));
+ this.abort();
+ return;
+ } else {
+ setTimeout(loadXHR.bind(null, resolve, reject, file, tracker), 1000);
+ }
+ }
+
+ switch (ev.type) {
+ case 'loadstart':
+ if (tracker[file] === undefined) {
+ tracker[file] = {
+ total: ev.total,
+ loaded: ev.loaded,
+ attempts: 0,
+ final: false,
+ };
+ }
+ break;
+
+ case 'progress':
+ tracker[file].loaded = ev.loaded;
+ tracker[file].total = ev.total;
+ break;
+
+ case 'load':
+ tracker[file].final = true;
+ resolve(this);
+ break;
+
+ case 'error':
+ if (++tracker[file].attempts >= DOWNLOAD_ATTEMPTS_MAX) {
+ tracker[file].final = true;
+ reject(new Error("Failed loading file '" + file + "'"));
+ } else {
+ setTimeout(loadXHR.bind(null, resolve, reject, file, tracker), 1000);
+ }
+ break;
+
+ case 'abort':
+ tracker[file].final = true;
+ reject(new Error("Loading file '" + file + "' was aborted."));
+ break;
+ }
+ }
+
+ this.loadPromise = function(file) {
+ return new Promise(function(resolve, reject) {
+ loadXHR(resolve, reject, file, loadingFiles);
+ });
+ }
+
+ this.preload = function(pathOrBuffer, destPath) {
+ if (pathOrBuffer instanceof ArrayBuffer) {
+ pathOrBuffer = new Uint8Array(pathOrBuffer);
+ } else if (ArrayBuffer.isView(pathOrBuffer)) {
+ pathOrBuffer = new Uint8Array(pathOrBuffer.buffer);
+ }
+ if (pathOrBuffer instanceof Uint8Array) {
+ this.preloadedFiles.push({
+ path: destPath,
+ buffer: pathOrBuffer
+ });
+ return Promise.resolve();
+ } else if (typeof pathOrBuffer === 'string') {
+ var me = this;
+ return this.loadPromise(pathOrBuffer).then(function(xhr) {
+ me.preloadedFiles.push({
+ path: destPath || pathOrBuffer,
+ buffer: xhr.response
+ });
+ return Promise.resolve();
+ });
+ } else {
+ throw Promise.reject("Invalid object for preloading");
+ }
+ };
+
+ var animateProgress = function() {
+
+ var loaded = 0;
+ var total = 0;
+ var totalIsValid = true;
+ var progressIsFinal = true;
+
+ Object.keys(loadingFiles).forEach(function(file) {
+ const stat = loadingFiles[file];
+ if (!stat.final) {
+ progressIsFinal = false;
+ }
+ if (!totalIsValid || stat.total === 0) {
+ totalIsValid = false;
+ total = 0;
+ } else {
+ total += stat.total;
+ }
+ loaded += stat.loaded;
+ });
+ if (loaded !== lastProgress.loaded || total !== lastProgress.total) {
+ lastProgress.loaded = loaded;
+ lastProgress.total = total;
+ if (typeof progressFunc === 'function')
+ progressFunc(loaded, total);
+ }
+ if (!progressIsFinal)
+ requestAnimationFrame(animateProgress);
+ }
+ this.animateProgress = animateProgress; // Also exposed to start it.
+
+ this.setProgressFunc = function(callback) {
+ progressFunc = callback;
+ }
+};
diff --git a/platform/javascript/engine/utils.js b/platform/javascript/engine/utils.js
new file mode 100644
index 0000000000..fdff90a923
--- /dev/null
+++ b/platform/javascript/engine/utils.js
@@ -0,0 +1,69 @@
+var Utils = {
+
+ createLocateRewrite: function(execName) {
+ function rw(path) {
+ if (path.endsWith('.worker.js')) {
+ return execName + '.worker.js';
+ } else if (path.endsWith('.js')) {
+ return execName + '.js';
+ } else if (path.endsWith('.wasm')) {
+ return execName + '.wasm';
+ }
+ }
+ return rw;
+ },
+
+ createInstantiatePromise: function(wasmLoader) {
+ function instantiateWasm(imports, onSuccess) {
+ wasmLoader.then(function(xhr) {
+ WebAssembly.instantiate(xhr.response, imports).then(function(result) {
+ onSuccess(result['instance'], result['module']);
+ });
+ });
+ wasmLoader = null;
+ return {};
+ };
+
+ return instantiateWasm;
+ },
+
+ copyToFS: function(fs, path, buffer) {
+ var p = path.lastIndexOf("/");
+ var dir = "/";
+ if (p > 0) {
+ dir = path.slice(0, path.lastIndexOf("/"));
+ }
+ try {
+ fs.stat(dir);
+ } catch (e) {
+ if (e.errno !== 44) { // 'ENOENT', see https://github.com/emscripten-core/emscripten/blob/master/system/lib/libc/musl/arch/emscripten/bits/errno.h
+ throw e;
+ }
+ fs['mkdirTree'](dir);
+ }
+ // With memory growth, canOwn should be false.
+ fs['writeFile'](path, new Uint8Array(buffer), {'flags': 'wx+'});
+ },
+
+ findCanvas: function() {
+ var nodes = document.getElementsByTagName('canvas');
+ if (nodes.length && nodes[0] instanceof HTMLCanvasElement) {
+ return nodes[0];
+ }
+ throw new Error("No canvas found");
+ },
+
+ isWebGLAvailable: function(majorVersion = 1) {
+
+ var testContext = false;
+ try {
+ var testCanvas = document.createElement('canvas');
+ if (majorVersion === 1) {
+ testContext = testCanvas.getContext('webgl') || testCanvas.getContext('experimental-webgl');
+ } else if (majorVersion === 2) {
+ testContext = testCanvas.getContext('webgl2') || testCanvas.getContext('experimental-webgl2');
+ }
+ } catch (e) {}
+ return !!testContext;
+ }
+};
diff --git a/platform/javascript/export/export.cpp b/platform/javascript/export/export.cpp
index f0326d5027..da61425747 100644
--- a/platform/javascript/export/export.cpp
+++ b/platform/javascript/export/export.cpp
@@ -94,6 +94,9 @@ public:
} else if (req[1] == basereq + ".js") {
filepath += ".js";
ctype = "application/javascript";
+ } else if (req[1] == basereq + ".worker.js") {
+ filepath += ".worker.js";
+ ctype = "application/javascript";
} else if (req[1] == basereq + ".pck") {
filepath += ".pck";
ctype = "application/octet-stream";
@@ -432,6 +435,10 @@ Error EditorExportPlatformJavaScript::export_project(const Ref<EditorExportPrese
} else if (file == "godot.js") {
file = p_path.get_file().get_basename() + ".js";
+ } else if (file == "godot.worker.js") {
+
+ file = p_path.get_file().get_basename() + ".worker.js";
+
} else if (file == "godot.wasm") {
file = p_path.get_file().get_basename() + ".wasm";
@@ -563,6 +570,7 @@ Error EditorExportPlatformJavaScript::run(const Ref<EditorExportPreset> &p_prese
// Export generates several files, clean them up on failure.
DirAccess::remove_file_or_error(basepath + ".html");
DirAccess::remove_file_or_error(basepath + ".js");
+ DirAccess::remove_file_or_error(basepath + ".worker.js");
DirAccess::remove_file_or_error(basepath + ".pck");
DirAccess::remove_file_or_error(basepath + ".png");
DirAccess::remove_file_or_error(basepath + ".wasm");
diff --git a/platform/javascript/id_handler.js b/platform/javascript/id_handler.js
index 3851123ed1..67d29075b8 100644
--- a/platform/javascript/id_handler.js
+++ b/platform/javascript/id_handler.js
@@ -28,7 +28,7 @@
/* SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */
/*************************************************************************/
-var IDHandler = function() {
+var IDHandler = /** @constructor */ function() {
var ids = {};
var size = 0;
diff --git a/platform/javascript/os_javascript.cpp b/platform/javascript/os_javascript.cpp
index 9ba0223387..1d7a16db80 100644
--- a/platform/javascript/os_javascript.cpp
+++ b/platform/javascript/os_javascript.cpp
@@ -935,6 +935,7 @@ Error OS_JavaScript::initialize(const VideoMode &p_desired, int p_video_driver,
if (p_desired.fullscreen) {
/* clang-format off */
EM_ASM({
+ const canvas = Module.canvas;
(canvas.requestFullscreen || canvas.msRequestFullscreen ||
canvas.mozRequestFullScreen || canvas.mozRequestFullscreen ||
canvas.webkitRequestFullscreen
diff --git a/platform/javascript/pre.js b/platform/javascript/pre.js
deleted file mode 100644
index a870e676ea..0000000000
--- a/platform/javascript/pre.js
+++ /dev/null
@@ -1,5 +0,0 @@
-var Engine = {
- RuntimeEnvironment: function(Module, exposedLibs) {
- // The above is concatenated with generated code, and acts as the start of
- // a wrapper for said code. See engine.js for the other part of the
- // wrapper.
diff --git a/thirdparty/README.md b/thirdparty/README.md
index 5c9c114ad1..b52b68fe47 100644
--- a/thirdparty/README.md
+++ b/thirdparty/README.md
@@ -32,7 +32,7 @@ Files extracted from upstream source:
Files extracted from upstream source:
-- `.cpp` and `.h` files in root folder
+- `.cpp` and `.h` files in root folder except for `basisu_tool.cpp` (contains `main` and can cause link error)
- `.cpp`, `.h` and `.inc` files in `transcoder/`, keeping folder structure
- `LICENSE`
diff --git a/thirdparty/basis_universal/basisu_tool.cpp b/thirdparty/basis_universal/basisu_tool.cpp
deleted file mode 100644
index 8172a8c5cc..0000000000
--- a/thirdparty/basis_universal/basisu_tool.cpp
+++ /dev/null
@@ -1,1548 +0,0 @@
-// basisu_tool.cpp
-// Copyright (C) 2019 Binomial LLC. All Rights Reserved.
-// Licensed under the Apache License, Version 2.0 (the "License");
-// you may not use this file except in compliance with the License.
-// You may obtain a copy of the License at
-//
-// http://www.apache.org/licenses/LICENSE-2.0
-//
-// Unless required by applicable law or agreed to in writing, software
-// distributed under the License is distributed on an "AS IS" BASIS,
-// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-// See the License for the specific language governing permissions and
-// limitations under the License.
-#include "transcoder/basisu.h"
-#include "transcoder/basisu_transcoder_internal.h"
-#include "basisu_enc.h"
-#include "basisu_etc.h"
-#include "basisu_gpu_texture.h"
-#include "basisu_frontend.h"
-#include "basisu_backend.h"
-#include "transcoder/basisu_global_selector_palette.h"
-#include "basisu_comp.h"
-#include "transcoder/basisu_transcoder.h"
-#include "basisu_ssim.h"
-
-#define BASISU_CATCH_EXCEPTIONS 1
-
-using namespace basisu;
-
-#define BASISU_TOOL_VERSION "1.10.00"
-
-enum tool_mode
-{
- cDefault,
- cCompress,
- cValidate,
- cUnpack,
- cCompare,
- cVersion,
-};
-
-static void print_usage()
-{
- printf("\nUsage: basisu filename [filename ...] <options>\n");
-
- puts("\n"
- "The default mode is compression of one or more PNG files to a .basis file. Alternate modes:\n"
- " -unpack: Use transcoder to unpack .basis file to one or more .ktx/.png files\n"
- " -validate: Validate and display information about a .basis file\n"
- " -compare: Compare two PNG images specified with -file, output PSNR and SSIM statistics and RGB/A delta images\n"
- " -version: Print basisu version and exit\n"
- "Unless an explicit mode is specified, if one or more files have the .basis extension this tool defaults to unpack mode.\n"
- "\n"
- "Important: By default, the compressor assumes the input is in the sRGB colorspace (like photos/albedo textures).\n"
- "If the input is NOT sRGB (like a normal map), be sure to specify -linear for less artifacts. Depending on the content type, some experimentation may be needed.\n"
- "\n"
- "Filenames prefixed with a @ symbol are read as filename listing files. Listing text files specify which actual filenames to process (one filename per line).\n"
- "\n"
- "Options:\n"
- " -file filename.png: Input image filename, multiple images are OK, use -file X for each input filename (prefixing input filenames with -file is optional)\n"
- " -alpha_file filename.png: Input alpha image filename, multiple images are OK, use -file X for each input filename (must be paired with -file), images converted to REC709 grayscale and used as input alpha\n"
- " -multifile_printf: printf() format strint to use to compose multiple filenames\n"
- " -multifile_first: The index of the first file to process, default is 0 (must specify -multifile_printf and -multifile_num)\n"
- " -multifile_num: The total number of files to process.\n"
- " -q X: Set quality level, 1-255, default is 128, lower=better compression/lower quality/faster, higher=less compression/higher quality/slower, default is 128. For even higher quality, use -max_endpoints/-max_selectors.\n"
- " -linear: Use linear colorspace metrics (instead of the default sRGB), and by default linear (not sRGB) mipmap filtering.\n"
- " -output_file filename: Output .basis/.ktx filename\n"
- " -output_path: Output .basis/.ktx files to specified directory.\n"
- " -debug: Enable codec debug print to stdout (slightly slower).\n"
- " -debug_images: Enable codec debug images (much slower).\n"
- " -stats: Compute and display image quality metrics (slightly slower).\n"
- " -tex_type <2d, 2darray, 3d, video, cubemap>: Set Basis file header's texture type field. Cubemap arrays require multiples of 6 images, in X+, X-, Y+, Y-, Z+, Z- order, each image must be the same resolutions.\n"
- " 2d=arbitrary 2D images, 2darray=2D array, 3D=volume texture slices, video=video frames, cubemap=array of faces. For 2darray/3d/cubemaps/video, each source image's dimensions and # of mipmap levels must be the same.\n"
- " For video, the .basis file will be written with the first frame being an I-Frame, and subsequent frames being P-Frames (using conditional replenishment). Playback must always occur in order from first to last image.\n"
- " -framerate X: Set framerate in header to X/frames sec.\n"
- " -individual: Process input images individually and output multiple .basis files (not as a texture array)\n"
- " -comp_level X: Set encoding speed vs. quality tradeoff. Range is 0-5, default is 1. Higher values=MUCH slower, but slightly higher quality. Mostly intended for videos. Use -q first!\n"
- " -fuzz_testing: Use with -validate: Disables CRC16 validation of file contents before transcoding\n"
- "\n"
- "More options:\n"
- " -max_endpoints X: Manually set the max number of color endpoint clusters from 1-16128, use instead of -q\n"
- " -max_selectors X: Manually set the max number of color selector clusters from 1-16128, use instead of -q\n"
- " -y_flip: Flip input images vertically before compression\n"
- " -normal_map: Tunes codec parameters for better quality on normal maps (linear colorspace metrics, linear mipmap filtering, no selector RDO, no sRGB)\n"
- " -no_alpha: Always output non-alpha basis files, even if one or more inputs has alpha\n"
- " -force_alpha: Always output alpha basis files, even if no inputs has alpha\n"
- " -separate_rg_to_color_alpha: Separate input R and G channels to RGB and A (for tangent space XY normal maps)\n"
- " -no_multithreading: Disable multithreading\n"
- " -no_ktx: Disable KTX writing when unpacking (faster)\n"
- " -etc1_only: Only unpack to ETC1, skipping the other texture formats during -unpack\n"
- " -disable_hierarchical_endpoint_codebooks: Disable hierarchical endpoint codebook usage, slower but higher quality on some compression levels\n"
- " -compare_ssim: Compute and display SSIM of image comparison (slow)\n"
- "\n"
- "Mipmap generation options:\n"
- " -mipmap: Generate mipmaps for each source image\n"
- " -mip_srgb: Convert image to linear before filtering, then back to sRGB\n"
- " -mip_linear: Keep image in linear light during mipmap filtering\n"
- " -mip_scale X: Set mipmap filter kernel's scale, lower=sharper, higher=more blurry, default is 1.0\n"
- " -mip_filter X: Set mipmap filter kernel, default is kaiser, filters: box, tent, bell, blackman, catmullrom, mitchell, etc.\n"
- " -mip_renorm: Renormalize normal map to unit length vectors after filtering\n"
- " -mip_clamp: Use clamp addressing on borders, instead of wrapping\n"
- " -mip_smallest X: Set smallest pixel dimension for generated mipmaps, default is 1 pixel\n"
- "By default, mipmap filtering will occur in sRGB space (for the RGB color channels) unless -linear is specified. You can override this behavior with -mip_srgb/-mip_linear.\n"
- "\n"
- "Backend endpoint/selector RDO codec options:\n"
- " -no_selector_rdo: Disable backend's selector rate distortion optimizations (slightly faster, less noisy output, but lower quality per output bit)\n"
- " -selector_rdo_thresh X: Set selector RDO quality threshold, default is 1.25, lower is higher quality but less quality per output bit (try 1.0-3.0)\n"
- " -no_endpoint_rdo: Disable backend's endpoint rate distortion optimizations (slightly faster, less noisy output, but lower quality per output bit)\n"
- " -endpoint_rdo_thresh X: Set endpoint RDO quality threshold, default is 1.5, lower is higher quality but less quality per output bit (try 1.0-3.0)\n"
- "\n"
- "Hierarchical virtual selector codebook options:\n"
- " -global_sel_pal: Always use vitual selector palettes (instead of custom palettes), slightly smaller files, but lower quality, slower encoding\n"
- " -auto_global_sel_pal: Automatically use virtual selector palettes on small images for slightly smaller files (defaults to off for faster encoding time)\n"
- " -no_hybrid_sel_cb: Don't automatically use hybrid virtual selector codebooks (for higher quality, only active when -global_sel_pal is specified)\n"
- " -global_pal_bits X: Set virtual selector codebook palette bits, range is [0,12], default is 8, higher is slower/better quality\n"
- " -global_mod_bits X: Set virtual selector codebook modifier bits, range is [0,15], defualt is 8, higher is slower/better quality\n"
- " -hybrid_sel_cb_quality_thresh X: Set hybrid selector codebook quality threshold, default is 2.0, try 1.5-3, higher is lower quality/smaller codebooks\n"
- "\n"
- "Set various fields in the Basis file header:\n"
- " -userdata0 X: Set 32-bit userdata0 field in Basis file header to X (X is a signed 32-bit int)\n"
- " -userdata1 X: Set 32-bit userdata1 field in Basis file header to X (X is a signed 32-bit int)\n"
- "\n"
- "Various command line examples:\n"
- " basisu x.png : Compress sRGB image x.png to x.basis using default settings (multiple filenames OK)\n"
- " basisu x.basis : Unpack x.basis to PNG/KTX files (multiple filenames OK)\n"
- " basisu -file x.png -mipmap -y_flip : Compress a mipmapped x.basis file from an sRGB image named x.png, Y flip each source image\n"
- " basisu -validate -file x.basis : Validate x.basis (check header, check file CRC's, attempt to transcode all slices)\n"
- " basisu -unpack -file x.basis : Validates, transcodes and unpacks x.basis to mipmapped .KTX and RGB/A .PNG files (transcodes to all supported GPU texture formats)\n"
- " basisu -q 255 -file x.png -mipmap -debug -stats : Compress sRGB x.png to x.basis at quality level 255 with compressor debug output/statistics\n"
- " basisu -linear -max_endpoints 16128 -max_selectors 16128 -file x.png : Compress non-sRGB x.png to x.basis using the largest supported manually specified codebook sizes\n"
- " basisu -linear -global_sel_pal -no_hybrid_sel_cb -file x.png : Compress a non-sRGB image, use virtual selector codebooks for improved compression (but slower encoding)\n"
- " basisu -linear -global_sel_pal -file x.png: Compress a non-sRGB image, use hybrid selector codebooks for slightly improved compression (but slower encoding)\n"
- " basisu -tex_type video -framerate 20 -multifile_printf \"x%02u.png\" -multifile_first 1 -multifile_count 20 : Compress a 20 sRGB source image video sequence (x01.png, x02.png, x03.png, etc.) to x01.basis\n"
- "\n"
- "Note: For video use, it's recommended you use a very powerful machine with many cores. Use -slower for better codebook generation, specify very large codebooks using -max_endpoints and -max_selectors, and reduce\n"
- "the default endpoint RDO threshold (-endpoint_rdo_thresh) to around 1.25. Videos may have mipmaps and alpha channels. Videos must always be played back by the transcoder in first to last image order.\n"
- "Video files currently use I-Frames on the first image, and P-Frames using conditional replenishment on subsequent frames.\n"
- "Compression level details:\n"
- " Level 0: Fastest, but has marginal quality and is a work in progress. Brittle on complex images. Avg. Y dB: 35.45\n"
- " Level 1: Hierarchical codebook searching. 36.87 dB, ~1.4x slower vs. level 0. (This is the default setting.)\n"
- " Level 2: Full codebook searching. 37.13 dB, ~1.8x slower vs. level 0. (Equivalent the the initial release's default settings.)\n"
- " Level 3: Hierarchical codebook searching, codebook k-means iterations. 37.15 dB, ~4x slower vs. level 0\n"
- " Level 4: Full codebook searching, codebook k-means iterations. 37.41 dB, ~5.5x slower vs. level 0. (Equivalent to the initial release's -slower setting.)\n"
- " Level 5: Full codebook searching, twice as many codebook k-means iterations, best ETC1 endpoint opt. 37.43 dB, ~12x slower vs. level 0\n"
- );
-}
-
-static bool load_listing_file(const std::string &f, std::vector<std::string> &filenames)
-{
- std::string filename(f);
- filename.erase(0, 1);
-
- FILE *pFile = nullptr;
-#ifdef _WIN32
- fopen_s(&pFile, filename.c_str(), "r");
-#else
- pFile = fopen(filename.c_str(), "r");
-#endif
-
- if (!pFile)
- {
- error_printf("Failed opening listing file: \"%s\"\n", filename.c_str());
- return false;
- }
-
- uint32_t total_filenames = 0;
-
- for ( ; ; )
- {
- char buf[3072];
- buf[0] = '\0';
-
- char *p = fgets(buf, sizeof(buf), pFile);
- if (!p)
- {
- if (ferror(pFile))
- {
- error_printf("Failed reading from listing file: \"%s\"\n", filename.c_str());
-
- fclose(pFile);
- return false;
- }
- else
- break;
- }
-
- std::string read_filename(p);
- while (read_filename.size())
- {
- if (read_filename[0] == ' ')
- read_filename.erase(0, 1);
- else
- break;
- }
-
- while (read_filename.size())
- {
- const char c = read_filename.back();
- if ((c == ' ') || (c == '\n') || (c == '\r'))
- read_filename.erase(read_filename.size() - 1, 1);
- else
- break;
- }
-
- if (read_filename.size())
- {
- filenames.push_back(read_filename);
- total_filenames++;
- }
- }
-
- fclose(pFile);
-
- printf("Successfully read %u filenames(s) from listing file \"%s\"\n", total_filenames, filename.c_str());
-
- return true;
-}
-
-class command_line_params
-{
- BASISU_NO_EQUALS_OR_COPY_CONSTRUCT(command_line_params);
-
-public:
- command_line_params() :
- m_mode(cDefault),
- m_multifile_first(0),
- m_multifile_num(0),
- m_individual(false),
- m_no_ktx(false),
- m_etc1_only(false),
- m_fuzz_testing(false),
- m_compare_ssim(false)
- {
- }
-
- bool parse(int arg_c, const char **arg_v)
- {
- int arg_index = 1;
- while (arg_index < arg_c)
- {
- const char *pArg = arg_v[arg_index];
- const int num_remaining_args = arg_c - (arg_index + 1);
- int arg_count = 1;
-
-#define REMAINING_ARGS_CHECK(n) if (num_remaining_args < (n)) { error_printf("Error: Expected %u values to follow %s!\n", n, pArg); return false; }
-
- if (strcasecmp(pArg, "-compress") == 0)
- m_mode = cCompress;
- else if (strcasecmp(pArg, "-compare") == 0)
- m_mode = cCompare;
- else if (strcasecmp(pArg, "-unpack") == 0)
- m_mode = cUnpack;
- else if (strcasecmp(pArg, "-validate") == 0)
- m_mode = cValidate;
- else if (strcasecmp(pArg, "-version") == 0)
- m_mode = cVersion;
- else if (strcasecmp(pArg, "-compare_ssim") == 0)
- m_compare_ssim = true;
- else if (strcasecmp(pArg, "-file") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_input_filenames.push_back(std::string(arg_v[arg_index + 1]));
- arg_count++;
- }
- else if (strcasecmp(pArg, "-alpha_file") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_input_alpha_filenames.push_back(std::string(arg_v[arg_index + 1]));
- arg_count++;
- }
- else if (strcasecmp(pArg, "-multifile_printf") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_multifile_printf = std::string(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-multifile_first") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_multifile_first = atoi(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-multifile_num") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_multifile_num = atoi(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-linear") == 0)
- m_comp_params.m_perceptual = false;
- else if (strcasecmp(pArg, "-srgb") == 0)
- m_comp_params.m_perceptual = true;
- else if (strcasecmp(pArg, "-q") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_quality_level = clamp<int>(atoi(arg_v[arg_index + 1]), BASISU_QUALITY_MIN, BASISU_QUALITY_MAX);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-output_file") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_output_filename = arg_v[arg_index + 1];
- arg_count++;
- }
- else if (strcasecmp(pArg, "-output_path") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_output_path = arg_v[arg_index + 1];
- arg_count++;
- }
- else if (strcasecmp(pArg, "-debug") == 0)
- {
- m_comp_params.m_debug = true;
- enable_debug_printf(true);
- }
- else if (strcasecmp(pArg, "-debug_images") == 0)
- m_comp_params.m_debug_images = true;
- else if (strcasecmp(pArg, "-stats") == 0)
- m_comp_params.m_compute_stats = true;
- else if (strcasecmp(pArg, "-comp_level") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_compression_level = atoi(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-slower") == 0)
- {
- // This option is gone, but we'll do something reasonable with it anyway. Level 4 is equivalent to the original release's -slower, but let's just go to level 2.
- m_comp_params.m_compression_level = 2;
- }
- else if (strcasecmp(pArg, "-max_endpoints") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_max_endpoint_clusters = clamp<int>(atoi(arg_v[arg_index + 1]), 1, BASISU_MAX_ENDPOINT_CLUSTERS);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-max_selectors") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_max_selector_clusters = clamp<int>(atoi(arg_v[arg_index + 1]), 1, BASISU_MAX_SELECTOR_CLUSTERS);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-y_flip") == 0)
- m_comp_params.m_y_flip = true;
- else if (strcasecmp(pArg, "-normal_map") == 0)
- {
- m_comp_params.m_perceptual = false;
- m_comp_params.m_mip_srgb = false;
- m_comp_params.m_no_selector_rdo = true;
- m_comp_params.m_no_endpoint_rdo = true;
- }
- else if (strcasecmp(pArg, "-no_alpha") == 0)
- m_comp_params.m_check_for_alpha = false;
- else if (strcasecmp(pArg, "-force_alpha") == 0)
- m_comp_params.m_force_alpha = true;
- else if ((strcasecmp(pArg, "-separate_rg_to_color_alpha") == 0) ||
- (strcasecmp(pArg, "-seperate_rg_to_color_alpha") == 0)) // was mispelled for a while - whoops!
- m_comp_params.m_seperate_rg_to_color_alpha = true;
- else if (strcasecmp(pArg, "-no_multithreading") == 0)
- {
- m_comp_params.m_multithreading = false;
- }
- else if (strcasecmp(pArg, "-mipmap") == 0)
- m_comp_params.m_mip_gen = true;
- else if (strcasecmp(pArg, "-no_ktx") == 0)
- m_no_ktx = true;
- else if (strcasecmp(pArg, "-etc1_only") == 0)
- m_etc1_only = true;
- else if (strcasecmp(pArg, "-disable_hierarchical_endpoint_codebooks") == 0)
- m_comp_params.m_disable_hierarchical_endpoint_codebooks = true;
- else if (strcasecmp(pArg, "-mip_scale") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_mip_scale = (float)atof(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-mip_filter") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_mip_filter = arg_v[arg_index + 1];
- // TODO: Check filter
- arg_count++;
- }
- else if (strcasecmp(pArg, "-mip_renorm") == 0)
- m_comp_params.m_mip_renormalize = true;
- else if (strcasecmp(pArg, "-mip_clamp") == 0)
- m_comp_params.m_mip_wrapping = false;
- else if (strcasecmp(pArg, "-mip_smallest") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_mip_smallest_dimension = atoi(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-mip_srgb") == 0)
- m_comp_params.m_mip_srgb = true;
- else if (strcasecmp(pArg, "-mip_linear") == 0)
- m_comp_params.m_mip_srgb = false;
- else if (strcasecmp(pArg, "-no_selector_rdo") == 0)
- m_comp_params.m_no_selector_rdo = true;
- else if (strcasecmp(pArg, "-selector_rdo_thresh") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_selector_rdo_thresh = (float)atof(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-no_endpoint_rdo") == 0)
- m_comp_params.m_no_endpoint_rdo = true;
- else if (strcasecmp(pArg, "-endpoint_rdo_thresh") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_endpoint_rdo_thresh = (float)atof(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-global_sel_pal") == 0)
- m_comp_params.m_global_sel_pal = true;
- else if (strcasecmp(pArg, "-no_auto_global_sel_pal") == 0)
- m_comp_params.m_auto_global_sel_pal = false;
- else if (strcasecmp(pArg, "-auto_global_sel_pal") == 0)
- m_comp_params.m_auto_global_sel_pal = true;
- else if (strcasecmp(pArg, "-global_pal_bits") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_global_pal_bits = atoi(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-global_mod_bits") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_global_mod_bits = atoi(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-no_hybrid_sel_cb") == 0)
- m_comp_params.m_no_hybrid_sel_cb = true;
- else if (strcasecmp(pArg, "-hybrid_sel_cb_quality_thresh") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_hybrid_sel_cb_quality_thresh = (float)atof(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-userdata0") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_userdata0 = atoi(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-userdata1") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_comp_params.m_userdata1 = atoi(arg_v[arg_index + 1]);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-framerate") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- double fps = atof(arg_v[arg_index + 1]);
- double us_per_frame = 0;
- if (fps > 0)
- us_per_frame = 1000000.0f / fps;
-
- m_comp_params.m_us_per_frame = clamp<int>(static_cast<int>(us_per_frame + .5f), 0, basist::cBASISMaxUSPerFrame);
- arg_count++;
- }
- else if (strcasecmp(pArg, "-tex_type") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- const char *pType = arg_v[arg_index + 1];
- if (strcasecmp(pType, "2d") == 0)
- m_comp_params.m_tex_type = basist::cBASISTexType2D;
- else if (strcasecmp(pType, "2darray") == 0)
- m_comp_params.m_tex_type = basist::cBASISTexType2DArray;
- else if (strcasecmp(pType, "3d") == 0)
- m_comp_params.m_tex_type = basist::cBASISTexTypeVolume;
- else if (strcasecmp(pType, "cubemap") == 0)
- m_comp_params.m_tex_type = basist::cBASISTexTypeCubemapArray;
- else if (strcasecmp(pType, "video") == 0)
- m_comp_params.m_tex_type = basist::cBASISTexTypeVideoFrames;
- else
- {
- error_printf("Invalid texture type: %s\n", pType);
- return false;
- }
- arg_count++;
- }
- else if (strcasecmp(pArg, "-individual") == 0)
- m_individual = true;
- else if (strcasecmp(pArg, "-fuzz_testing") == 0)
- m_fuzz_testing = true;
- else if (strcasecmp(pArg, "-csv_file") == 0)
- {
- REMAINING_ARGS_CHECK(1);
- m_csv_file = arg_v[arg_index + 1];
- m_comp_params.m_compute_stats = true;
-
- arg_count++;
- }
- else if (pArg[0] == '-')
- {
- error_printf("Unrecognized command line option: %s\n", pArg);
- return false;
- }
- else
- {
- // Let's assume it's a source filename, so globbing works
- //error_printf("Unrecognized command line option: %s\n", pArg);
- m_input_filenames.push_back(pArg);
- }
-
- arg_index += arg_count;
- }
-
- if (m_comp_params.m_quality_level != -1)
- {
- m_comp_params.m_max_endpoint_clusters = 0;
- m_comp_params.m_max_selector_clusters = 0;
- }
- else if ((!m_comp_params.m_max_endpoint_clusters) || (!m_comp_params.m_max_selector_clusters))
- {
- m_comp_params.m_max_endpoint_clusters = 0;
- m_comp_params.m_max_selector_clusters = 0;
-
- m_comp_params.m_quality_level = 128;
- }
-
- if (!m_comp_params.m_mip_srgb.was_changed())
- {
- // They didn't specify what colorspace to do mipmap filtering in, so choose sRGB if they've specified that the texture is sRGB.
- if (m_comp_params.m_perceptual)
- m_comp_params.m_mip_srgb = true;
- else
- m_comp_params.m_mip_srgb = false;
- }
-
- return true;
- }
-
- bool process_listing_files()
- {
- std::vector<std::string> new_input_filenames;
- for (uint32_t i = 0; i < m_input_filenames.size(); i++)
- {
- if (m_input_filenames[i][0] == '@')
- {
- if (!load_listing_file(m_input_filenames[i], new_input_filenames))
- return false;
- }
- else
- new_input_filenames.push_back(m_input_filenames[i]);
- }
- new_input_filenames.swap(m_input_filenames);
-
- std::vector<std::string> new_input_alpha_filenames;
- for (uint32_t i = 0; i < m_input_alpha_filenames.size(); i++)
- {
- if (m_input_alpha_filenames[i][0] == '@')
- {
- if (!load_listing_file(m_input_alpha_filenames[i], new_input_alpha_filenames))
- return false;
- }
- else
- new_input_alpha_filenames.push_back(m_input_alpha_filenames[i]);
- }
- new_input_alpha_filenames.swap(m_input_alpha_filenames);
-
- return true;
- }
-
- basis_compressor_params m_comp_params;
-
- tool_mode m_mode;
-
- std::vector<std::string> m_input_filenames;
- std::vector<std::string> m_input_alpha_filenames;
-
- std::string m_output_filename;
- std::string m_output_path;
-
- std::string m_multifile_printf;
- uint32_t m_multifile_first;
- uint32_t m_multifile_num;
-
- std::string m_csv_file;
-
- bool m_individual;
- bool m_no_ktx;
- bool m_etc1_only;
- bool m_fuzz_testing;
- bool m_compare_ssim;
-};
-
-static bool expand_multifile(command_line_params &opts)
-{
- if (!opts.m_multifile_printf.size())
- return true;
-
- if (!opts.m_multifile_num)
- {
- error_printf("-multifile_printf specified, but not -multifile_num\n");
- return false;
- }
-
- std::string fmt(opts.m_multifile_printf);
- size_t x = fmt.find_first_of('!');
- if (x != std::string::npos)
- fmt[x] = '%';
-
- if (string_find_right(fmt, '%') == -1)
- {
- error_printf("Must include C-style printf() format character '%%' in -multifile_printf string\n");
- return false;
- }
-
- for (uint32_t i = opts.m_multifile_first; i < opts.m_multifile_first + opts.m_multifile_num; i++)
- {
- char buf[1024];
-#ifdef _WIN32
- sprintf_s(buf, sizeof(buf), fmt.c_str(), i);
-#else
- snprintf(buf, sizeof(buf), fmt.c_str(), i);
-#endif
-
- if (buf[0])
- opts.m_input_filenames.push_back(buf);
- }
-
- return true;
-}
-
-static bool compress_mode(command_line_params &opts)
-{
- basist::etc1_global_selector_codebook sel_codebook(basist::g_global_selector_cb_size, basist::g_global_selector_cb);
-
- uint32_t num_threads = 1;
-
- if (opts.m_comp_params.m_multithreading)
- {
- num_threads = std::thread::hardware_concurrency();
- if (num_threads < 1)
- num_threads = 1;
- }
-
- job_pool jpool(num_threads);
- opts.m_comp_params.m_pJob_pool = &jpool;
-
- if (!expand_multifile(opts))
- {
- error_printf("-multifile expansion failed!\n");
- return false;
- }
-
- if (!opts.m_input_filenames.size())
- {
- error_printf("No input files to process!\n");
- return false;
- }
-
- basis_compressor_params &params = opts.m_comp_params;
-
- params.m_read_source_images = true;
- params.m_write_output_basis_files = true;
- params.m_pSel_codebook = &sel_codebook;
-
- FILE *pCSV_file = nullptr;
- if (opts.m_csv_file.size())
- {
- pCSV_file = fopen_safe(opts.m_csv_file.c_str(), "a");
- if (!pCSV_file)
- {
- error_printf("Failed opening CVS file \"%s\"\n", opts.m_csv_file.c_str());
- return false;
- }
- }
-
- printf("Processing %u total files\n", (uint32_t)opts.m_input_filenames.size());
-
- for (size_t file_index = 0; file_index < (opts.m_individual ? opts.m_input_filenames.size() : 1U); file_index++)
- {
- if (opts.m_individual)
- {
- params.m_source_filenames.resize(1);
- params.m_source_filenames[0] = opts.m_input_filenames[file_index];
-
- if (file_index < opts.m_input_alpha_filenames.size())
- {
- params.m_source_alpha_filenames.resize(1);
- params.m_source_alpha_filenames[0] = opts.m_input_alpha_filenames[file_index];
-
- printf("Processing source file \"%s\", alpha file \"%s\"\n", params.m_source_filenames[0].c_str(), params.m_source_alpha_filenames[0].c_str());
- }
- else
- {
- params.m_source_alpha_filenames.resize(0);
-
- printf("Processing source file \"%s\"\n", params.m_source_filenames[0].c_str());
- }
- }
- else
- {
- params.m_source_filenames = opts.m_input_filenames;
- params.m_source_alpha_filenames = opts.m_input_alpha_filenames;
- }
-
- if ((opts.m_output_filename.size()) && (!opts.m_individual))
- params.m_out_filename = opts.m_output_filename;
- else
- {
- std::string filename;
-
- string_get_filename(opts.m_input_filenames[file_index].c_str(), filename);
- string_remove_extension(filename);
- filename += ".basis";
-
- if (opts.m_output_path.size())
- string_combine_path(filename, opts.m_output_path.c_str(), filename.c_str());
-
- params.m_out_filename = filename;
- }
-
- basis_compressor c;
-
- if (!c.init(opts.m_comp_params))
- {
- error_printf("basis_compressor::init() failed!\n");
-
- if (pCSV_file)
- {
- fclose(pCSV_file);
- pCSV_file = nullptr;
- }
-
- return false;
- }
-
- interval_timer tm;
- tm.start();
-
- basis_compressor::error_code ec = c.process();
-
- tm.stop();
-
- if (ec == basis_compressor::cECSuccess)
- {
- printf("Compression succeeded to file \"%s\" in %3.3f secs\n", params.m_out_filename.c_str(), tm.get_elapsed_secs());
- }
- else
- {
- bool exit_flag = true;
-
- switch (ec)
- {
- case basis_compressor::cECFailedReadingSourceImages:
- {
- error_printf("Compressor failed reading a source image!\n");
-
- if (opts.m_individual)
- exit_flag = false;
-
- break;
- }
- case basis_compressor::cECFailedValidating:
- error_printf("Compressor failed 2darray/cubemap/video validation checks!\n");
- break;
- case basis_compressor::cECFailedFrontEnd:
- error_printf("Compressor frontend stage failed!\n");
- break;
- case basis_compressor::cECFailedFontendExtract:
- error_printf("Compressor frontend data extraction failed!\n");
- break;
- case basis_compressor::cECFailedBackend:
- error_printf("Compressor backend stage failed!\n");
- break;
- case basis_compressor::cECFailedCreateBasisFile:
- error_printf("Compressor failed creating Basis file data!\n");
- break;
- case basis_compressor::cECFailedWritingOutput:
- error_printf("Compressor failed writing to output Basis file!\n");
- break;
- default:
- error_printf("basis_compress::process() failed!\n");
- break;
- }
-
- if (exit_flag)
- {
- if (pCSV_file)
- {
- fclose(pCSV_file);
- pCSV_file = nullptr;
- }
-
- return false;
- }
- }
-
- if ((pCSV_file) && (c.get_stats().size()))
- {
- for (size_t slice_index = 0; slice_index < c.get_stats().size(); slice_index++)
- {
- fprintf(pCSV_file, "\"%s\", %u, %u, %u, %u, %u, %f, %f, %f, %f, %u, %u, %f\n",
- params.m_out_filename.c_str(),
- (uint32_t)slice_index, (uint32_t)c.get_stats().size(),
- c.get_stats()[slice_index].m_width, c.get_stats()[slice_index].m_height, (uint32_t)c.get_any_source_image_has_alpha(),
- c.get_basis_bits_per_texel(),
- c.get_stats()[slice_index].m_best_luma_709_psnr,
- c.get_stats()[slice_index].m_basis_etc1s_luma_709_psnr,
- c.get_stats()[slice_index].m_basis_bc1_luma_709_psnr,
- params.m_quality_level, (int)params.m_compression_level, tm.get_elapsed_secs());
- fflush(pCSV_file);
- }
- }
-
- if (opts.m_individual)
- printf("\n");
-
- } // file_index
-
- if (pCSV_file)
- {
- fclose(pCSV_file);
- pCSV_file = nullptr;
- }
-
- return true;
-}
-
-static bool unpack_and_validate_mode(command_line_params &opts, bool validate_flag)
-{
- basist::etc1_global_selector_codebook sel_codebook(basist::g_global_selector_cb_size, basist::g_global_selector_cb);
-
- if (!opts.m_input_filenames.size())
- {
- error_printf("No input files to process!\n");
- return false;
- }
-
- uint32_t total_unpack_warnings = 0;
- uint32_t total_pvrtc_nonpow2_warnings = 0;
-
- for (uint32_t file_index = 0; file_index < opts.m_input_filenames.size(); file_index++)
- {
- const char* pInput_filename = opts.m_input_filenames[file_index].c_str();
-
- std::string base_filename;
- string_split_path(pInput_filename, nullptr, nullptr, &base_filename, nullptr);
-
- uint8_vec basis_data;
- if (!basisu::read_file_to_vec(pInput_filename, basis_data))
- {
- error_printf("Failed reading file \"%s\"\n", pInput_filename);
- return false;
- }
-
- printf("Input file \"%s\"\n", pInput_filename);
-
- if (!basis_data.size())
- {
- error_printf("File is empty!\n");
- return false;
- }
-
- if (basis_data.size() > UINT32_MAX)
- {
- error_printf("File is too large!\n");
- return false;
- }
-
- basist::basisu_transcoder dec(&sel_codebook);
-
- if (!opts.m_fuzz_testing)
- {
- // Skip the full validation, which CRC16's the entire file.
-
- // Validate the file - note this isn't necessary for transcoding
- if (!dec.validate_file_checksums(&basis_data[0], (uint32_t)basis_data.size(), true))
- {
- error_printf("File version is unsupported, or file fail CRC checks!\n");
- return false;
- }
- }
-
- printf("File version and CRC checks succeeded\n");
-
- basist::basisu_file_info fileinfo;
- if (!dec.get_file_info(&basis_data[0], (uint32_t)basis_data.size(), fileinfo))
- {
- error_printf("Failed retrieving Basis file information!\n");
- return false;
- }
-
- assert(fileinfo.m_total_images == fileinfo.m_image_mipmap_levels.size());
- assert(fileinfo.m_total_images == dec.get_total_images(&basis_data[0], (uint32_t)basis_data.size()));
-
- printf("File info:\n");
- printf(" Version: %X\n", fileinfo.m_version);
- printf(" Total header size: %u\n", fileinfo.m_total_header_size);
- printf(" Total selectors: %u\n", fileinfo.m_total_selectors);
- printf(" Selector codebook size: %u\n", fileinfo.m_selector_codebook_size);
- printf(" Total endpoints: %u\n", fileinfo.m_total_endpoints);
- printf(" Endpoint codebook size: %u\n", fileinfo.m_endpoint_codebook_size);
- printf(" Tables size: %u\n", fileinfo.m_tables_size);
- printf(" Slices size: %u\n", fileinfo.m_slices_size);
- printf(" Texture type: %s\n", basist::basis_get_texture_type_name(fileinfo.m_tex_type));
- printf(" us per frame: %u (%f fps)\n", fileinfo.m_us_per_frame, fileinfo.m_us_per_frame ? (1.0f / ((float)fileinfo.m_us_per_frame / 1000000.0f)) : 0.0f);
- printf(" Total slices: %u\n", (uint32_t)fileinfo.m_slice_info.size());
- printf(" Total images: %i\n", fileinfo.m_total_images);
- printf(" Y Flipped: %u, Has alpha slices: %u\n", fileinfo.m_y_flipped, fileinfo.m_has_alpha_slices);
- printf(" userdata0: 0x%X userdata1: 0x%X\n", fileinfo.m_userdata0, fileinfo.m_userdata1);
- printf(" Per-image mipmap levels: ");
- for (uint32_t i = 0; i < fileinfo.m_total_images; i++)
- printf("%u ", fileinfo.m_image_mipmap_levels[i]);
- printf("\n");
-
- printf("\nImage info:\n");
- for (uint32_t i = 0; i < fileinfo.m_total_images; i++)
- {
- basist::basisu_image_info ii;
- if (!dec.get_image_info(&basis_data[0], (uint32_t)basis_data.size(), ii, i))
- {
- error_printf("get_image_info() failed!\n");
- return false;
- }
-
- printf("Image %u: MipLevels: %u OrigDim: %ux%u, BlockDim: %ux%u, FirstSlice: %u, HasAlpha: %u\n", i, ii.m_total_levels, ii.m_orig_width, ii.m_orig_height,
- ii.m_num_blocks_x, ii.m_num_blocks_y, ii.m_first_slice_index, (uint32_t)ii.m_alpha_flag);
- }
-
- printf("\nSlice info:\n");
- for (uint32_t i = 0; i < fileinfo.m_slice_info.size(); i++)
- {
- const basist::basisu_slice_info& sliceinfo = fileinfo.m_slice_info[i];
- printf("%u: OrigWidthHeight: %ux%u, BlockDim: %ux%u, TotalBlocks: %u, Compressed size: %u, Image: %u, Level: %u, UnpackedCRC16: 0x%X, alpha: %u, iframe: %i\n",
- i,
- sliceinfo.m_orig_width, sliceinfo.m_orig_height,
- sliceinfo.m_num_blocks_x, sliceinfo.m_num_blocks_y,
- sliceinfo.m_total_blocks,
- sliceinfo.m_compressed_size,
- sliceinfo.m_image_index, sliceinfo.m_level_index,
- sliceinfo.m_unpacked_slice_crc16,
- (uint32_t)sliceinfo.m_alpha_flag,
- (uint32_t)sliceinfo.m_iframe_flag);
- }
- printf("\n");
-
- interval_timer tm;
- tm.start();
-
- if (!dec.start_transcoding(&basis_data[0], (uint32_t)basis_data.size()))
- {
- error_printf("start_transcoding() failed!\n");
- return false;
- }
-
- printf("start_transcoding time: %3.3f ms\n", tm.get_elapsed_ms());
-
- std::vector< gpu_image_vec > gpu_images[(int)basist::transcoder_texture_format::cTFTotalTextureFormats];
-
- int first_format = 0;
- int last_format = (int)basist::transcoder_texture_format::cTFTotalTextureFormats;
-
- if (opts.m_etc1_only)
- {
- first_format = (int)basist::transcoder_texture_format::cTFETC1_RGB;
- last_format = first_format + 1;
- }
-
- for (int format_iter = first_format; format_iter < last_format; format_iter++)
- {
- basist::transcoder_texture_format tex_fmt = static_cast<basist::transcoder_texture_format>(format_iter);
-
- if (basist::basis_transcoder_format_is_uncompressed(tex_fmt))
- continue;
-
- gpu_images[(int)tex_fmt].resize(fileinfo.m_total_images);
-
- for (uint32_t image_index = 0; image_index < fileinfo.m_total_images; image_index++)
- gpu_images[(int)tex_fmt][image_index].resize(fileinfo.m_image_mipmap_levels[image_index]);
- }
-
- // Now transcode the file to all supported texture formats and save mipmapped KTX files
- for (int format_iter = first_format; format_iter < last_format; format_iter++)
- {
- const basist::transcoder_texture_format transcoder_tex_fmt = static_cast<basist::transcoder_texture_format>(format_iter);
-
- if (basist::basis_transcoder_format_is_uncompressed(transcoder_tex_fmt))
- continue;
-
- for (uint32_t image_index = 0; image_index < fileinfo.m_total_images; image_index++)
- {
- for (uint32_t level_index = 0; level_index < fileinfo.m_image_mipmap_levels[image_index]; level_index++)
- {
- basist::basisu_image_level_info level_info;
-
- if (!dec.get_image_level_info(&basis_data[0], (uint32_t)basis_data.size(), level_info, image_index, level_index))
- {
- error_printf("Failed retrieving image level information (%u %u)!\n", image_index, level_index);
- return false;
- }
-
- if ((transcoder_tex_fmt == basist::transcoder_texture_format::cTFPVRTC1_4_RGB) || (transcoder_tex_fmt == basist::transcoder_texture_format::cTFPVRTC1_4_RGBA))
- {
- if (!is_pow2(level_info.m_width) || !is_pow2(level_info.m_height))
- {
- total_pvrtc_nonpow2_warnings++;
-
- printf("Warning: Will not transcode image %u level %u res %ux%u to PVRTC1 (one or more dimension is not a power of 2)\n", image_index, level_index, level_info.m_width, level_info.m_height);
-
- // Can't transcode this image level to PVRTC because it's not a pow2 (we're going to support transcoding non-pow2 to the next larger pow2 soon)
- continue;
- }
- }
-
- basisu::texture_format tex_fmt = basis_get_basisu_texture_format(transcoder_tex_fmt);
-
- gpu_image& gi = gpu_images[(int)transcoder_tex_fmt][image_index][level_index];
- gi.init(tex_fmt, level_info.m_orig_width, level_info.m_orig_height);
-
- // Fill the buffer with psuedo-random bytes, to help more visibly detect cases where the transcoder fails to write to part of the output.
- fill_buffer_with_random_bytes(gi.get_ptr(), gi.get_size_in_bytes());
-
- uint32_t decode_flags = 0;
-
- tm.start();
-
- if (!dec.transcode_image_level(&basis_data[0], (uint32_t)basis_data.size(), image_index, level_index, gi.get_ptr(), gi.get_total_blocks(), transcoder_tex_fmt, decode_flags))
- {
- error_printf("Failed transcoding image level (%u %u %u)!\n", image_index, level_index, format_iter);
- return false;
- }
-
- double total_transcode_time = tm.get_elapsed_ms();
-
- printf("Transcode of image %u level %u res %ux%u format %s succeeded in %3.3f ms\n", image_index, level_index, level_info.m_orig_width, level_info.m_orig_height, basist::basis_get_format_name(transcoder_tex_fmt), total_transcode_time);
-
- } // format_iter
-
- } // level_index
-
- } // image_info
-
- if (!validate_flag)
- {
- // Now write KTX files and unpack them to individual PNG's
-
- for (int format_iter = first_format; format_iter < last_format; format_iter++)
- {
- const basist::transcoder_texture_format transcoder_tex_fmt = static_cast<basist::transcoder_texture_format>(format_iter);
-
- if (basist::basis_transcoder_format_is_uncompressed(transcoder_tex_fmt))
- continue;
-
- if ((!opts.m_no_ktx) && (fileinfo.m_tex_type == basist::cBASISTexTypeCubemapArray))
- {
- // No KTX tool that we know of supports cubemap arrays, so write individual cubemap files.
- for (uint32_t image_index = 0; image_index < fileinfo.m_total_images; image_index += 6)
- {
- std::vector<gpu_image_vec> cubemap;
- for (uint32_t i = 0; i < 6; i++)
- cubemap.push_back(gpu_images[format_iter][image_index + i]);
-
- std::string ktx_filename(base_filename + string_format("_transcoded_cubemap_%s_%u.ktx", basist::basis_get_format_name(transcoder_tex_fmt), image_index / 6));
- if (!write_compressed_texture_file(ktx_filename.c_str(), cubemap, true))
- {
- error_printf("Failed writing KTX file \"%s\"!\n", ktx_filename.c_str());
- return false;
- }
- printf("Wrote KTX file \"%s\"\n", ktx_filename.c_str());
- }
- }
-
- for (uint32_t image_index = 0; image_index < fileinfo.m_total_images; image_index++)
- {
- gpu_image_vec& gi = gpu_images[format_iter][image_index];
-
- if (!gi.size())
- continue;
-
- uint32_t level;
- for (level = 0; level < gi.size(); level++)
- if (!gi[level].get_total_blocks())
- break;
-
- if (level < gi.size())
- continue;
-
- if ((!opts.m_no_ktx) && (fileinfo.m_tex_type != basist::cBASISTexTypeCubemapArray))
- {
- std::string ktx_filename(base_filename + string_format("_transcoded_%s_%04u.ktx", basist::basis_get_format_name(transcoder_tex_fmt), image_index));
- if (!write_compressed_texture_file(ktx_filename.c_str(), gi))
- {
- error_printf("Failed writing KTX file \"%s\"!\n", ktx_filename.c_str());
- return false;
- }
- printf("Wrote KTX file \"%s\"\n", ktx_filename.c_str());
- }
-
- for (uint32_t level_index = 0; level_index < gi.size(); level_index++)
- {
- basist::basisu_image_level_info level_info;
-
- if (!dec.get_image_level_info(&basis_data[0], (uint32_t)basis_data.size(), level_info, image_index, level_index))
- {
- error_printf("Failed retrieving image level information (%u %u)!\n", image_index, level_index);
- return false;
- }
-
- image u;
- if (!gi[level_index].unpack(u))
- {
- printf("Warning: Failed unpacking GPU texture data (%u %u %u). Unpacking as much as possible.\n", format_iter, image_index, level_index);
- total_unpack_warnings++;
- }
- //u.crop(level_info.m_orig_width, level_info.m_orig_height);
-
- std::string rgb_filename;
- if (gi.size() > 1)
- rgb_filename = base_filename + string_format("_unpacked_rgb_%s_%u_%04u.png", basist::basis_get_format_name(transcoder_tex_fmt), level_index, image_index);
- else
- rgb_filename = base_filename + string_format("_unpacked_rgb_%s_%04u.png", basist::basis_get_format_name(transcoder_tex_fmt), image_index);
- if (!save_png(rgb_filename, u, cImageSaveIgnoreAlpha))
- {
- error_printf("Failed writing to PNG file \"%s\"\n", rgb_filename.c_str());
- return false;
- }
- printf("Wrote PNG file \"%s\"\n", rgb_filename.c_str());
-
- if (transcoder_tex_fmt == basist::transcoder_texture_format::cTFFXT1_RGB)
- {
- std::string out_filename;
- if (gi.size() > 1)
- out_filename = base_filename + string_format("_unpacked_rgb_%s_%u_%04u.out", basist::basis_get_format_name(transcoder_tex_fmt), level_index, image_index);
- else
- out_filename = base_filename + string_format("_unpacked_rgb_%s_%04u.out", basist::basis_get_format_name(transcoder_tex_fmt), image_index);
- if (!write_3dfx_out_file(out_filename.c_str(), gi[level_index]))
- {
- error_printf("Failed writing to OUT file \"%s\"\n", out_filename.c_str());
- return false;
- }
- printf("Wrote .OUT file \"%s\"\n", out_filename.c_str());
- }
-
- if (basis_transcoder_format_has_alpha(transcoder_tex_fmt))
- {
- std::string a_filename;
- if (gi.size() > 1)
- a_filename = base_filename + string_format("_unpacked_a_%s_%u_%04u.png", basist::basis_get_format_name(transcoder_tex_fmt), level_index, image_index);
- else
- a_filename = base_filename + string_format("_unpacked_a_%s_%04u.png", basist::basis_get_format_name(transcoder_tex_fmt), image_index);
- if (!save_png(a_filename, u, cImageSaveGrayscale, 3))
- {
- error_printf("Failed writing to PNG file \"%s\"\n", a_filename.c_str());
- return false;
- }
- printf("Wrote PNG file \"%s\"\n", a_filename.c_str());
- }
-
- } // level_index
-
- } // image_index
-
- } // format_iter
-
- } // if (!validate_flag)
-
- // Now unpack to RGBA using the transcoder itself to do the unpacking to raster images
- for (uint32_t image_index = 0; image_index < fileinfo.m_total_images; image_index++)
- {
- for (uint32_t level_index = 0; level_index < fileinfo.m_image_mipmap_levels[image_index]; level_index++)
- {
- const basist::transcoder_texture_format transcoder_tex_fmt = basist::transcoder_texture_format::cTFRGBA32;
-
- basist::basisu_image_level_info level_info;
-
- if (!dec.get_image_level_info(&basis_data[0], (uint32_t)basis_data.size(), level_info, image_index, level_index))
- {
- error_printf("Failed retrieving image level information (%u %u)!\n", image_index, level_index);
- return false;
- }
-
- image img(level_info.m_orig_width, level_info.m_orig_height);
-
- fill_buffer_with_random_bytes(&img(0, 0), img.get_total_pixels() * sizeof(uint32_t));
-
- tm.start();
-
- if (!dec.transcode_image_level(&basis_data[0], (uint32_t)basis_data.size(), image_index, level_index, &img(0, 0).r, img.get_total_pixels(), transcoder_tex_fmt, 0, img.get_pitch(), nullptr, img.get_height()))
- {
- error_printf("Failed transcoding image level (%u %u %u)!\n", image_index, level_index, transcoder_tex_fmt);
- return false;
- }
-
- double total_transcode_time = tm.get_elapsed_ms();
-
- printf("Transcode of image %u level %u res %ux%u format %s succeeded in %3.3f ms\n", image_index, level_index, level_info.m_orig_width, level_info.m_orig_height, basist::basis_get_format_name(transcoder_tex_fmt), total_transcode_time);
-
- std::string rgb_filename(base_filename + string_format("_unpacked_rgb_%s_%u_%04u.png", basist::basis_get_format_name(transcoder_tex_fmt), level_index, image_index));
- if (!save_png(rgb_filename, img, cImageSaveIgnoreAlpha))
- {
- error_printf("Failed writing to PNG file \"%s\"\n", rgb_filename.c_str());
- return false;
- }
- printf("Wrote PNG file \"%s\"\n", rgb_filename.c_str());
-
- std::string a_filename(base_filename + string_format("_unpacked_a_%s_%u_%04u.png", basist::basis_get_format_name(transcoder_tex_fmt), level_index, image_index));
- if (!save_png(a_filename, img, cImageSaveGrayscale, 3))
- {
- error_printf("Failed writing to PNG file \"%s\"\n", a_filename.c_str());
- return false;
- }
- printf("Wrote PNG file \"%s\"\n", a_filename.c_str());
-
- } // level_index
- } // image_index
-
- // Now unpack to RGB565 using the transcoder itself to do the unpacking to raster images
- for (uint32_t image_index = 0; image_index < fileinfo.m_total_images; image_index++)
- {
- for (uint32_t level_index = 0; level_index < fileinfo.m_image_mipmap_levels[image_index]; level_index++)
- {
- const basist::transcoder_texture_format transcoder_tex_fmt = basist::transcoder_texture_format::cTFRGB565;
-
- basist::basisu_image_level_info level_info;
-
- if (!dec.get_image_level_info(&basis_data[0], (uint32_t)basis_data.size(), level_info, image_index, level_index))
- {
- error_printf("Failed retrieving image level information (%u %u)!\n", image_index, level_index);
- return false;
- }
-
- std::vector<uint16_t> packed_img(level_info.m_orig_width * level_info.m_orig_height);
-
- fill_buffer_with_random_bytes(&packed_img[0], packed_img.size() * sizeof(uint16_t));
-
- tm.start();
-
- if (!dec.transcode_image_level(&basis_data[0], (uint32_t)basis_data.size(), image_index, level_index, &packed_img[0], (uint32_t)packed_img.size(), transcoder_tex_fmt, 0, level_info.m_orig_width, nullptr, level_info.m_orig_height))
- {
- error_printf("Failed transcoding image level (%u %u %u)!\n", image_index, level_index, transcoder_tex_fmt);
- return false;
- }
-
- double total_transcode_time = tm.get_elapsed_ms();
-
- image img(level_info.m_orig_width, level_info.m_orig_height);
- for (uint32_t y = 0; y < level_info.m_orig_height; y++)
- {
- for (uint32_t x = 0; x < level_info.m_orig_width; x++)
- {
- const uint16_t p = packed_img[x + y * level_info.m_orig_width];
- uint32_t r = p >> 11, g = (p >> 5) & 63, b = p & 31;
- r = (r << 3) | (r >> 2);
- g = (g << 2) | (g >> 4);
- b = (b << 3) | (b >> 2);
- img(x, y).set(r, g, b, 255);
- }
- }
-
- printf("Transcode of image %u level %u res %ux%u format %s succeeded in %3.3f ms\n", image_index, level_index, level_info.m_orig_width, level_info.m_orig_height, basist::basis_get_format_name(transcoder_tex_fmt), total_transcode_time);
-
- std::string rgb_filename(base_filename + string_format("_unpacked_rgb_%s_%u_%04u.png", basist::basis_get_format_name(transcoder_tex_fmt), level_index, image_index));
- if (!save_png(rgb_filename, img, cImageSaveIgnoreAlpha))
- {
- error_printf("Failed writing to PNG file \"%s\"\n", rgb_filename.c_str());
- return false;
- }
- printf("Wrote PNG file \"%s\"\n", rgb_filename.c_str());
-
- } // level_index
- } // image_index
-
- // Now unpack to RGBA4444 using the transcoder itself to do the unpacking to raster images
- for (uint32_t image_index = 0; image_index < fileinfo.m_total_images; image_index++)
- {
- for (uint32_t level_index = 0; level_index < fileinfo.m_image_mipmap_levels[image_index]; level_index++)
- {
- const basist::transcoder_texture_format transcoder_tex_fmt = basist::transcoder_texture_format::cTFRGBA4444;
-
- basist::basisu_image_level_info level_info;
-
- if (!dec.get_image_level_info(&basis_data[0], (uint32_t)basis_data.size(), level_info, image_index, level_index))
- {
- error_printf("Failed retrieving image level information (%u %u)!\n", image_index, level_index);
- return false;
- }
-
- std::vector<uint16_t> packed_img(level_info.m_orig_width * level_info.m_orig_height);
-
- fill_buffer_with_random_bytes(&packed_img[0], packed_img.size() * sizeof(uint16_t));
-
- tm.start();
-
- if (!dec.transcode_image_level(&basis_data[0], (uint32_t)basis_data.size(), image_index, level_index, &packed_img[0], (uint32_t)packed_img.size(), transcoder_tex_fmt, 0, level_info.m_orig_width, nullptr, level_info.m_orig_height))
- {
- error_printf("Failed transcoding image level (%u %u %u)!\n", image_index, level_index, transcoder_tex_fmt);
- return false;
- }
-
- double total_transcode_time = tm.get_elapsed_ms();
-
- image img(level_info.m_orig_width, level_info.m_orig_height);
- for (uint32_t y = 0; y < level_info.m_orig_height; y++)
- {
- for (uint32_t x = 0; x < level_info.m_orig_width; x++)
- {
- const uint16_t p = packed_img[x + y * level_info.m_orig_width];
- uint32_t r = p >> 12, g = (p >> 8) & 15, b = (p >> 4) & 15, a = p & 15;
- r = (r << 4) | r;
- g = (g << 4) | g;
- b = (b << 4) | b;
- a = (a << 4) | a;
- img(x, y).set(r, g, b, a);
- }
- }
-
- printf("Transcode of image %u level %u res %ux%u format %s succeeded in %3.3f ms\n", image_index, level_index, level_info.m_orig_width, level_info.m_orig_height, basist::basis_get_format_name(transcoder_tex_fmt), total_transcode_time);
-
- std::string rgb_filename(base_filename + string_format("_unpacked_rgb_%s_%u_%04u.png", basist::basis_get_format_name(transcoder_tex_fmt), level_index, image_index));
- if (!save_png(rgb_filename, img, cImageSaveIgnoreAlpha))
- {
- error_printf("Failed writing to PNG file \"%s\"\n", rgb_filename.c_str());
- return false;
- }
- printf("Wrote PNG file \"%s\"\n", rgb_filename.c_str());
-
- std::string a_filename(base_filename + string_format("_unpacked_a_%s_%u_%04u.png", basist::basis_get_format_name(transcoder_tex_fmt), level_index, image_index));
- if (!save_png(a_filename, img, cImageSaveGrayscale, 3))
- {
- error_printf("Failed writing to PNG file \"%s\"\n", a_filename.c_str());
- return false;
- }
- printf("Wrote PNG file \"%s\"\n", a_filename.c_str());
-
- } // level_index
- } // image_index
-
- } // file_index
-
- if (total_pvrtc_nonpow2_warnings)
- printf("Warning: %u images could not be transcoded to PVRTC1 because one or both dimensions were not a power of 2\n", total_pvrtc_nonpow2_warnings);
-
- if (total_unpack_warnings)
- printf("ATTENTION: %u total images had invalid GPU texture data!\n", total_unpack_warnings);
- else
- printf("Success\n");
-
- return true;
-}
-
-static bool compare_mode(command_line_params &opts)
-{
- if (opts.m_input_filenames.size() != 2)
- {
- error_printf("Must specify two PNG filenames using -file\n");
- return false;
- }
-
- image a, b;
- if (!load_png(opts.m_input_filenames[0].c_str(), a))
- {
- error_printf("Failed loading image from file \"%s\"!\n", opts.m_input_filenames[0].c_str());
- return false;
- }
-
- printf("Loaded \"%s\", %ux%u, has alpha: %u\n", opts.m_input_filenames[0].c_str(), a.get_width(), a.get_height(), a.has_alpha());
-
- if (!load_png(opts.m_input_filenames[1].c_str(), b))
- {
- error_printf("Failed loading image from file \"%s\"!\n", opts.m_input_filenames[1].c_str());
- return false;
- }
-
- printf("Loaded \"%s\", %ux%u, has alpha: %u\n", opts.m_input_filenames[1].c_str(), b.get_width(), b.get_height(), b.has_alpha());
-
- if ((a.get_width() != b.get_width()) || (a.get_height() != b.get_height()))
- {
- printf("Images don't have the same dimensions - cropping input images to smallest common dimensions\n");
-
- uint32_t w = minimum(a.get_width(), b.get_width());
- uint32_t h = minimum(a.get_height(), b.get_height());
-
- a.crop(w, h);
- b.crop(w, h);
- }
-
- printf("Comparison image res: %ux%u\n", a.get_width(), a.get_height());
-
- image_metrics im;
- im.calc(a, b, 0, 3);
- im.print("RGB ");
-
- im.calc(a, b, 0, 1);
- im.print("R ");
-
- im.calc(a, b, 1, 1);
- im.print("G ");
-
- im.calc(a, b, 2, 1);
- im.print("B ");
-
- im.calc(a, b, 0, 0);
- im.print("Y 709 " );
-
- im.calc(a, b, 0, 0, true, true);
- im.print("Y 601 " );
-
- if (opts.m_compare_ssim)
- {
- vec4F s_rgb(compute_ssim(a, b, false, false));
-
- printf("R SSIM: %f\n", s_rgb[0]);
- printf("G SSIM: %f\n", s_rgb[1]);
- printf("B SSIM: %f\n", s_rgb[2]);
- printf("RGB Avg SSIM: %f\n", (s_rgb[0] + s_rgb[1] + s_rgb[2]) / 3.0f);
- printf("A SSIM: %f\n", s_rgb[3]);
-
- vec4F s_y_709(compute_ssim(a, b, true, false));
- printf("Y 709 SSIM: %f\n", s_y_709[0]);
-
- vec4F s_y_601(compute_ssim(a, b, true, true));
- printf("Y 601 SSIM: %f\n", s_y_601[0]);
- }
-
- image delta_img(a.get_width(), a.get_height());
-
- const int X = 2;
-
- for (uint32_t y = 0; y < a.get_height(); y++)
- {
- for (uint32_t x = 0; x < a.get_width(); x++)
- {
- color_rgba &d = delta_img(x, y);
-
- for (int c = 0; c < 4; c++)
- d[c] = (uint8_t)clamp<int>((a(x, y)[c] - b(x, y)[c]) * X + 128, 0, 255);
- } // x
- } // y
-
- save_png("a_rgb.png", a, cImageSaveIgnoreAlpha);
- save_png("a_alpha.png", a, cImageSaveGrayscale, 3);
- printf("Wrote a_rgb.png and a_alpha.png\n");
-
- save_png("b_rgb.png", b, cImageSaveIgnoreAlpha);
- save_png("b_alpha.png", b, cImageSaveGrayscale, 3);
- printf("Wrote b_rgb.png and b_alpha.png\n");
-
- save_png("delta_img_rgb.png", delta_img, cImageSaveIgnoreAlpha);
- printf("Wrote delta_img_rgb.png\n");
-
- save_png("delta_img_a.png", delta_img, cImageSaveGrayscale, 3);
- printf("Wrote delta_img_a.png\n");
-
- return true;
-}
-
-static int main_internal(int argc, const char **argv)
-{
- printf("Basis Universal GPU Texture Compressor Reference Encoder v" BASISU_TOOL_VERSION ", Copyright (C) 2019 Binomial LLC, All rights reserved\n");
-
- //interval_timer tm;
- //tm.start();
-
- basisu_encoder_init();
-
- //printf("Encoder and transcoder libraries initialized in %3.3f ms\n", tm.get_elapsed_ms());
-
-#if defined(DEBUG) || defined(_DEBUG)
- printf("DEBUG build\n");
-#endif
-
- if (argc == 1)
- {
- print_usage();
- return EXIT_FAILURE;
- }
-
- command_line_params opts;
- if (!opts.parse(argc, argv))
- {
- print_usage();
- return EXIT_FAILURE;
- }
-
- if (!opts.process_listing_files())
- return EXIT_FAILURE;
-
- if (opts.m_mode == cDefault)
- {
- for (size_t i = 0; i < opts.m_input_filenames.size(); i++)
- {
- std::string ext(string_get_extension(opts.m_input_filenames[i]));
- if (strcasecmp(ext.c_str(), "basis") == 0)
- {
- // If they haven't specified any modes, and they give us a .basis file, then assume they want to unpack it.
- opts.m_mode = cUnpack;
- break;
- }
- }
- }
-
- bool status = false;
-
- switch (opts.m_mode)
- {
- case cDefault:
- case cCompress:
- status = compress_mode(opts);
- break;
- case cValidate:
- status = unpack_and_validate_mode(opts, true);
- break;
- case cUnpack:
- status = unpack_and_validate_mode(opts, false);
- break;
- case cCompare:
- status = compare_mode(opts);
- break;
- case cVersion:
- status = true; // We printed the version at the beginning of main_internal
- break;
- default:
- assert(0);
- break;
- }
-
- return status ? EXIT_SUCCESS : EXIT_FAILURE;
-}
-
-int main(int argc, const char **argv)
-{
- int status = EXIT_FAILURE;
-
-#if BASISU_CATCH_EXCEPTIONS
- try
- {
- status = main_internal(argc, argv);
- }
- catch (const std::exception &exc)
- {
- fprintf(stderr, "Fatal error: Caught exception \"%s\"\n", exc.what());
- }
- catch (...)
- {
- fprintf(stderr, "Fatal error: Uncaught exception!\n");
- }
-#else
- status = main_internal(argc, argv);
-#endif
-
- return status;
-}