This project is part of the
@thi.ng/umbrella monorepo.
About
Generic, modular, extensible API bridge, glue code and bindings code generator for hybrid JS & WebAssembly projects.
This package provides a the following:
- A small, generic and modular
WasmBridge
class as interop basis and much reduced boilerplate for hybrid JS/WebAssembly
applications. - A minimal core API for debug output, string, pointer, typed array accessors
for 8/16/32/64 bit (u)ints and 32/64 bit floats. In the future we aim to also
supply support modules for DOM manipulation, WebGL, WebGPU, WebAudio etc.
- Include files for C11/C++ and
Zig,
defining WASM imports of the JS core
API defined
by this package
- Extensible shared datatype code generators for (currently)
Zig & TypeScript. The latter also generates fully type
checked memory-mapped accessors of WASM-side data. In general, all languages
with a WebAssembly target are supported, however currently only bindings for
these few langs are included.
- CLI frontend/utility to invoke the code generator(s)
Custom API modules
The WasmBridge
is extensible via custom defined API modules. Such API extensions
will consist of a collection of JS/TS functions & variables, their related
counterparts (import definitions) for the WASM target and (optionally) some
shared data types (bindings for which can be generated by this package too).
On the JS side, custom API modules can be easily integrated via the IWasmAPI
interface. The
following example provides a brief overview:
import { IWasmAPI, WasmBridge } from "@thi.ng/wasm-api";
export class CustomAPI implements IWasmAPI {
parent!: WasmBridge;
async init(parent: WasmBridge) {
this.parent = parent;
this.parent.logger.debug("initializing custom API");
return true;
}
getImports(): WebAssembly.Imports {
return {
randomVec2: (addr: number) => {
this.parent.f32.set(
[Math.random(), Math.random()],
addr >> 2
);
}
};
}
}
Now we can supply this custom API when creating the main WASM bridge:
export const bridge = new WasmBridge({ custom: new CustomAPI() });
In Zig (or any other language of your choice) we can then utilize this custom
API like so (Please also see /test/index.ts` & the example further below in this
readme):
// Import JS core API
const js = @import("wasmapi");
/// JS external to fill vec2 w/ random values
/// Note: Each API module uses a separate import object to avoid naming clashes
/// Here we declare an external binding belonging to the "custom" import group
extern "custom" fn randomVec2(addr: usize) void;
export fn test_randomVec2() void {
var foo = [2]f32{ 0, 0 };
// print original
js.printF32Array(foo[0..]);
// populate foo with random numbers
randomVec2(@ptrToInt(&foo));
// print result
js.printF32Array(foo[0..]);
}
Object indices & handles
Since only numeric values can be exchanged between the WASM module and the JS
host, any JS native objects the WASM side might want to be working with must be
managed manually in JS. For this purpose the ObjectIndex
class can be
used by API modules to handle ID generation (incl. recycling, using
@thi.ng/idgen)
and the indexing of different types of JS objects/values. Only the numeric IDs
(handles) will then need to be exchanged with the WASM module...
import { ObjectIndex } from "@thi.ng/wasm-api";
const canvases = new ObjectIndex<HTMLCanvasElement>({ name: "canvas" });
canvases.add(document.createElement("canvas"));
canvases.get(0);
canvases.get(0).id = "foo";
canvases.has(1)
canvases.get(1)
canvases.get(1, false)
canvases.find((x) => x.id == "bar")
canvases.delete(0);
Data bindings & code generators
The package provides an extensible codegeneration framework to simplify the
bilateral design & exchange of data structures shared between the WASM & JS host
env. Currently, code generators for TypeScript & Zig are supplied (more are
planned). A CLI wrapper is worked on too.
CLI generator
The package includes a small CLI
wrapper
to invoke the codegenerator(s) from JSON type definitions and to write the
generated source code(s) to different files:
$ npx run @thi.ng/wasm-api
█ █ █ │
██ █ │
█ █ █ █ █ █ █ █ │ @thi.ng/wasm-api 0.6.0
█ █ █ █ █ █ █ █ █ │ Multi-language data bindings code generator
█ │
█ █ │
usage: wasm-api [OPTS] JSON-INPUT-FILE(S) ...
wasm-api --help
Flags:
-d, --debug enable debug output
--dry-run enable dry run (don't overwrite files)
Main:
-c FILE, --config FILE JSON config file with codegen options
-l ID[,..], --lang ID[,..] [multiple] target language: "ts", "zig" (default: ["ts","zig"])
-o FILE, --out FILE [multiple] output file path
By default, the CLI generates sources for both TypeScript and Zig (in this
order!). Order is important, since the output file paths must be given in the
same order as the target languages. It's recommended to be more explicit. An
example invocation looks like:
wasm-api --config codegen-opts.json \
--lang ts -o src/generated.ts \
--lang zig -o src.zig/generated.zig \
typedefs.json
The structure of the config file is as follows (all optional):
{
global: { ... },
ts: { ... },
zig: { ... },
}
More details about possible
global
,
ts
and
zig
config
options & values.
Data type definitions
Currently, the code generator supports structs and enums. See API docs for
further details:
Example usage
Below is an example file with JSON type definitions and the resulting source
codes:
types.json (Type definitions, click to expand)
[
{
"name": "Foo",
"type": "struct",
"doc": "Example struct",
"auto": true,
"fields": [
{ "name": "id", "type": "u8", "doc": "Unique ID" },
{ "name": "bars", "type": "Bar", "tag": "array", "len": 3 },
{ "name": "color", "type": "f32", "tag": "vec", "len": 4 }
]
},
{
"name": "Bar",
"type": "struct",
"fields": [
{ "name": "kind", "type": "Kind" },
{ "name": "flags", "type": "u32" }
]
},
{
"name": "Kind",
"type": "enum",
"tag": "u16",
"values": [
"unknown",
{ "name": "good", "value": 100 },
{ "name": "best", "value": 1000 }
]
}
]
generated.ts (generated TypeScript source, click to expand)
import type { WasmTypeBase, WasmTypeConstructor } from "@thi.ng/wasm-api";
export interface Foo extends WasmTypeBase {
color: Float32Array;
bars: Bar[];
id: number;
}
export const $Foo: WasmTypeConstructor<Foo> = (mem) => ({
get align() { return 16; },
get size() { return 48; },
instance: (base) => ({
get __base() { return base; },
get __bytes() { return mem.u8.subarray(base, base + 48); },
get color(): Float32Array {
const addr = base >>> 2;
return mem.f32.subarray(addr, addr + 4);
},
get bars(): Bar[] {
const addr = (base + 16);
const inst = $Bar(mem);
const slice: Bar[] = [];
for(let i = 0; i < 3; i++) slice.push(inst.instance(addr + i * 24));
return slice;
},
get id(): number {
return mem.u8[(base + 40)];
},
set id(x: number) {
mem.u8[(base + 40)] = x;
},
})
});
export interface Bar extends WasmTypeBase {
kind: Kind;
flags: number;
}
export const $Bar: WasmTypeConstructor<Bar> = (mem) => ({
get align() { return 4; },
get size() { return 8; },
instance: (base) => ({
get __base() { return base; },
get __bytes() { return mem.u8.subarray(base, base + 8); },
get kind(): Kind {
return mem.u16[base >>> 1];
},
set kind(x: Kind) {
mem.u16[base >>> 1] = x;
},
get flags(): number {
return mem.u32[(base + 4) >>> 2];
},
set flags(x: number) {
mem.u32[(base + 4) >>> 2] = x;
},
})
});
export enum Kind {
UNKNOWN,
GOOD = 100,
BEST = 1000,
}
generated.zig (generated Zig source, click to expand)
//! Generated by @thi.ng/wasm-api at 2022-08-15T22:32:21.191Z - DO NOT EDIT!
/// Example struct
pub const Foo = struct {
color: @Vector(4, f32),
bars: [3]Bar,
/// Unique ID
id: u8,
};
pub const Bar = struct {
kind: Kind,
flags: u32,
};
pub const Kind = enum(u16) {
unknown,
good = 100,
best = 1000,
};
On the TypeScript/JS side, the memory-mapped wrappers (e.g. $Foo
and $Bar
)
can be used in combination with the WasmBridge
to obtain fully typed views
(according to the generated types) of the underlying WASM memory. Basic usage is
like:
import { WasmBridge } from "@thi.ng/wasm-api";
import { $Foo, Kind } from "./generated.ts";
const bridge = new WasmBridge();
const foo = $Foo(bridge).instance(0x10000);
foo.color
foo.bars[2].kind = Kind.BEST;
Status
ALPHA - bleeding edge / work-in-progress
Search or submit any issues for this package
Installation
yarn add @thi.ng/wasm-api
ES module import:
<script type="module" src="https://cdn.skypack.dev/@thi.ng/wasm-api"></script>
Skypack documentation
For Node.js REPL:
# with flag only for < v16
node --experimental-repl-await
> const wasmApi = await import("@thi.ng/wasm-api");
Package sizes (gzipped, pre-treeshake): ESM: 4.03 KB
IMPORTANT: The package includes various code generators and supporting
functions which are NOT required during runtime. Hence the actual package size
in production will be MUCH smaller!
Dependencies
API
Generated API docs
Basic usage example
import { WasmBridge, WasmExports } from "@thi.ng/wasm-api";
import { readFileSync } from "fs";
interface App extends WasmExports {
start: () => void;
}
(async () => {
const bridge = new WasmBridge<App>();
await bridge.instantiate(readFileSync("hello.wasm"));
bridge.exports.start();
})();
Zig version
Requires Zig to be installed:
//! Example Zig application (hello.zig)
/// import externals
/// see build command for configuration
const js = @import("wasmapi");
const std = @import("std");
// set custom memory allocator (here to disable)
pub const WASM_ALLOCATOR: ?std.mem.Allocator = null;
export fn start() void {
js.printStr("hello world!");
}
The WASM binary can be built using the following command (or for more complex
scenarios add the supplied .zig file(s) to your build.zig
and/or source
folder):
zig build-lib \
--pkg-begin wasmapi node_modules/@thi.ng/wasm-api/include/wasmapi.zig --pkg-end \
-target wasm32-freestanding \
-O ReleaseSmall -dynamic --strip \
hello.zig
wasm-dis -o hello.wast hello.wasm
The resulting WASM:
(module
(type $i32_i32_=>_none (func (param i32 i32)))
(type $none_=>_none (func))
(type $i32_=>_i32 (func (param i32) (result i32)))
(import "wasmapi" "_printStr" (func $fimport$0 (param i32 i32)))
(global $global$0 (mut i32) (i32.const 65536))
(memory $0 2)
(data (i32.const 65536) "hello world!\00")
(export "memory" (memory $0))
(export "start" (func $0))
(export "_wasm_allocate" (func $1))
(export "_wasm_free" (func $2))
(func $0
(call $fimport$0
(i32.const 65536)
(i32.const 12)
)
)
(func $1 (param $0 i32) (result i32)
(i32.const 0)
)
(func $2 (param $0 i32) (param $1 i32)
)
)
C11 version
Requires Emscripten to be installed:
#include <wasmapi.h>
void WASM_KEEP start() {
wasm_printStr0("hello world!");
}
Building the WASM module:
emcc -Os -Inode_modules/@thi.ng/wasm-api/include -DWASMAPI_NO_MALLOC \
-sERROR_ON_UNDEFINED_SYMBOLS=0 --no-entry \
-o hello.wasm hello.c
Resulting WASM:
(module
(type $i32_=>_none (func (param i32)))
(type $none_=>_none (func))
(type $i32_=>_i32 (func (param i32) (result i32)))
(type $none_=>_i32 (func (result i32)))
(import "wasmapi" "_printStr0" (func $fimport$0 (param i32)))
(global $global$0 (mut i32) (i32.const 5243936))
(memory $0 256 256)
(data (i32.const 1024) "hello world!")
(table $0 2 2 funcref)
(elem (i32.const 1) $0)
(export "memory" (memory $0))
(export "_wasm_allocate" (func $1))
(export "_wasm_free" (func $2))
(export "start" (func $3))
(export "__indirect_function_table" (table $0))
(export "_initialize" (func $0))
(export "__errno_location" (func $7))
(export "stackSave" (func $4))
(export "stackRestore" (func $5))
(export "stackAlloc" (func $6))
(func $0
(nop)
)
(func $1 (param $0 i32) (result i32)
(i32.const 0)
)
(func $2 (param $0 i32)
(nop)
)
(func $3
(call $fimport$0
(i32.const 1024)
)
)
(func $4 (result i32)
(global.get $global$0)
)
(func $5 (param $0 i32)
(global.set $global$0
(local.get $0)
)
)
(func $6 (param $0 i32) (result i32)
(global.set $global$0
(local.tee $0
(i32.and
(i32.sub
(global.get $global$0)
(local.get $0)
)
(i32.const -16)
)
)
)
(local.get $0)
)
(func $7 (result i32)
(i32.const 1040)
)
)
Authors
Karsten Schmidt
If this project contributes to an academic publication, please cite it as:
@misc{thing-wasm-api,
title = "@thi.ng/wasm-api",
author = "Karsten Schmidt",
note = "https://thi.ng/wasm-api",
year = 2022
}
License
© 2022 Karsten Schmidt // Apache Software License 2.0