2018-02-06 16:06:21 -08:00
|
|
|
use std::collections::{HashSet, HashMap};
|
2018-03-22 17:37:27 -07:00
|
|
|
use std::fmt::Write;
|
2018-02-07 16:41:33 -08:00
|
|
|
use std::mem;
|
2018-01-29 21:20:38 -08:00
|
|
|
|
|
|
|
use parity_wasm::elements::*;
|
2018-04-05 18:30:37 -07:00
|
|
|
use parity_wasm;
|
|
|
|
use shared;
|
|
|
|
use wasm_gc;
|
2018-01-29 21:20:38 -08:00
|
|
|
|
|
|
|
use super::Bindgen;
|
2018-04-14 09:13:07 -07:00
|
|
|
use descriptor::{Descriptor, VectorKind};
|
|
|
|
|
|
|
|
mod js2rust;
|
|
|
|
use self::js2rust::Js2Rust;
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
pub struct Context<'a> {
|
2018-01-29 21:20:38 -08:00
|
|
|
pub globals: String,
|
|
|
|
pub imports: String,
|
2018-03-29 01:47:44 -07:00
|
|
|
pub footer: String,
|
2018-01-29 21:20:38 -08:00
|
|
|
pub typescript: String,
|
|
|
|
pub exposed_globals: HashSet<&'static str>,
|
2018-02-06 08:58:15 -08:00
|
|
|
pub required_internal_exports: HashSet<&'static str>,
|
2018-01-29 21:20:38 -08:00
|
|
|
pub config: &'a Bindgen,
|
|
|
|
pub module: &'a mut Module,
|
2018-02-07 16:41:33 -08:00
|
|
|
pub imported_names: HashSet<String>,
|
|
|
|
pub exported_classes: HashMap<String, ExportedClass>,
|
2018-04-04 08:24:19 -07:00
|
|
|
pub function_table_needed: bool,
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
pub run_descriptor: &'a Fn(&str) -> Vec<u32>,
|
2018-02-07 16:41:33 -08:00
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Default)]
|
|
|
|
pub struct ExportedClass {
|
|
|
|
pub contents: String,
|
|
|
|
pub typescript: String,
|
2018-04-14 16:41:41 +02:00
|
|
|
pub constructor: Option<String>,
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
pub struct SubContext<'a, 'b: 'a> {
|
|
|
|
pub program: &'a shared::Program,
|
|
|
|
pub cx: &'a mut Context<'b>,
|
|
|
|
}
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
impl<'a> Context<'a> {
|
2018-04-03 13:12:28 -07:00
|
|
|
fn export(&mut self, name: &str, contents: &str) {
|
|
|
|
let contents = contents.trim();
|
|
|
|
let global = if self.config.nodejs {
|
|
|
|
format!("module.exports.{} = {};\n", name, contents)
|
2018-04-11 13:59:58 +05:45
|
|
|
} else if self.config.no_modules {
|
2018-04-05 19:50:26 +05:45
|
|
|
format!("__exports.{} = {}\n", name, contents)
|
2018-04-03 13:12:28 -07:00
|
|
|
} else {
|
|
|
|
if contents.starts_with("function") {
|
|
|
|
format!("export function {} {}\n", name, &contents[8..])
|
2018-04-03 13:25:10 -07:00
|
|
|
} else if contents.starts_with("class") {
|
|
|
|
format!("export {}\n", contents)
|
2018-04-03 13:12:28 -07:00
|
|
|
} else {
|
|
|
|
format!("export const {} = {};\n", name, contents)
|
|
|
|
}
|
|
|
|
};
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&global);
|
2018-04-03 13:12:28 -07:00
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
pub fn finalize(&mut self, module_name: &str) -> (String, String) {
|
2018-04-05 18:30:37 -07:00
|
|
|
self.unexport_unused_internal_exports();
|
|
|
|
self.gc();
|
2018-02-07 16:41:33 -08:00
|
|
|
self.write_classes();
|
2018-01-29 21:20:38 -08:00
|
|
|
{
|
|
|
|
let mut bind = |name: &str, f: &Fn(&mut Self) -> String| {
|
|
|
|
if !self.wasm_import_needed(name) {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-03-02 19:20:14 -08:00
|
|
|
let contents = f(self);
|
|
|
|
let contents = contents.trim();
|
2018-04-03 13:12:28 -07:00
|
|
|
self.export(name, contents);
|
2018-01-29 21:20:38 -08:00
|
|
|
};
|
|
|
|
|
|
|
|
bind("__wbindgen_object_clone_ref", &|me| {
|
|
|
|
me.expose_add_heap_object();
|
|
|
|
me.expose_get_object();
|
|
|
|
let bump_cnt = if me.config.debug {
|
|
|
|
String::from("
|
|
|
|
if (typeof(val) === 'number')
|
|
|
|
throw new Error('corrupt slab');
|
|
|
|
val.cnt += 1;
|
|
|
|
")
|
|
|
|
} else {
|
|
|
|
String::from("val.cnt += 1;")
|
|
|
|
};
|
|
|
|
format!("
|
|
|
|
function(idx) {{
|
|
|
|
// If this object is on the stack promote it to the heap.
|
|
|
|
if ((idx & 1) === 1)
|
|
|
|
return addHeapObject(getObject(idx));
|
|
|
|
|
|
|
|
// Otherwise if the object is on the heap just bump the
|
|
|
|
// refcount and move on
|
|
|
|
const val = slab[idx >> 1];
|
|
|
|
{}
|
|
|
|
return idx;
|
|
|
|
}}
|
|
|
|
", bump_cnt)
|
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_object_drop_ref", &|me| {
|
|
|
|
me.expose_drop_ref();
|
2018-03-02 19:20:14 -08:00
|
|
|
"function(i) { dropRef(i); }".to_string()
|
2018-01-29 21:20:38 -08:00
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_string_new", &|me| {
|
|
|
|
me.expose_add_heap_object();
|
|
|
|
me.expose_get_string_from_wasm();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function(p, l) {
|
|
|
|
return addHeapObject(getStringFromWasm(p, l));
|
|
|
|
}")
|
2018-01-29 21:20:38 -08:00
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_number_new", &|me| {
|
|
|
|
me.expose_add_heap_object();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function(i) { return addHeapObject(i); }")
|
2018-01-29 21:20:38 -08:00
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_number_get", &|me| {
|
|
|
|
me.expose_get_object();
|
2018-02-06 15:32:45 -08:00
|
|
|
me.expose_uint8_memory();
|
2018-01-29 21:20:38 -08:00
|
|
|
format!("
|
|
|
|
function(n, invalid) {{
|
|
|
|
let obj = getObject(n);
|
|
|
|
if (typeof(obj) === 'number')
|
|
|
|
return obj;
|
2018-02-06 15:32:45 -08:00
|
|
|
getUint8Memory()[invalid] = 1;
|
2018-01-29 21:20:38 -08:00
|
|
|
return 0;
|
|
|
|
}}
|
|
|
|
")
|
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_undefined_new", &|me| {
|
|
|
|
me.expose_add_heap_object();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function() { return addHeapObject(undefined); }")
|
2018-01-29 21:20:38 -08:00
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_null_new", &|me| {
|
|
|
|
me.expose_add_heap_object();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function() {
|
|
|
|
return addHeapObject(null);
|
|
|
|
}")
|
2018-01-29 21:20:38 -08:00
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_is_null", &|me| {
|
|
|
|
me.expose_get_object();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function(idx) {
|
|
|
|
return getObject(idx) === null ? 1 : 0;
|
|
|
|
}")
|
2018-01-29 21:20:38 -08:00
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_is_undefined", &|me| {
|
|
|
|
me.expose_get_object();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function(idx) {
|
|
|
|
return getObject(idx) === undefined ? 1 : 0;
|
|
|
|
}")
|
2018-01-29 21:20:38 -08:00
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_boolean_new", &|me| {
|
|
|
|
me.expose_add_heap_object();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function(v) {
|
2018-03-25 12:15:34 +02:00
|
|
|
return addHeapObject(v === 1);
|
2018-03-02 19:20:14 -08:00
|
|
|
}")
|
2018-01-29 21:20:38 -08:00
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_boolean_get", &|me| {
|
|
|
|
me.expose_get_object();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function(i) {
|
2018-01-29 21:20:38 -08:00
|
|
|
let v = getObject(i);
|
2018-03-25 12:15:34 +02:00
|
|
|
if (typeof(v) === 'boolean') {
|
2018-01-29 21:20:38 -08:00
|
|
|
return v ? 1 : 0;
|
|
|
|
} else {
|
|
|
|
return 2;
|
|
|
|
}
|
|
|
|
}")
|
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_symbol_new", &|me| {
|
|
|
|
me.expose_get_string_from_wasm();
|
|
|
|
me.expose_add_heap_object();
|
2018-03-02 19:20:14 -08:00
|
|
|
format!("function(ptr, len) {{
|
2018-01-29 21:20:38 -08:00
|
|
|
let a;
|
|
|
|
console.log(ptr, len);
|
|
|
|
if (ptr === 0) {{
|
|
|
|
a = Symbol();
|
|
|
|
}} else {{
|
|
|
|
a = Symbol(getStringFromWasm(ptr, len));
|
|
|
|
}}
|
|
|
|
return addHeapObject(a);
|
|
|
|
}}")
|
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_is_symbol", &|me| {
|
|
|
|
me.expose_get_object();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function(i) {
|
2018-03-25 12:15:34 +02:00
|
|
|
return typeof(getObject(i)) === 'symbol' ? 1 : 0;
|
2018-03-02 19:20:14 -08:00
|
|
|
}")
|
2018-01-29 21:20:38 -08:00
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_throw", &|me| {
|
|
|
|
me.expose_get_string_from_wasm();
|
|
|
|
format!("
|
|
|
|
function(ptr, len) {{
|
|
|
|
throw new Error(getStringFromWasm(ptr, len));
|
|
|
|
}}
|
|
|
|
")
|
|
|
|
});
|
|
|
|
|
|
|
|
bind("__wbindgen_string_get", &|me| {
|
|
|
|
me.expose_pass_string_to_wasm();
|
|
|
|
me.expose_get_object();
|
2018-02-06 15:32:45 -08:00
|
|
|
me.expose_uint32_memory();
|
2018-03-02 19:20:14 -08:00
|
|
|
String::from("function(i, len_ptr) {
|
2018-01-29 21:20:38 -08:00
|
|
|
let obj = getObject(i);
|
|
|
|
if (typeof(obj) !== 'string')
|
|
|
|
return 0;
|
|
|
|
const [ptr, len] = passStringToWasm(obj);
|
2018-02-06 15:32:45 -08:00
|
|
|
getUint32Memory()[len_ptr / 4] = len;
|
2018-01-29 21:20:38 -08:00
|
|
|
return ptr;
|
|
|
|
}")
|
|
|
|
});
|
2018-04-05 18:25:22 -07:00
|
|
|
|
|
|
|
for i in 0..8 {
|
|
|
|
let name = format!("__wbindgen_cb_arity{}", i);
|
|
|
|
bind(&name, &|me| {
|
|
|
|
me.expose_add_heap_object();
|
|
|
|
me.function_table_needed = true;
|
|
|
|
let args = (0..i)
|
|
|
|
.map(|x| format!("arg{}", x))
|
|
|
|
.collect::<Vec<_>>()
|
|
|
|
.join(", ");
|
|
|
|
format!("function(a, b, c) {{
|
|
|
|
const cb = function({0}) {{
|
|
|
|
return this.f(this.a, this.b {1} {0});
|
|
|
|
}};
|
|
|
|
cb.a = b;
|
|
|
|
cb.b = c;
|
|
|
|
cb.f = wasm.__wbg_function_table.get(a);
|
|
|
|
let real = cb.bind(cb);
|
|
|
|
real.original = cb;
|
|
|
|
return addHeapObject(real);
|
|
|
|
}}", args, if i == 0 {""} else {","})
|
|
|
|
});
|
|
|
|
}
|
|
|
|
bind("__wbindgen_cb_drop", &|me| {
|
|
|
|
me.expose_drop_ref();
|
|
|
|
String::from("function(i) {
|
|
|
|
let obj = getObject(i).original;
|
|
|
|
obj.a = obj.b = 0;
|
|
|
|
dropRef(i);
|
|
|
|
}")
|
|
|
|
});
|
2018-04-06 08:49:21 -07:00
|
|
|
bind("__wbindgen_cb_forget", &|me| {
|
|
|
|
me.expose_drop_ref();
|
|
|
|
String::from("function(i) {
|
|
|
|
dropRef(i);
|
|
|
|
}")
|
|
|
|
});
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-02-17 16:43:58 -08:00
|
|
|
self.rewrite_imports(module_name);
|
|
|
|
|
2018-04-14 09:37:49 -07:00
|
|
|
let mut js = if self.config.no_modules {
|
2018-04-05 19:50:26 +05:45
|
|
|
format!("
|
2018-04-13 14:25:27 +05:45
|
|
|
(function() {{
|
2018-04-13 07:44:35 -07:00
|
|
|
var wasm;
|
2018-04-13 14:25:27 +05:45
|
|
|
const __exports = {{}};
|
|
|
|
{globals}
|
2018-04-13 07:44:35 -07:00
|
|
|
function init(wasm_path) {{
|
|
|
|
return fetch(wasm_path)
|
|
|
|
.then(response => response.arrayBuffer())
|
|
|
|
.then(buffer => WebAssembly.instantiate(buffer, {{ './{module}': __exports }}))
|
|
|
|
.then(({{instance}}) => {{
|
|
|
|
wasm = init.wasm = instance.exports;
|
|
|
|
return;
|
|
|
|
}});
|
|
|
|
}};
|
|
|
|
window.wasm_bindgen = Object.assign(init, __exports);
|
2018-04-13 14:25:27 +05:45
|
|
|
}})();
|
2018-04-05 19:50:26 +05:45
|
|
|
",
|
2018-04-05 20:30:58 +05:45
|
|
|
globals = self.globals,
|
2018-04-13 07:44:35 -07:00
|
|
|
module = module_name,
|
2018-04-05 19:50:26 +05:45
|
|
|
)
|
|
|
|
} else {
|
2018-04-13 07:44:35 -07:00
|
|
|
let import_wasm = if self.config.nodejs {
|
|
|
|
self.footer.push_str(&format!("wasm = require('./{}_bg');",
|
|
|
|
module_name));
|
|
|
|
format!("var wasm;")
|
|
|
|
} else {
|
|
|
|
format!("import * as wasm from './{}_bg';", module_name)
|
|
|
|
};
|
|
|
|
|
2018-04-14 09:37:49 -07:00
|
|
|
format!("\
|
|
|
|
/* tslint:disable */\n\
|
|
|
|
{import_wasm}\n\
|
|
|
|
{imports}\n\
|
2018-04-05 19:50:26 +05:45
|
|
|
|
2018-04-14 09:37:49 -07:00
|
|
|
{globals}\n\
|
2018-04-05 19:50:26 +05:45
|
|
|
{footer}",
|
|
|
|
import_wasm = import_wasm,
|
|
|
|
globals = self.globals,
|
|
|
|
imports = self.imports,
|
|
|
|
footer = self.footer,
|
|
|
|
)
|
|
|
|
};
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-04-04 08:24:19 -07:00
|
|
|
self.export_table();
|
2018-04-05 18:30:37 -07:00
|
|
|
self.gc();
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-04-14 09:37:49 -07:00
|
|
|
while js.contains("\n\n\n") {
|
|
|
|
js = js.replace("\n\n\n", "\n\n");
|
|
|
|
}
|
|
|
|
|
2018-01-29 21:20:38 -08:00
|
|
|
(js, self.typescript.clone())
|
|
|
|
}
|
|
|
|
|
2018-02-07 16:41:33 -08:00
|
|
|
fn write_classes(&mut self) {
|
|
|
|
let classes = mem::replace(&mut self.exported_classes, Default::default());
|
|
|
|
for (class, exports) in classes {
|
2018-04-03 13:25:10 -07:00
|
|
|
let mut dst = format!("class {} {{\n", class);
|
|
|
|
let mut ts_dst = format!("export {}", dst);
|
2018-02-07 16:41:33 -08:00
|
|
|
ts_dst.push_str("
|
|
|
|
public ptr: number;
|
|
|
|
");
|
2018-04-14 15:34:11 +02:00
|
|
|
|
2018-04-15 01:29:09 +02:00
|
|
|
if self.config.debug || exports.constructor.is_some() {
|
|
|
|
self.expose_constructor_token();
|
2018-04-14 15:34:11 +02:00
|
|
|
|
2018-04-15 01:29:09 +02:00
|
|
|
dst.push_str(&format!("
|
|
|
|
static __construct(ptr) {{
|
|
|
|
return new {}(new ConstructorToken(ptr));
|
2018-02-07 16:41:33 -08:00
|
|
|
}}
|
2018-04-14 15:34:11 +02:00
|
|
|
|
2018-04-15 01:29:09 +02:00
|
|
|
constructor(...args) {{
|
|
|
|
if (args.length === 1 && args[0] instanceof ConstructorToken) {{
|
|
|
|
this.ptr = args[0].ptr;
|
|
|
|
return;
|
|
|
|
}}
|
|
|
|
", class));
|
|
|
|
|
|
|
|
if let Some(constructor) = exports.constructor {
|
|
|
|
ts_dst.push_str(&format!("constructor(...args: [any]);\n"));
|
|
|
|
|
|
|
|
dst.push_str(&format!("
|
|
|
|
// This invocation of new will call this constructor with a ConstructorToken
|
|
|
|
let instance = {class}.{constructor}(...args);
|
|
|
|
this.ptr = instance.ptr;
|
|
|
|
", class = class, constructor = constructor));
|
|
|
|
} else {
|
|
|
|
dst.push_str("throw new Error('you cannot invoke `new` directly without having a \
|
|
|
|
method annotated a constructor');");
|
|
|
|
}
|
2018-04-14 15:34:11 +02:00
|
|
|
|
2018-04-15 01:29:09 +02:00
|
|
|
dst.push_str("}");
|
2018-04-14 15:34:11 +02:00
|
|
|
} else {
|
2018-04-15 01:29:09 +02:00
|
|
|
dst.push_str(&format!("
|
|
|
|
static __construct(ptr) {{
|
|
|
|
return new {}(ptr);
|
|
|
|
}}
|
2018-04-14 15:34:11 +02:00
|
|
|
|
2018-04-15 01:29:09 +02:00
|
|
|
constructor(ptr) {{
|
|
|
|
this.ptr = ptr;
|
|
|
|
}}
|
|
|
|
", class));
|
2018-04-14 15:34:11 +02:00
|
|
|
}
|
|
|
|
|
|
|
|
let new_name = shared::new_function(&class);
|
|
|
|
if self.wasm_import_needed(&new_name) {
|
|
|
|
self.expose_add_heap_object();
|
2018-04-15 01:29:09 +02:00
|
|
|
|
2018-04-14 15:34:11 +02:00
|
|
|
self.export(&new_name, &format!("
|
|
|
|
function(ptr) {{
|
2018-04-15 01:29:09 +02:00
|
|
|
return addHeapObject({}.__construct(ptr));
|
2018-02-07 16:41:33 -08:00
|
|
|
}}
|
2018-04-15 01:29:09 +02:00
|
|
|
", class));
|
2018-02-07 16:41:33 -08:00
|
|
|
}
|
|
|
|
|
|
|
|
dst.push_str(&format!("
|
|
|
|
free() {{
|
|
|
|
const ptr = this.ptr;
|
|
|
|
this.ptr = 0;
|
|
|
|
wasm.{}(ptr);
|
|
|
|
}}
|
|
|
|
", shared::free_function(&class)));
|
|
|
|
ts_dst.push_str("free(): void;\n");
|
|
|
|
|
|
|
|
dst.push_str(&exports.contents);
|
2018-02-08 10:22:54 -08:00
|
|
|
ts_dst.push_str(&exports.typescript);
|
2018-02-07 16:41:33 -08:00
|
|
|
dst.push_str("}\n");
|
|
|
|
ts_dst.push_str("}\n");
|
|
|
|
|
2018-04-03 13:25:10 -07:00
|
|
|
self.export(&class, &dst);
|
2018-02-07 16:41:33 -08:00
|
|
|
self.typescript.push_str(&ts_dst);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-04-04 08:24:19 -07:00
|
|
|
fn export_table(&mut self) {
|
|
|
|
if !self.function_table_needed {
|
|
|
|
return
|
|
|
|
}
|
|
|
|
for section in self.module.sections_mut() {
|
|
|
|
let exports = match *section {
|
|
|
|
Section::Export(ref mut s) => s,
|
|
|
|
_ => continue,
|
|
|
|
};
|
|
|
|
let entry = ExportEntry::new("__wbg_function_table".to_string(),
|
|
|
|
Internal::Table(0));
|
|
|
|
exports.entries_mut().push(entry);
|
|
|
|
break
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn rewrite_imports(&mut self, module_name: &str) {
|
2018-04-03 13:29:26 -07:00
|
|
|
for (name, contents) in self._rewrite_imports(module_name) {
|
|
|
|
self.export(&name, &contents);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
fn _rewrite_imports(&mut self, module_name: &str)
|
2018-04-07 13:06:36 +05:45
|
|
|
-> Vec<(String, String)>
|
2018-04-03 13:29:26 -07:00
|
|
|
{
|
|
|
|
let mut math_imports = Vec::new();
|
2018-02-17 16:43:58 -08:00
|
|
|
let imports = self.module.sections_mut()
|
|
|
|
.iter_mut()
|
|
|
|
.filter_map(|s| {
|
|
|
|
match *s {
|
|
|
|
Section::Import(ref mut s) => Some(s),
|
|
|
|
_ => None,
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-02-17 16:43:58 -08:00
|
|
|
})
|
|
|
|
.flat_map(|s| s.entries_mut());
|
|
|
|
|
|
|
|
for import in imports {
|
2018-03-14 14:33:53 -07:00
|
|
|
if import.module() == "__wbindgen_placeholder__" {
|
2018-02-17 16:43:58 -08:00
|
|
|
import.module_mut().truncate(0);
|
|
|
|
import.module_mut().push_str("./");
|
|
|
|
import.module_mut().push_str(module_name);
|
2018-04-07 13:06:36 +05:45
|
|
|
continue;
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-02-17 16:43:58 -08:00
|
|
|
|
|
|
|
if import.module() != "env" {
|
2018-04-07 13:06:36 +05:45
|
|
|
continue;
|
2018-02-17 16:43:58 -08:00
|
|
|
}
|
|
|
|
|
|
|
|
let renamed_import = format!("__wbindgen_{}", import.field());
|
|
|
|
let mut bind_math = |expr: &str| {
|
2018-04-03 13:29:26 -07:00
|
|
|
math_imports.push((
|
|
|
|
renamed_import.clone(),
|
|
|
|
format!("function{}", expr),
|
|
|
|
));
|
2018-02-17 16:43:58 -08:00
|
|
|
};
|
|
|
|
|
2018-03-02 19:20:14 -08:00
|
|
|
// FIXME(#32): try to not use function shims
|
2018-02-17 16:43:58 -08:00
|
|
|
match import.field() {
|
2018-03-02 19:20:14 -08:00
|
|
|
"Math_acos" => bind_math("(x) { return Math.acos(x); }"),
|
|
|
|
"Math_asin" => bind_math("(x) { return Math.asin(x); }"),
|
|
|
|
"Math_atan" => bind_math("(x) { return Math.atan(x); }"),
|
|
|
|
"Math_atan2" => bind_math("(x, y) { return Math.atan2(x, y); }"),
|
|
|
|
"Math_cbrt" => bind_math("(x) { return Math.cbrt(x); }"),
|
|
|
|
"Math_cosh" => bind_math("(x) { return Math.cosh(x); }"),
|
|
|
|
"Math_expm1" => bind_math("(x) { return Math.expm1(x); }"),
|
|
|
|
"Math_hypot" => bind_math("(x, y) { return Math.hypot(x, y); }"),
|
|
|
|
"Math_log1p" => bind_math("(x) { return Math.log1p(x); }"),
|
|
|
|
"Math_sinh" => bind_math("(x) { return Math.sinh(x); }"),
|
|
|
|
"Math_tan" => bind_math("(x) { return Math.tan(x); }"),
|
|
|
|
"Math_tanh" => bind_math("(x) { return Math.tanh(x); }"),
|
|
|
|
"cos" => bind_math("(x) { return Math.cos(x); }"),
|
|
|
|
"cosf" => bind_math("(x) { return Math.cos(x); }"),
|
|
|
|
"exp" => bind_math("(x) { return Math.exp(x); }"),
|
|
|
|
"expf" => bind_math("(x) { return Math.exp(x); }"),
|
|
|
|
"log2" => bind_math("(x) { return Math.log2(x); }"),
|
|
|
|
"log2f" => bind_math("(x) { return Math.log2(x); }"),
|
|
|
|
"log10" => bind_math("(x) { return Math.log10(x); }"),
|
|
|
|
"log10f" => bind_math("(x) { return Math.log10(x); }"),
|
|
|
|
"log" => bind_math("(x) { return Math.log(x); }"),
|
|
|
|
"logf" => bind_math("(x) { return Math.log(x); }"),
|
|
|
|
"round" => bind_math("(x) { return Math.round(x); }"),
|
|
|
|
"roundf" => bind_math("(x) { return Math.round(x); }"),
|
|
|
|
"sin" => bind_math("(x) { return Math.sin(x); }"),
|
|
|
|
"sinf" => bind_math("(x) { return Math.sin(x); }"),
|
|
|
|
"pow" => bind_math("(x, y) { return Math.pow(x, y); }"),
|
|
|
|
"powf" => bind_math("(x, y) { return Math.pow(x, y); }"),
|
|
|
|
"exp2" => bind_math("(a) { return Math.pow(2, a); }"),
|
|
|
|
"exp2f" => bind_math("(a) { return Math.pow(2, a); }"),
|
|
|
|
"fmod" => bind_math("(a, b) { return a % b; }"),
|
|
|
|
"fmodf" => bind_math("(a, b) { return a % b; }"),
|
|
|
|
"fma" => bind_math("(a, b, c) { return (a * b) + c; }"),
|
|
|
|
"fmaf" => bind_math("(a, b, c) { return (a * b) + c; }"),
|
2018-02-17 16:43:58 -08:00
|
|
|
_ => continue,
|
|
|
|
}
|
|
|
|
|
|
|
|
import.module_mut().truncate(0);
|
|
|
|
import.module_mut().push_str("./");
|
|
|
|
import.module_mut().push_str(module_name);
|
|
|
|
*import.field_mut() = renamed_import.clone();
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-04-03 13:29:26 -07:00
|
|
|
|
|
|
|
math_imports
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn unexport_unused_internal_exports(&mut self) {
|
|
|
|
let required = &self.required_internal_exports;
|
|
|
|
for section in self.module.sections_mut() {
|
|
|
|
let exports = match *section {
|
|
|
|
Section::Export(ref mut s) => s,
|
|
|
|
_ => continue,
|
|
|
|
};
|
|
|
|
exports.entries_mut().retain(|export| {
|
|
|
|
!export.field().starts_with("__wbindgen") ||
|
|
|
|
required.contains(export.field())
|
|
|
|
});
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_drop_ref(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("drop_ref") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
|
|
|
self.expose_global_slab();
|
|
|
|
self.expose_global_slab_next();
|
|
|
|
let validate_owned = if self.config.debug {
|
|
|
|
String::from("
|
|
|
|
if ((idx & 1) === 1)
|
|
|
|
throw new Error('cannot drop ref of stack objects');
|
|
|
|
")
|
|
|
|
} else {
|
|
|
|
String::new()
|
|
|
|
};
|
|
|
|
let dec_ref = if self.config.debug {
|
|
|
|
String::from("
|
|
|
|
if (typeof(obj) === 'number')
|
|
|
|
throw new Error('corrupt slab');
|
|
|
|
obj.cnt -= 1;
|
|
|
|
if (obj.cnt > 0)
|
|
|
|
return;
|
|
|
|
")
|
|
|
|
} else {
|
|
|
|
String::from("
|
|
|
|
obj.cnt -= 1;
|
|
|
|
if (obj.cnt > 0)
|
|
|
|
return;
|
|
|
|
")
|
|
|
|
};
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
function dropRef(idx) {{
|
|
|
|
{}
|
|
|
|
|
|
|
|
let obj = slab[idx >> 1];
|
|
|
|
{}
|
|
|
|
|
|
|
|
// If we hit 0 then free up our space in the slab
|
|
|
|
slab[idx >> 1] = slab_next;
|
|
|
|
slab_next = idx >> 1;
|
2018-01-29 21:20:38 -08:00
|
|
|
}}
|
2018-02-06 15:52:44 -08:00
|
|
|
", validate_owned, dec_ref));
|
|
|
|
}
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_global_stack(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("stack") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
let stack = [];
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_global_slab(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("slab") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("let slab = [];"));
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_global_slab_next(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("slab_next") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
let slab_next = 0;
|
|
|
|
"));
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_get_object(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("get_object") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
|
|
|
self.expose_global_stack();
|
|
|
|
self.expose_global_slab();
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
let get_obj = if self.config.debug {
|
|
|
|
String::from("
|
|
|
|
if (typeof(val) === 'number')
|
|
|
|
throw new Error('corrupt slab');
|
|
|
|
return val.obj;
|
|
|
|
")
|
|
|
|
} else {
|
|
|
|
String::from("
|
|
|
|
return val.obj;
|
|
|
|
")
|
|
|
|
};
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
function getObject(idx) {{
|
|
|
|
if ((idx & 1) === 1) {{
|
|
|
|
return stack[idx >> 1];
|
|
|
|
}} else {{
|
|
|
|
const val = slab[idx >> 1];
|
|
|
|
{}
|
|
|
|
}}
|
|
|
|
}}
|
|
|
|
", get_obj));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_assert_num(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("assert_num") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
function _assertNum(n) {{
|
|
|
|
if (typeof(n) !== 'number')
|
|
|
|
throw new Error('expected a number argument');
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_assert_bool(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("assert_bool") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
function _assertBoolean(n) {{
|
|
|
|
if (typeof(n) !== 'boolean')
|
|
|
|
throw new Error('expected a boolean argument');
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_pass_string_to_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("pass_string_to_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
|
|
|
self.required_internal_exports.insert("__wbindgen_malloc");
|
2018-03-28 07:37:56 -07:00
|
|
|
self.expose_text_encoder();
|
|
|
|
self.expose_uint8_memory();
|
2018-04-03 12:44:09 -07:00
|
|
|
let debug = if self.config.debug {
|
|
|
|
"
|
2018-03-28 07:37:56 -07:00
|
|
|
if (typeof(arg) !== 'string')
|
|
|
|
throw new Error('expected a string argument');
|
2018-04-03 12:44:09 -07:00
|
|
|
"
|
|
|
|
} else {
|
|
|
|
""
|
|
|
|
};
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-04-03 12:44:09 -07:00
|
|
|
function passStringToWasm(arg) {{
|
|
|
|
{}
|
2018-04-03 22:36:17 +02:00
|
|
|
const buf = cachedEncoder.encode(arg);
|
2018-04-03 12:44:09 -07:00
|
|
|
const ptr = wasm.__wbindgen_malloc(buf.length);
|
2018-04-03 13:20:56 -07:00
|
|
|
getUint8Memory().set(buf, ptr);
|
2018-04-03 13:12:28 -07:00
|
|
|
return [ptr, buf.length];
|
2018-03-28 07:37:56 -07:00
|
|
|
}}
|
2018-04-03 12:44:09 -07:00
|
|
|
", debug));
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-02-16 18:58:37 -08:00
|
|
|
fn expose_pass_array8_to_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("pass_array8_to_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
|
|
|
self.required_internal_exports.insert("__wbindgen_malloc");
|
|
|
|
self.expose_uint8_memory();
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function passArray8ToWasm(arg) {{
|
|
|
|
const ptr = wasm.__wbindgen_malloc(arg.byteLength);
|
|
|
|
getUint8Memory().set(arg, ptr);
|
|
|
|
return [ptr, arg.length];
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_pass_array16_to_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("pass_array16_to_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
|
|
|
self.required_internal_exports.insert("__wbindgen_malloc");
|
|
|
|
self.expose_uint16_memory();
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function passArray16ToWasm(arg) {{
|
|
|
|
const ptr = wasm.__wbindgen_malloc(arg.byteLength);
|
|
|
|
getUint16Memory().set(arg, ptr / 2);
|
|
|
|
return [ptr, arg.length];
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_pass_array32_to_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("pass_array32_to_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
|
|
|
self.required_internal_exports.insert("__wbindgen_malloc");
|
|
|
|
self.expose_uint32_memory();
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function passArray32ToWasm(arg) {{
|
|
|
|
const ptr = wasm.__wbindgen_malloc(arg.byteLength);
|
|
|
|
getUint32Memory().set(arg, ptr / 4);
|
|
|
|
return [ptr, arg.length];
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_pass_array_f32_to_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("pass_array_f32_to_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
|
|
|
self.required_internal_exports.insert("__wbindgen_malloc");
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function passArrayF32ToWasm(arg) {{
|
|
|
|
const ptr = wasm.__wbindgen_malloc(arg.byteLength);
|
|
|
|
new Float32Array(wasm.memory.buffer).set(arg, ptr / 4);
|
|
|
|
return [ptr, arg.length];
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_pass_array_f64_to_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("pass_array_f64_to_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
|
|
|
self.required_internal_exports.insert("__wbindgen_malloc");
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function passArrayF64ToWasm(arg) {{
|
|
|
|
const ptr = wasm.__wbindgen_malloc(arg.byteLength);
|
|
|
|
new Float64Array(wasm.memory.buffer).set(arg, ptr / 8);
|
|
|
|
return [ptr, arg.length];
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_text_encoder(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("text_encoder") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-03-28 07:37:56 -07:00
|
|
|
if self.config.nodejs {
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-04-04 11:22:13 +02:00
|
|
|
const TextEncoder = require('util').TextEncoder;
|
2018-03-28 07:37:56 -07:00
|
|
|
"));
|
2018-04-11 13:59:58 +05:45
|
|
|
} else if !(self.config.browser || self.config.no_modules) {
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-04-03 08:09:25 -07:00
|
|
|
const TextEncoder = typeof window === 'object' && window.TextEncoder
|
|
|
|
? window.TextEncoder
|
|
|
|
: require('util').TextEncoder;
|
2018-03-28 07:37:56 -07:00
|
|
|
"));
|
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-04-03 22:36:17 +02:00
|
|
|
let cachedEncoder = new TextEncoder('utf-8');
|
2018-02-06 15:52:44 -08:00
|
|
|
"));
|
2018-02-05 16:39:11 -08:00
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_text_decoder(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("text_decoder") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-05 16:39:11 -08:00
|
|
|
}
|
2018-03-28 07:37:56 -07:00
|
|
|
if self.config.nodejs {
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-03-30 10:50:01 -07:00
|
|
|
const TextDecoder = require('util').TextDecoder;
|
2018-03-28 07:37:56 -07:00
|
|
|
"));
|
2018-04-11 13:59:58 +05:45
|
|
|
} else if !(self.config.browser || self.config.no_modules) {
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-04-03 08:09:25 -07:00
|
|
|
const TextDecoder = typeof window === 'object' && window.TextDecoder
|
|
|
|
? window.TextDecoder
|
|
|
|
: require('util').TextDecoder;
|
2018-03-28 07:37:56 -07:00
|
|
|
"));
|
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-04-03 22:36:17 +02:00
|
|
|
let cachedDecoder = new TextDecoder('utf-8');
|
2018-02-06 15:52:44 -08:00
|
|
|
"));
|
|
|
|
}
|
2018-02-05 16:39:11 -08:00
|
|
|
|
2018-04-14 15:34:11 +02:00
|
|
|
fn expose_constructor_token(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("ConstructorToken") {
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global("
|
2018-04-14 15:34:11 +02:00
|
|
|
class ConstructorToken {
|
|
|
|
constructor(ptr) {
|
|
|
|
this.ptr = ptr;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
");
|
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_get_string_from_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("get_string_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-03-28 07:37:56 -07:00
|
|
|
self.expose_text_decoder();
|
|
|
|
self.expose_uint8_memory();
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-03-28 07:37:56 -07:00
|
|
|
function getStringFromWasm(ptr, len) {{
|
2018-04-03 22:36:17 +02:00
|
|
|
return cachedDecoder.decode(getUint8Memory().slice(ptr, ptr + len));
|
2018-03-28 07:37:56 -07:00
|
|
|
}}
|
|
|
|
"));
|
2018-02-05 16:39:11 -08:00
|
|
|
}
|
|
|
|
|
2018-02-28 10:56:56 +01:00
|
|
|
fn expose_get_array_js_value_from_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("get_array_js_value_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-28 10:56:56 +01:00
|
|
|
}
|
2018-02-28 17:29:40 +01:00
|
|
|
self.expose_get_array_u32_from_wasm();
|
2018-02-28 10:56:56 +01:00
|
|
|
self.expose_get_object();
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
function getArrayJsValueFromWasm(ptr, len) {{
|
|
|
|
const mem = getUint32Memory();
|
|
|
|
const slice = mem.slice(ptr / 4, ptr / 4 + len);
|
|
|
|
const result = [];
|
|
|
|
for (ptr in slice) {{
|
|
|
|
result.push(getObject(ptr))
|
2018-02-28 10:56:56 +01:00
|
|
|
}}
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
return result;
|
|
|
|
}}
|
|
|
|
"));
|
2018-02-28 10:56:56 +01:00
|
|
|
}
|
|
|
|
|
2018-02-16 18:58:37 -08:00
|
|
|
fn expose_get_array_i8_from_wasm(&mut self) {
|
2018-02-18 23:55:34 +01:00
|
|
|
self.expose_uint8_memory();
|
2018-02-16 18:58:37 -08:00
|
|
|
if !self.exposed_globals.insert("get_array_i8_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function getArrayI8FromWasm(ptr, len) {{
|
|
|
|
const mem = getUint8Memory();
|
|
|
|
const slice = mem.slice(ptr, ptr + len);
|
|
|
|
return new Int8Array(slice);
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_get_array_u8_from_wasm(&mut self) {
|
2018-02-18 23:55:34 +01:00
|
|
|
self.expose_uint8_memory();
|
2018-02-16 18:58:37 -08:00
|
|
|
if !self.exposed_globals.insert("get_array_u8_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function getArrayU8FromWasm(ptr, len) {{
|
|
|
|
const mem = getUint8Memory();
|
|
|
|
const slice = mem.slice(ptr, ptr + len);
|
|
|
|
return new Uint8Array(slice);
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_get_array_i16_from_wasm(&mut self) {
|
2018-02-18 23:55:34 +01:00
|
|
|
self.expose_uint16_memory();
|
2018-02-16 18:58:37 -08:00
|
|
|
if !self.exposed_globals.insert("get_array_i16_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function getArrayI16FromWasm(ptr, len) {{
|
|
|
|
const mem = getUint16Memory();
|
|
|
|
const slice = mem.slice(ptr / 2, ptr / 2 + len);
|
|
|
|
return new Int16Array(slice);
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_get_array_u16_from_wasm(&mut self) {
|
2018-02-18 23:55:34 +01:00
|
|
|
self.expose_uint16_memory();
|
2018-02-16 18:58:37 -08:00
|
|
|
if !self.exposed_globals.insert("get_array_u16_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function getArrayU16FromWasm(ptr, len) {{
|
|
|
|
const mem = getUint16Memory();
|
|
|
|
const slice = mem.slice(ptr / 2, ptr / 2 + len);
|
|
|
|
return new Uint16Array(slice);
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_get_array_i32_from_wasm(&mut self) {
|
2018-02-18 23:55:34 +01:00
|
|
|
self.expose_uint32_memory();
|
2018-02-16 18:58:37 -08:00
|
|
|
if !self.exposed_globals.insert("get_array_i32_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function getArrayI32FromWasm(ptr, len) {{
|
|
|
|
const mem = getUint32Memory();
|
|
|
|
const slice = mem.slice(ptr / 4, ptr / 4 + len);
|
|
|
|
return new Int32Array(slice);
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_get_array_u32_from_wasm(&mut self) {
|
2018-02-18 23:55:34 +01:00
|
|
|
self.expose_uint32_memory();
|
2018-02-16 18:58:37 -08:00
|
|
|
if !self.exposed_globals.insert("get_array_u32_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function getArrayU32FromWasm(ptr, len) {{
|
|
|
|
const mem = getUint32Memory();
|
|
|
|
const slice = mem.slice(ptr / 4, ptr / 4 + len);
|
|
|
|
return new Uint32Array(slice);
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_get_array_f32_from_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("get_array_f32_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function getArrayF32FromWasm(ptr, len) {{
|
|
|
|
const mem = new Float32Array(wasm.memory.buffer);
|
|
|
|
const slice = mem.slice(ptr / 4, ptr / 4 + len);
|
|
|
|
return new Float32Array(slice);
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_get_array_f64_from_wasm(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("get_array_f64_from_wasm") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
function getArrayF64FromWasm(ptr, len) {{
|
|
|
|
const mem = new Float64Array(wasm.memory.buffer);
|
|
|
|
const slice = mem.slice(ptr / 8, ptr / 8 + len);
|
|
|
|
return new Float64Array(slice);
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_uint8_memory(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("uint8_memory") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-06 08:58:15 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
let cachedUint8Memory = null;
|
|
|
|
function getUint8Memory() {{
|
|
|
|
if (cachedUint8Memory === null ||
|
|
|
|
cachedUint8Memory.buffer !== wasm.memory.buffer)
|
|
|
|
cachedUint8Memory = new Uint8Array(wasm.memory.buffer);
|
|
|
|
return cachedUint8Memory;
|
|
|
|
}}
|
|
|
|
"));
|
2018-02-06 08:58:15 -08:00
|
|
|
}
|
|
|
|
|
2018-02-16 18:58:37 -08:00
|
|
|
fn expose_uint16_memory(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("uint16_memory") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-16 18:58:37 -08:00
|
|
|
let cachedUint16Memory = null;
|
|
|
|
function getUint16Memory() {{
|
|
|
|
if (cachedUint16Memory === null ||
|
|
|
|
cachedUint16Memory.buffer !== wasm.memory.buffer)
|
|
|
|
cachedUint16Memory = new Uint16Array(wasm.memory.buffer);
|
|
|
|
return cachedUint16Memory;
|
|
|
|
}}
|
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_uint32_memory(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("uint32_memory") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
let cachedUint32Memory = null;
|
|
|
|
function getUint32Memory() {{
|
|
|
|
if (cachedUint32Memory === null ||
|
|
|
|
cachedUint32Memory.buffer !== wasm.memory.buffer)
|
|
|
|
cachedUint32Memory = new Uint32Array(wasm.memory.buffer);
|
|
|
|
return cachedUint32Memory;
|
2018-01-29 21:20:38 -08:00
|
|
|
}}
|
2018-02-06 15:52:44 -08:00
|
|
|
"));
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_assert_class(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("assert_class") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
function _assertClass(instance, klass) {{
|
|
|
|
if (!(instance instanceof klass))
|
|
|
|
throw new Error(`expected instance of ${{klass.name}}`);
|
|
|
|
return instance.ptr;
|
|
|
|
}}
|
2018-01-29 21:20:38 -08:00
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_borrowed_objects(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("borrowed_objects") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-02-06 15:52:44 -08:00
|
|
|
self.expose_global_stack();
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
function addBorrowedObject(obj) {{
|
|
|
|
stack.push(obj);
|
|
|
|
return ((stack.length - 1) << 1) | 1;
|
|
|
|
}}
|
|
|
|
"));
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_take_object(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("take_object") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-02-06 15:52:44 -08:00
|
|
|
self.expose_get_object();
|
|
|
|
self.expose_drop_ref();
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
function takeObject(idx) {{
|
|
|
|
const ret = getObject(idx);
|
|
|
|
dropRef(idx);
|
|
|
|
return ret;
|
|
|
|
}}
|
2018-01-29 21:20:38 -08:00
|
|
|
"));
|
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn expose_add_heap_object(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("add_heap_object") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
self.expose_global_slab();
|
2018-02-06 15:52:44 -08:00
|
|
|
self.expose_global_slab_next();
|
|
|
|
let set_slab_next = if self.config.debug {
|
2018-01-29 21:20:38 -08:00
|
|
|
String::from("
|
2018-02-06 15:52:44 -08:00
|
|
|
if (typeof(next) !== 'number')
|
2018-01-29 21:20:38 -08:00
|
|
|
throw new Error('corrupt slab');
|
2018-02-06 15:52:44 -08:00
|
|
|
slab_next = next;
|
2018-01-29 21:20:38 -08:00
|
|
|
")
|
|
|
|
} else {
|
|
|
|
String::from("
|
2018-02-06 15:52:44 -08:00
|
|
|
slab_next = next;
|
2018-01-29 21:20:38 -08:00
|
|
|
")
|
|
|
|
};
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global(&format!("
|
2018-02-06 15:52:44 -08:00
|
|
|
function addHeapObject(obj) {{
|
2018-03-25 12:15:34 +02:00
|
|
|
if (slab_next === slab.length)
|
2018-02-06 15:52:44 -08:00
|
|
|
slab.push(slab.length + 1);
|
|
|
|
const idx = slab_next;
|
|
|
|
const next = slab[idx];
|
|
|
|
{}
|
|
|
|
slab[idx] = {{ obj, cnt: 1 }};
|
|
|
|
return idx << 1;
|
2018-01-29 21:20:38 -08:00
|
|
|
}}
|
2018-02-06 15:52:44 -08:00
|
|
|
", set_slab_next));
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
fn wasm_import_needed(&self, name: &str) -> bool {
|
|
|
|
let imports = match self.module.import_section() {
|
|
|
|
Some(s) => s,
|
|
|
|
None => return false,
|
|
|
|
};
|
|
|
|
|
|
|
|
imports.entries().iter().any(|i| {
|
2018-03-14 14:33:53 -07:00
|
|
|
i.module() == "__wbindgen_placeholder__" && i.field() == name
|
2018-02-06 15:52:44 -08:00
|
|
|
})
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-02-16 13:49:53 -08:00
|
|
|
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
fn pass_to_wasm_function(&mut self, t: VectorKind) -> &'static str {
|
|
|
|
match t {
|
2018-02-16 18:58:37 -08:00
|
|
|
VectorKind::String => {
|
|
|
|
self.expose_pass_string_to_wasm();
|
|
|
|
"passStringToWasm"
|
|
|
|
}
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
VectorKind::I8 |
|
|
|
|
VectorKind::U8 => {
|
2018-02-16 18:58:37 -08:00
|
|
|
self.expose_pass_array8_to_wasm();
|
|
|
|
"passArray8ToWasm"
|
|
|
|
}
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
VectorKind::U16 |
|
|
|
|
VectorKind::I16 => {
|
2018-02-16 18:58:37 -08:00
|
|
|
self.expose_pass_array16_to_wasm();
|
|
|
|
"passArray16ToWasm"
|
|
|
|
}
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
VectorKind::I32 |
|
|
|
|
VectorKind::U32 => {
|
2018-02-16 18:58:37 -08:00
|
|
|
self.expose_pass_array32_to_wasm();
|
|
|
|
"passArray32ToWasm"
|
|
|
|
}
|
|
|
|
VectorKind::F32 => {
|
|
|
|
self.expose_pass_array_f32_to_wasm();
|
|
|
|
"passArrayF32ToWasm"
|
|
|
|
}
|
|
|
|
VectorKind::F64 => {
|
|
|
|
self.expose_pass_array_f64_to_wasm();
|
|
|
|
"passArrayF64ToWasm"
|
|
|
|
}
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
VectorKind::Anyref => {
|
|
|
|
panic!("cannot pass list of JsValue to wasm yet")
|
|
|
|
}
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
fn expose_get_vector_from_wasm(&mut self, ty: VectorKind) -> &'static str {
|
|
|
|
match ty {
|
2018-02-16 18:58:37 -08:00
|
|
|
VectorKind::String => {
|
|
|
|
self.expose_get_string_from_wasm();
|
|
|
|
"getStringFromWasm"
|
|
|
|
}
|
|
|
|
VectorKind::I8 => {
|
|
|
|
self.expose_get_array_i8_from_wasm();
|
|
|
|
"getArrayI8FromWasm"
|
|
|
|
}
|
|
|
|
VectorKind::U8 => {
|
|
|
|
self.expose_get_array_u8_from_wasm();
|
|
|
|
"getArrayU8FromWasm"
|
|
|
|
}
|
|
|
|
VectorKind::I16 => {
|
|
|
|
self.expose_get_array_i16_from_wasm();
|
|
|
|
"getArrayI16FromWasm"
|
|
|
|
}
|
|
|
|
VectorKind::U16 => {
|
|
|
|
self.expose_get_array_u16_from_wasm();
|
|
|
|
"getArrayU16FromWasm"
|
|
|
|
}
|
|
|
|
VectorKind::I32 => {
|
|
|
|
self.expose_get_array_i32_from_wasm();
|
|
|
|
"getArrayI32FromWasm"
|
|
|
|
}
|
|
|
|
VectorKind::U32 => {
|
|
|
|
self.expose_get_array_u32_from_wasm();
|
|
|
|
"getArrayU32FromWasm"
|
|
|
|
}
|
|
|
|
VectorKind::F32 => {
|
|
|
|
self.expose_get_array_f32_from_wasm();
|
|
|
|
"getArrayF32FromWasm"
|
|
|
|
}
|
|
|
|
VectorKind::F64 => {
|
|
|
|
self.expose_get_array_f64_from_wasm();
|
|
|
|
"getArrayF64FromWasm"
|
|
|
|
}
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
VectorKind::Anyref => {
|
2018-02-28 10:56:56 +01:00
|
|
|
self.expose_get_array_js_value_from_wasm();
|
|
|
|
"getArrayJsValueFromWasm"
|
|
|
|
}
|
2018-02-16 18:58:37 -08:00
|
|
|
}
|
|
|
|
}
|
2018-03-31 07:57:47 -07:00
|
|
|
|
2018-04-03 12:38:33 -07:00
|
|
|
fn expose_set_global_argument(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("set_global_argument") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-03-31 07:57:47 -07:00
|
|
|
}
|
|
|
|
self.expose_uint32_memory();
|
|
|
|
self.expose_global_argument_ptr();
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global("
|
2018-04-03 12:38:33 -07:00
|
|
|
function setGlobalArgument(arg, i) {
|
|
|
|
const idx = globalArgumentPtr() / 4 + i;
|
2018-03-31 07:57:47 -07:00
|
|
|
getUint32Memory()[idx] = arg;
|
2018-04-03 12:24:19 -07:00
|
|
|
}
|
2018-03-31 07:57:47 -07:00
|
|
|
");
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_get_global_argument(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("get_global_argument") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-03-31 07:57:47 -07:00
|
|
|
}
|
|
|
|
self.expose_uint32_memory();
|
|
|
|
self.expose_global_argument_ptr();
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global("
|
2018-04-03 12:24:19 -07:00
|
|
|
function getGlobalArgument(arg) {
|
2018-03-31 07:57:47 -07:00
|
|
|
const idx = globalArgumentPtr() / 4 + arg;
|
|
|
|
return getUint32Memory()[idx];
|
2018-04-03 12:24:19 -07:00
|
|
|
}
|
2018-03-31 07:57:47 -07:00
|
|
|
");
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expose_global_argument_ptr(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("global_argument_ptr") {
|
2018-04-07 13:06:36 +05:45
|
|
|
return;
|
2018-03-31 07:57:47 -07:00
|
|
|
}
|
|
|
|
self.required_internal_exports.insert("__wbindgen_global_argument_ptr");
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global("
|
2018-03-31 07:57:47 -07:00
|
|
|
let cachedGlobalArgumentPtr = null;
|
|
|
|
function globalArgumentPtr() {
|
|
|
|
if (cachedGlobalArgumentPtr === null)
|
|
|
|
cachedGlobalArgumentPtr = wasm.__wbindgen_global_argument_ptr();
|
|
|
|
return cachedGlobalArgumentPtr;
|
|
|
|
}
|
|
|
|
");
|
|
|
|
}
|
2018-04-09 06:16:41 -07:00
|
|
|
|
|
|
|
fn expose_get_inherited_descriptor(&mut self) {
|
|
|
|
if !self.exposed_globals.insert("get_inherited_descriptor") {
|
|
|
|
return
|
|
|
|
}
|
|
|
|
// It looks like while rare some browsers will move descriptors up the
|
|
|
|
// property chain which runs the risk of breaking wasm-bindgen-generated
|
|
|
|
// code because we're looking for precise descriptor functions rather
|
|
|
|
// than relying on the prototype chain like most "normal JS" projects
|
|
|
|
// do.
|
|
|
|
//
|
|
|
|
// As a result we have a small helper here which will walk the prototype
|
|
|
|
// chain looking for a descriptor. For some more information on this see
|
|
|
|
// #109
|
2018-04-14 09:37:49 -07:00
|
|
|
self.global("
|
2018-04-09 06:16:41 -07:00
|
|
|
function GetOwnOrInheritedPropertyDescriptor(obj, id) {
|
|
|
|
while (obj) {
|
|
|
|
let desc = Object.getOwnPropertyDescriptor(obj, id);
|
|
|
|
if (desc) return desc;
|
|
|
|
obj = Object.getPrototypeOf(obj);
|
|
|
|
}
|
|
|
|
throw \"descriptor not found\";
|
|
|
|
}
|
|
|
|
");
|
|
|
|
}
|
2018-04-05 18:30:37 -07:00
|
|
|
|
|
|
|
fn gc(&mut self) {
|
|
|
|
let module = mem::replace(self.module, Module::default());
|
|
|
|
let wasm_bytes = parity_wasm::serialize(module).unwrap();
|
|
|
|
let bytes = wasm_gc::Config::new()
|
2018-04-11 11:43:18 -07:00
|
|
|
.demangle(self.config.demangle)
|
2018-04-05 18:30:37 -07:00
|
|
|
.gc(&wasm_bytes)
|
|
|
|
.unwrap();
|
|
|
|
*self.module = deserialize_buffer(&bytes).unwrap();
|
|
|
|
}
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
|
|
|
|
fn describe(&self, name: &str) -> Descriptor {
|
|
|
|
let name = format!("__wbindgen_describe_{}", name);
|
|
|
|
let ret = (self.run_descriptor)(&name);
|
|
|
|
Descriptor::decode(&ret)
|
|
|
|
}
|
|
|
|
|
|
|
|
fn return_from_js(&mut self, ty: &Option<Descriptor>, invoc: &str) -> String {
|
|
|
|
let ty = match *ty {
|
|
|
|
Some(ref t) => t,
|
|
|
|
None => return invoc.to_string(),
|
|
|
|
};
|
|
|
|
if ty.is_by_ref() {
|
|
|
|
panic!("cannot return a reference from JS to Rust")
|
|
|
|
}
|
|
|
|
if let Some(ty) = ty.vector_kind() {
|
|
|
|
let f = self.pass_to_wasm_function(ty);
|
|
|
|
self.expose_uint32_memory();
|
|
|
|
self.expose_set_global_argument();
|
|
|
|
return format!("
|
|
|
|
const [retptr, retlen] = {}({});
|
|
|
|
setGlobalArgument(retlen, 0);
|
|
|
|
return retptr;
|
|
|
|
", f, invoc)
|
|
|
|
}
|
|
|
|
if ty.is_number() {
|
|
|
|
return format!("return {};", invoc)
|
|
|
|
}
|
|
|
|
match *ty {
|
|
|
|
Descriptor::Boolean => format!("return {} ? 1 : 0;", invoc),
|
|
|
|
Descriptor::Anyref => {
|
|
|
|
self.expose_add_heap_object();
|
|
|
|
format!("return addHeapObject({});", invoc)
|
|
|
|
}
|
|
|
|
_ => panic!("unimplemented return from JS to Rust: {:?}", ty),
|
|
|
|
}
|
|
|
|
}
|
2018-04-14 09:37:49 -07:00
|
|
|
|
|
|
|
fn global(&mut self, s: &str) {
|
|
|
|
let amt_to_strip = s.lines()
|
|
|
|
.filter(|l| !l.trim().is_empty())
|
|
|
|
.map(|s| s.len() - s.trim_left().len())
|
|
|
|
.min()
|
|
|
|
.unwrap_or(0);
|
|
|
|
for line in s.lines() {
|
|
|
|
if !line.trim().is_empty() {
|
|
|
|
self.globals.push_str(&line[amt_to_strip..]);
|
|
|
|
}
|
|
|
|
self.globals.push_str("\n");
|
|
|
|
}
|
|
|
|
}
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-01-29 21:20:38 -08:00
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
impl<'a, 'b> SubContext<'a, 'b> {
|
|
|
|
pub fn generate(&mut self) {
|
2018-02-07 16:41:33 -08:00
|
|
|
for f in self.program.exports.iter() {
|
|
|
|
self.generate_export(f);
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-03-21 09:55:16 -07:00
|
|
|
for f in self.program.imports.iter() {
|
2018-02-06 19:04:12 -08:00
|
|
|
self.generate_import(f);
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
2018-02-22 12:01:38 +01:00
|
|
|
for e in self.program.enums.iter() {
|
|
|
|
self.generate_enum(e);
|
|
|
|
}
|
2018-04-16 08:05:18 -07:00
|
|
|
for s in self.program.structs.iter() {
|
|
|
|
self.cx.exported_classes
|
|
|
|
.entry(s.clone())
|
|
|
|
.or_insert_with(Default::default);
|
|
|
|
}
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-02-07 16:41:33 -08:00
|
|
|
pub fn generate_export(&mut self, export: &shared::Export) {
|
|
|
|
if let Some(ref class) = export.class {
|
2018-04-07 13:06:36 +05:45
|
|
|
return self.generate_export_for_class(class, export);
|
2018-02-07 16:41:33 -08:00
|
|
|
}
|
2018-04-13 22:58:35 -07:00
|
|
|
let descriptor = self.cx.describe(&export.function.name);
|
2018-04-14 09:13:07 -07:00
|
|
|
let (js, ts) = Js2Rust::new(&export.function.name, self.cx)
|
|
|
|
.process(descriptor.unwrap_function())
|
|
|
|
.finish("function", &format!("wasm.{}", export.function.name));
|
2018-04-03 13:12:28 -07:00
|
|
|
self.cx.export(&export.function.name, &js);
|
2018-02-06 15:52:44 -08:00
|
|
|
self.cx.globals.push_str("\n");
|
|
|
|
self.cx.typescript.push_str("export ");
|
|
|
|
self.cx.typescript.push_str(&ts);
|
|
|
|
self.cx.typescript.push_str("\n");
|
|
|
|
}
|
|
|
|
|
2018-04-15 15:36:59 +02:00
|
|
|
pub fn generate_export_for_class(&mut self, class_name: &str, export: &shared::Export) {
|
|
|
|
let wasm_name = shared::struct_function_export_name(class_name, &export.function.name);
|
2018-04-13 22:58:35 -07:00
|
|
|
let descriptor = self.cx.describe(&wasm_name);
|
2018-04-14 09:13:07 -07:00
|
|
|
let (js, ts) = Js2Rust::new(&export.function.name, self.cx)
|
|
|
|
.method(export.method)
|
|
|
|
.process(descriptor.unwrap_function())
|
|
|
|
.finish("", &format!("wasm.{}", wasm_name));
|
2018-04-14 15:34:11 +02:00
|
|
|
let class = self.cx.exported_classes.entry(class_name.to_string())
|
2018-02-07 16:41:33 -08:00
|
|
|
.or_insert(ExportedClass::default());
|
2018-04-03 13:20:56 -07:00
|
|
|
if !export.method {
|
|
|
|
class.contents.push_str("static ");
|
|
|
|
class.typescript.push_str("static ");
|
|
|
|
}
|
2018-04-14 15:34:11 +02:00
|
|
|
|
2018-04-14 16:41:41 +02:00
|
|
|
let constructors: Vec<String> = self.program.exports
|
2018-04-14 15:34:11 +02:00
|
|
|
.iter()
|
|
|
|
.filter(|x| x.class == Some(class_name.to_string()))
|
2018-04-14 16:41:41 +02:00
|
|
|
.filter_map(|x| x.constructor.clone())
|
|
|
|
.collect();
|
|
|
|
|
|
|
|
class.constructor = match constructors.len() {
|
|
|
|
0 => None,
|
|
|
|
1 => Some(constructors[0].clone()),
|
|
|
|
x @ _ => panic!("There must be only one constructor, not {}", x),
|
|
|
|
};
|
2018-04-14 15:34:11 +02:00
|
|
|
|
2018-04-03 13:20:56 -07:00
|
|
|
class.contents.push_str(&export.function.name);
|
2018-02-07 16:41:33 -08:00
|
|
|
class.contents.push_str(&js);
|
|
|
|
class.contents.push_str("\n");
|
|
|
|
class.typescript.push_str(&ts);
|
|
|
|
class.typescript.push_str("\n");
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
|
|
|
|
2018-03-21 09:55:16 -07:00
|
|
|
pub fn generate_import(&mut self, import: &shared::Import) {
|
|
|
|
match import.kind {
|
|
|
|
shared::ImportKind::Function(ref f) => {
|
|
|
|
self.generate_import_function(import, f)
|
|
|
|
}
|
|
|
|
shared::ImportKind::Static(ref s) => {
|
|
|
|
self.generate_import_static(import, s)
|
|
|
|
}
|
|
|
|
shared::ImportKind::Type(_) => {}
|
2018-03-21 08:09:59 -07:00
|
|
|
}
|
2018-03-21 09:55:16 -07:00
|
|
|
}
|
2018-03-21 08:09:59 -07:00
|
|
|
|
2018-03-21 09:55:16 -07:00
|
|
|
pub fn generate_import_static(&mut self,
|
|
|
|
info: &shared::Import,
|
|
|
|
import: &shared::ImportStatic) {
|
|
|
|
// TODO: should support more types to import here
|
|
|
|
let obj = self.import_name(info, &import.name);
|
2018-03-21 08:09:59 -07:00
|
|
|
self.cx.expose_add_heap_object();
|
2018-04-03 13:12:28 -07:00
|
|
|
self.cx.export(&import.shim, &format!("
|
|
|
|
function() {{
|
2018-03-21 08:09:59 -07:00
|
|
|
return addHeapObject({});
|
|
|
|
}}
|
2018-04-03 13:12:28 -07:00
|
|
|
", obj));
|
2018-03-21 08:09:59 -07:00
|
|
|
}
|
|
|
|
|
2018-03-21 09:55:16 -07:00
|
|
|
pub fn generate_import_function(&mut self,
|
|
|
|
info: &shared::Import,
|
|
|
|
import: &shared::ImportFunction) {
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
let descriptor = self.cx.describe(&import.shim);
|
|
|
|
let desc_function = descriptor.unwrap_function();
|
|
|
|
|
2018-02-06 15:52:44 -08:00
|
|
|
let mut dst = String::new();
|
|
|
|
|
2018-04-03 13:12:28 -07:00
|
|
|
dst.push_str("function(");
|
2018-02-06 19:04:12 -08:00
|
|
|
let mut invoc_args = Vec::new();
|
|
|
|
let mut abi_args = Vec::new();
|
2018-02-06 15:52:44 -08:00
|
|
|
|
|
|
|
let mut extra = String::new();
|
2018-04-04 08:24:19 -07:00
|
|
|
let mut finally = String::new();
|
2018-02-06 15:52:44 -08:00
|
|
|
|
2018-04-03 12:24:35 -07:00
|
|
|
let mut next_global = 0;
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
for (i, arg) in desc_function.arguments.iter().enumerate() {
|
2018-03-31 08:26:20 -07:00
|
|
|
abi_args.push(format!("arg{}", i));
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
|
|
|
|
if let Some(ty) = arg.vector_kind() {
|
|
|
|
let f = self.cx.expose_get_vector_from_wasm(ty);
|
|
|
|
self.cx.expose_get_global_argument();
|
|
|
|
extra.push_str(&format!("
|
|
|
|
let len{0} = getGlobalArgument({next_global});
|
|
|
|
let v{0} = {func}(arg{0}, len{0});
|
|
|
|
", i, func = f, next_global = next_global));
|
|
|
|
next_global += 1;
|
|
|
|
|
|
|
|
if !arg.is_by_ref() {
|
|
|
|
extra.push_str(&format!("
|
|
|
|
wasm.__wbindgen_free(arg{0}, len{0} * {size});
|
|
|
|
", i, size = ty.size()));
|
|
|
|
self.cx.required_internal_exports.insert(
|
|
|
|
"__wbindgen_free"
|
|
|
|
);
|
|
|
|
}
|
|
|
|
invoc_args.push(format!("v{}", i));
|
|
|
|
continue
|
|
|
|
}
|
|
|
|
|
2018-04-15 01:29:09 +02:00
|
|
|
if let Some(class) = arg.rust_struct() {
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
if arg.is_by_ref() {
|
|
|
|
panic!("cannot invoke JS functions with custom ref types yet")
|
|
|
|
}
|
2018-04-15 01:29:09 +02:00
|
|
|
let assign = format!("let c{0} = {1}.__construct(arg{0});", i, class);
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
extra.push_str(&assign);
|
|
|
|
invoc_args.push(format!("c{}", i));
|
|
|
|
continue
|
|
|
|
}
|
|
|
|
|
2018-04-13 14:13:14 -07:00
|
|
|
if let Some((f, mutable)) = arg.stack_closure() {
|
2018-04-14 09:13:07 -07:00
|
|
|
let (js, _ts) = {
|
|
|
|
let mut builder = Js2Rust::new("", self.cx);
|
|
|
|
if mutable {
|
|
|
|
builder.prelude("let a = this.a;\n")
|
|
|
|
.prelude("this.a = 0;\n")
|
|
|
|
.rust_argument("a")
|
|
|
|
.finally("this.a = a;\n");
|
|
|
|
} else {
|
|
|
|
builder.rust_argument("this.a");
|
|
|
|
}
|
|
|
|
builder
|
|
|
|
.rust_argument("this.b")
|
|
|
|
.process(f)
|
|
|
|
.finish("function", "this.f")
|
|
|
|
};
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
self.cx.expose_get_global_argument();
|
|
|
|
self.cx.function_table_needed = true;
|
|
|
|
extra.push_str(&format!("
|
2018-04-14 09:13:07 -07:00
|
|
|
let cb{0} = {js};
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
cb{0}.f = wasm.__wbg_function_table.get(arg{0});
|
|
|
|
cb{0}.a = getGlobalArgument({next_global});
|
|
|
|
cb{0}.b = getGlobalArgument({next_global} + 1);
|
2018-04-14 09:13:07 -07:00
|
|
|
", i, js = js, next_global = next_global));
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
next_global += 2;
|
|
|
|
finally.push_str(&format!("
|
|
|
|
cb{0}.a = cb{0}.b = 0;
|
|
|
|
", i));
|
|
|
|
invoc_args.push(format!("cb{0}.bind(cb{0})", i));
|
|
|
|
continue
|
|
|
|
}
|
|
|
|
|
2018-04-14 09:13:07 -07:00
|
|
|
if let Some((f, mutable)) = arg.ref_closure() {
|
|
|
|
let (js, _ts) = {
|
|
|
|
let mut builder = Js2Rust::new("", self.cx);
|
|
|
|
if mutable {
|
|
|
|
builder.prelude("let a = this.a;\n")
|
|
|
|
.prelude("this.a = 0;\n")
|
|
|
|
.rust_argument("a")
|
|
|
|
.finally("this.a = a;\n");
|
|
|
|
} else {
|
|
|
|
builder.rust_argument("this.a");
|
|
|
|
}
|
|
|
|
builder
|
|
|
|
.rust_argument("this.b")
|
|
|
|
.process(f)
|
|
|
|
.finish("function", "this.f")
|
|
|
|
};
|
|
|
|
self.cx.expose_get_global_argument();
|
|
|
|
self.cx.expose_uint32_memory();
|
|
|
|
self.cx.expose_add_heap_object();
|
|
|
|
self.cx.function_table_needed = true;
|
|
|
|
extra.push_str(&format!("
|
|
|
|
let idx{0} = getUint32Memory()[arg{0} / 4];
|
|
|
|
if (idx{0} === 0xffffffff) {{
|
|
|
|
let cb{0} = {js};
|
|
|
|
cb{0}.a = getGlobalArgument({next_global});
|
|
|
|
cb{0}.b = getGlobalArgument({next_global} + 1);
|
|
|
|
cb{0}.f = wasm.__wbg_function_table.get(getGlobalArgument({next_global} + 2));
|
|
|
|
let real = cb{0}.bind(cb{0});
|
|
|
|
real.original = cb{0};
|
|
|
|
idx{0} = getUint32Memory()[arg{0} / 4] = addHeapObject(real);
|
|
|
|
}}
|
|
|
|
", i, js = js, next_global = next_global));
|
|
|
|
next_global += 3;
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
self.cx.expose_get_object();
|
2018-04-14 09:13:07 -07:00
|
|
|
invoc_args.push(format!("getObject(idx{})", i));
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
continue
|
|
|
|
}
|
|
|
|
|
2018-03-31 08:26:20 -07:00
|
|
|
let invoc_arg = match *arg {
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
ref d if d.is_number() => format!("arg{}", i),
|
|
|
|
Descriptor::Boolean => format!("arg{} !== 0", i),
|
|
|
|
Descriptor::Anyref => {
|
2018-02-06 15:52:44 -08:00
|
|
|
self.cx.expose_take_object();
|
2018-03-31 08:26:20 -07:00
|
|
|
format!("takeObject(arg{})", i)
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
ref d if d.is_ref_anyref() => {
|
2018-02-06 15:52:44 -08:00
|
|
|
self.cx.expose_get_object();
|
2018-03-31 08:26:20 -07:00
|
|
|
format!("getObject(arg{})", i)
|
2018-02-06 15:52:44 -08:00
|
|
|
}
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
_ => panic!("unimplemented argument type in imported function: {:?}", arg),
|
2018-03-31 08:26:20 -07:00
|
|
|
};
|
|
|
|
invoc_args.push(invoc_arg);
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-02-06 19:04:12 -08:00
|
|
|
|
2018-03-22 17:37:27 -07:00
|
|
|
let nargs = invoc_args.len();
|
2018-02-07 16:41:33 -08:00
|
|
|
let invoc_args = invoc_args.join(", ");
|
2018-02-14 12:51:58 -08:00
|
|
|
let function_name = &import.function.name;
|
2018-02-07 16:41:33 -08:00
|
|
|
let invoc = match import.class {
|
2018-02-14 13:16:02 -08:00
|
|
|
Some(ref class) if import.js_new => {
|
2018-03-21 09:55:16 -07:00
|
|
|
format!("new {}", self.import_name(info, class))
|
2018-02-14 13:16:02 -08:00
|
|
|
}
|
2018-02-07 16:41:33 -08:00
|
|
|
Some(ref class) if import.method => {
|
2018-03-21 09:55:16 -07:00
|
|
|
let class = self.import_name(info, class);
|
2018-02-14 13:16:02 -08:00
|
|
|
let target = if let Some(ref g) = import.getter {
|
2018-03-22 17:37:27 -07:00
|
|
|
if import.structural {
|
|
|
|
format!("function() {{ return this.{}; }}", g)
|
|
|
|
} else {
|
2018-04-09 06:16:41 -07:00
|
|
|
self.cx.expose_get_inherited_descriptor();
|
2018-03-22 17:37:27 -07:00
|
|
|
format!(
|
2018-04-09 06:16:41 -07:00
|
|
|
"GetOwnOrInheritedPropertyDescriptor\
|
2018-03-22 17:37:27 -07:00
|
|
|
({}.prototype, '{}').get;",
|
|
|
|
class,
|
|
|
|
g,
|
|
|
|
)
|
|
|
|
}
|
2018-02-14 13:16:02 -08:00
|
|
|
} else if let Some(ref s) = import.setter {
|
2018-03-22 17:37:27 -07:00
|
|
|
if import.structural {
|
|
|
|
format!("function(y) {{ this.{} = y; }}", s)
|
|
|
|
} else {
|
2018-04-09 06:16:41 -07:00
|
|
|
self.cx.expose_get_inherited_descriptor();
|
2018-03-22 17:37:27 -07:00
|
|
|
format!(
|
2018-04-09 06:16:41 -07:00
|
|
|
"GetOwnOrInheritedPropertyDescriptor\
|
2018-03-22 17:37:27 -07:00
|
|
|
({}.prototype, '{}').set;",
|
|
|
|
class,
|
|
|
|
s,
|
|
|
|
)
|
|
|
|
}
|
2018-02-14 13:16:02 -08:00
|
|
|
} else {
|
2018-03-22 17:37:27 -07:00
|
|
|
if import.structural {
|
|
|
|
let mut s = format!("function(");
|
|
|
|
for i in 0..nargs - 1 {
|
|
|
|
if i > 0 {
|
|
|
|
drop(write!(s, ", "));
|
|
|
|
}
|
|
|
|
drop(write!(s, "x{}", i));
|
|
|
|
}
|
|
|
|
s.push_str(") { return this.");
|
|
|
|
s.push_str(function_name);
|
|
|
|
s.push_str("(");
|
|
|
|
for i in 0..nargs - 1 {
|
|
|
|
if i > 0 {
|
|
|
|
drop(write!(s, ", "));
|
|
|
|
}
|
|
|
|
drop(write!(s, "x{}", i));
|
|
|
|
}
|
|
|
|
s.push_str("); }");
|
|
|
|
s
|
|
|
|
} else {
|
|
|
|
format!("{}.prototype.{}", class, function_name)
|
|
|
|
}
|
2018-02-14 13:16:02 -08:00
|
|
|
};
|
2018-04-14 09:37:49 -07:00
|
|
|
self.cx.global(&format!("
|
2018-02-14 13:16:02 -08:00
|
|
|
const {}_target = {};
|
2018-03-22 19:05:14 -07:00
|
|
|
", import.shim, target));
|
|
|
|
format!("{}_target.call", import.shim)
|
2018-02-07 16:41:33 -08:00
|
|
|
}
|
|
|
|
Some(ref class) => {
|
2018-03-21 09:55:16 -07:00
|
|
|
let class = self.import_name(info, class);
|
2018-04-14 09:37:49 -07:00
|
|
|
self.cx.global(&format!("
|
2018-02-14 12:51:58 -08:00
|
|
|
const {}_target = {}.{};
|
2018-03-22 19:05:14 -07:00
|
|
|
", import.shim, class, function_name));
|
|
|
|
format!("{}_target", import.shim)
|
2018-02-07 16:41:33 -08:00
|
|
|
}
|
2018-03-21 09:55:16 -07:00
|
|
|
None => {
|
2018-03-22 19:05:14 -07:00
|
|
|
let name = self.import_name(info, function_name);
|
|
|
|
if name.contains(".") {
|
2018-04-14 09:37:49 -07:00
|
|
|
self.cx.global(&format!("
|
2018-03-21 09:55:16 -07:00
|
|
|
const {}_target = {};
|
2018-03-22 19:05:14 -07:00
|
|
|
", import.shim, name));
|
|
|
|
format!("{}_target", import.shim)
|
2018-03-21 09:55:16 -07:00
|
|
|
} else {
|
2018-03-22 19:05:14 -07:00
|
|
|
name
|
2018-03-21 09:55:16 -07:00
|
|
|
}
|
|
|
|
}
|
2018-02-07 16:41:33 -08:00
|
|
|
};
|
2018-02-14 13:16:02 -08:00
|
|
|
let invoc = format!("{}({})", invoc, invoc_args);
|
Overhaul how type information gets to the CLI
This commit is a complete overhaul of how the `#[wasm_bindgen]` macro
communicates type information to the CLI tool, and it's done in a somewhat...
unconventional fashion.
Today we've got a problem where the generated JS needs to understand the types
of each function exported or imported. This understanding is what enables it to
generate the appropriate JS wrappers and such. We want to, however, be quite
flexible and extensible in types that are supported across the boundary, which
means that internally we rely on the trait system to resolve what's what.
Communicating the type information historically was done by creating a four byte
"descriptor" and using associated type projections to communicate that to the
CLI tool. Unfortunately four bytes isn't a lot of space to cram information like
arguments to a generic function, tuple types, etc. In general this just wasn't
flexible enough and the way custom references were treated was also already a
bit of a hack.
This commit takes a radical step of creating a **descriptor function** for each
function imported/exported. The really crazy part is that the `wasm-bindgen` CLI
tool now embeds a wasm interpreter and executes these functions when the CLI
tool is invoked. By allowing arbitrary functions to get executed it's now *much*
easier to inform `wasm-bindgen` about complicated structures of types. Rest
assured though that all these descriptor functions are automatically unexported
and gc'd away, so this should not have any impact on binary sizes
A new internal trait, `WasmDescribe`, is added to represent a description of all
types, sort of like a serialization of the structure of a type that
`wasm-bindgen` can understand. This works by calling a special exported function
with a `u32` value a bunch of times. This means that when we run a descriptor we
effectively get a `Vec<u32>` in the `wasm-bindgen` CLI tool. This list of
integers can then be parsed into a rich `enum` for the JS generation to work
with.
This commit currently only retains feature parity with the previous
implementation. I hope to soon solve issues like #123, #104, and #111 with this
support.
2018-04-13 07:33:46 -07:00
|
|
|
let invoc = self.cx.return_from_js(&desc_function.ret, &invoc);
|
2018-02-06 19:04:12 -08:00
|
|
|
|
2018-02-07 16:41:33 -08:00
|
|
|
let invoc = if import.catch {
|
2018-02-06 19:04:12 -08:00
|
|
|
self.cx.expose_uint32_memory();
|
|
|
|
self.cx.expose_add_heap_object();
|
|
|
|
abi_args.push("exnptr".to_string());
|
|
|
|
format!("
|
|
|
|
try {{
|
|
|
|
{}
|
|
|
|
}} catch (e) {{
|
|
|
|
const view = getUint32Memory();
|
|
|
|
view[exnptr / 4] = 1;
|
|
|
|
view[exnptr / 4 + 1] = addHeapObject(e);
|
|
|
|
}}
|
|
|
|
", invoc)
|
|
|
|
} else {
|
|
|
|
invoc
|
|
|
|
};
|
2018-04-04 08:24:19 -07:00
|
|
|
let invoc = if finally.len() > 0 {
|
|
|
|
format!("
|
|
|
|
try {{
|
|
|
|
{}
|
|
|
|
}} finally {{
|
|
|
|
{}
|
|
|
|
}}
|
|
|
|
", invoc, finally)
|
|
|
|
} else {
|
|
|
|
invoc
|
|
|
|
};
|
2018-02-06 19:04:12 -08:00
|
|
|
|
|
|
|
dst.push_str(&abi_args.join(", "));
|
2018-02-06 15:52:44 -08:00
|
|
|
dst.push_str(") {\n");
|
|
|
|
dst.push_str(&extra);
|
|
|
|
dst.push_str(&format!("{}\n}}", invoc));
|
2018-04-03 13:12:28 -07:00
|
|
|
self.cx.export(&import.shim, &dst);
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|
2018-02-22 12:01:38 +01:00
|
|
|
|
|
|
|
pub fn generate_enum(&mut self, enum_: &shared::Enum) {
|
|
|
|
let mut variants = String::new();
|
|
|
|
|
|
|
|
for variant in enum_.variants.iter() {
|
2018-02-23 14:17:53 +01:00
|
|
|
variants.push_str(&format!("{}:{},", variant.name, variant.value));
|
2018-02-22 12:01:38 +01:00
|
|
|
}
|
2018-04-03 13:12:28 -07:00
|
|
|
self.cx.export(&enum_.name, &format!("Object.freeze({{ {} }})", variants));
|
2018-02-23 17:30:18 +01:00
|
|
|
self.cx.typescript.push_str(&format!("export enum {} {{", enum_.name));
|
|
|
|
|
|
|
|
variants.clear();
|
|
|
|
for variant in enum_.variants.iter() {
|
|
|
|
variants.push_str(&format!("{},", variant.name));
|
|
|
|
}
|
|
|
|
self.cx.typescript.push_str(&variants);
|
|
|
|
self.cx.typescript.push_str("}\n");
|
2018-02-22 12:01:38 +01:00
|
|
|
}
|
2018-03-21 09:55:16 -07:00
|
|
|
|
|
|
|
fn import_name(&mut self, import: &shared::Import, item: &str) -> String {
|
|
|
|
if let Some(ref module) = import.module {
|
2018-04-11 14:22:20 +05:45
|
|
|
if self.cx.config.no_modules {
|
|
|
|
panic!("import from `{}` module not allowed in `--no-modules`. use `--nodejs` or `--browser` instead", module);
|
|
|
|
}
|
|
|
|
|
2018-03-22 16:59:48 -07:00
|
|
|
let name = import.js_namespace.as_ref().map(|s| &**s).unwrap_or(item);
|
2018-03-21 09:55:16 -07:00
|
|
|
|
|
|
|
if self.cx.imported_names.insert(name.to_string()) {
|
2018-03-29 01:47:44 -07:00
|
|
|
if self.cx.config.nodejs {
|
|
|
|
self.cx.imports.push_str(&format!("
|
|
|
|
const {} = require('{}').{};
|
|
|
|
", name, module, name));
|
|
|
|
} else {
|
|
|
|
self.cx.imports.push_str(&format!("
|
|
|
|
import {{ {} }} from '{}';
|
|
|
|
", name, module));
|
|
|
|
}
|
2018-03-21 09:55:16 -07:00
|
|
|
}
|
|
|
|
}
|
2018-03-22 16:59:48 -07:00
|
|
|
match import.js_namespace {
|
2018-03-21 09:55:16 -07:00
|
|
|
Some(ref s) => format!("{}.{}", s, item),
|
|
|
|
None => item.to_string(),
|
|
|
|
}
|
|
|
|
}
|
2018-01-29 21:20:38 -08:00
|
|
|
}
|