Node Congress 2023
·17 April 2023
Alberto Schiabel · @jkomyno 🇮🇹
Open-Source Software Engineer @prisma
Consultant / Contractor
Using Node.js since 2015, TypeScript since 2017
Moved first steps in Rust in 2020 🦀
Node Congress 2023
·17 April 2023
Alberto Schiabel · @jkomyno 🇮🇹
Open-Source Software Engineer @prisma
Consultant / Contractor
Using Node.js since 2015, TypeScript since 2017
Moved first steps in Rust in 2020 🦀
package.json
→ Cargo.toml
NODE_ENV=production npm run build
→ cargo build --release --target wasm32-unknown-unknown
wasm-bindgen
wasm-bindgen
is a tool that generates JS/TS bindings for Rust functions and typescargo install -f wasm-bindgen-cli@0.2.84
cargo install -f wasm-bindgen-cli@0.2.84
wasm-bindgen
doesn’t follow semantic versioning!Cargo.toml
needs the following:# Cargo.toml [package] name = "crate-name" version = "0.1.0" edition = "2021" [dependencies] wasm-bindgen = { version = "0.2.84" } # must match `wasm-bindgen-cli` # See more: https://doc.rust-lang.org/reference/linkage.html [lib] crate-type = ["cdylib"] # links as a Wasm-compatible dynamically-system library name = "crate_name"
# Cargo.toml [package] name = "crate-name" version = "0.1.0" edition = "2021" [dependencies] wasm-bindgen = { version = "0.2.84" } # must match `wasm-bindgen-cli` # See more: https://doc.rust-lang.org/reference/linkage.html [lib] crate-type = ["cdylib"] # links as a Wasm-compatible dynamically-system library name = "crate_name"
cd rust && cargo build --release --target wasm32-unknown-unknown
cd rust && cargo build --release --target wasm32-unknown-unknown
└── rust
├── src
├── target/wasm32-unknown-unknown/release
└── crate_name.wasm
// Wasm artifact└── Cargo.toml
wasm-bindgen --target nodejs --out-dir ../nodejs/wasm/ \ ./target/wasm32-unknown-unknown/release/crate_name.wasm
wasm-bindgen --target nodejs --out-dir ../nodejs/wasm/ \ ./target/wasm32-unknown-unknown/release/crate_name.wasm
└── nodejs/wasm
├── crate_name_bg.wasm
// Wasm artifact with bindings├── crate_name_bg.wasm.d.ts
├── crate_name.d.ts
// TypeScript bindings└── crate_name.js
// JavaScript moduleWith wasm-bindgen
use wasm_bindgen::prelude::wasm_bindgen; #[wasm_bindgen] pub fn duplicate_u64(x: u64) -> u64 { x * 2 }
use wasm_bindgen::prelude::wasm_bindgen; #[wasm_bindgen] pub fn duplicate_u64(x: u64) -> u64 { x * 2 }
use wasm_bindgen::prelude::wasm_bindgen; #[wasm_bindgen] pub fn duplicate_f32(x: f32) -> f32 { x * 2.0 }
use wasm_bindgen::prelude::wasm_bindgen; #[wasm_bindgen] pub fn duplicate_f32(x: f32) -> f32 { x * 2.0 }
u64
→ bigint
f32
→ number
export function duplicate_u64(x: bigint): bigint export function duplicate_f32(x: number): number
export function duplicate_u64(x: bigint): bigint export function duplicate_f32(x: number): number
use wasm_bindgen::prelude::wasm_bindgen; #[wasm_bindgen(js_name = toUpperCase)] pub fn to_uppercase(x: String) -> String { x.to_uppercase() }
use wasm_bindgen::prelude::wasm_bindgen; #[wasm_bindgen(js_name = toUpperCase)] pub fn to_uppercase(x: String) -> String { x.to_uppercase() }
use wasm_bindgen::prelude::wasm_bindgen; #[wasm_bindgen] pub fn n_to_string(x: i64) -> String { x.to_string() }
use wasm_bindgen::prelude::wasm_bindgen; #[wasm_bindgen] pub fn n_to_string(x: i64) -> String { x.to_string() }
i64
→ bigint
String
(UTF-8) → string
(UTF-16)export function toUpperCase(x: string): string export function n_to_string(x: bigint): string
export function toUpperCase(x: string): string export function n_to_string(x: bigint): string
// loads the *.d.ts and the *.js bindings for the *.wasm module import * as wasm from '../wasm/playground_wasm_bindgen' wasm.toUpperCase("node congress") // "NODE CONGRESS" wasm.n_to_string(256n) // "256" wasm.n_to_string("node" as unknown as bigint) // ^ throws a SyntaxError: Cannot convert string to BigInt
// loads the *.d.ts and the *.js bindings for the *.wasm module import * as wasm from '../wasm/playground_wasm_bindgen' wasm.toUpperCase("node congress") // "NODE CONGRESS" wasm.n_to_string(256n) // "256" wasm.n_to_string("node" as unknown as bigint) // ^ throws a SyntaxError: Cannot convert string to BigInt
#[wasm_bindgen] pub struct Scalars { pub n: u32, pub id: u64, pub letter: char, pub toggle: bool, } #[wasm_bindgen] pub fn get_letter(params: Scalars) -> char { params.letter }
#[wasm_bindgen] pub struct Scalars { pub n: u32, pub id: u64, pub letter: char, pub toggle: bool, } #[wasm_bindgen] pub fn get_letter(params: Scalars) -> char { params.letter }
export type Scalars = { n: number id: bigint letter: string toggle: boolean } export function get_letter( params: Scalars ): string { return params.letter }
export type Scalars = { n: number id: bigint letter: string toggle: boolean } export function get_letter( params: Scalars ): string { return params.letter }
Scalars
type in TS!export class Scalars { // leaked internal method free(): void // Rust's `u64` is typed as `bigint` id: bigint // Rust's `char` is typed as `string`, and every // character after the first one is truncated letter: string // Rust's `u32` is typed as `number` n: number // Rust's `bool` is typed as `boolean` toggle: boolean }
export class Scalars { // leaked internal method free(): void // Rust's `u64` is typed as `bigint` id: bigint // Rust's `char` is typed as `string`, and every // character after the first one is truncated letter: string // Rust's `u32` is typed as `number` n: number // Rust's `bool` is typed as `boolean` toggle: boolean }
// loads the *.d.ts and the *.js bindings for the *.wasm module import * as wasm from '../wasm/playground_wasm_bindgen' let scalars = new wasm.Scalars() scalars.free = () => {} scalars.n = 1 scalars.id = 1n scalars.letter = 'asd' scalars.toggle = true wasm.get_letter(scalars) // throws an Error
// loads the *.d.ts and the *.js bindings for the *.wasm module import * as wasm from '../wasm/playground_wasm_bindgen' let scalars = new wasm.Scalars() scalars.free = () => {} scalars.n = 1 scalars.id = 1n scalars.letter = 'asd' scalars.toggle = true wasm.get_letter(scalars) // throws an Error
Scalars
cannot be instantiated as is!Error: null pointer passed to rust
#[wasm_bindgen] impl Scalars { /// In TS, this becomes the constructor of the `Scalars` class. #[wasm_bindgen(constructor)] pub fn new(n: u32, id: u64, letter: char, toggle: bool) -> Self { Self { n, id, letter, toggle } } }
#[wasm_bindgen] impl Scalars { /// In TS, this becomes the constructor of the `Scalars` class. #[wasm_bindgen(constructor)] pub fn new(n: u32, id: u64, letter: char, toggle: bool) -> Self { Self { n, id, letter, toggle } } }
const scalars = new wasm.Scalars(1, 1n, 'asd', true) expect(wasm.get_letter(scalars)).toEqual('a')
const scalars = new wasm.Scalars(1, 1n, 'asd', true) expect(wasm.get_letter(scalars)).toEqual('a')
#[wasm_bindgen] pub struct StringParams { pub id: String, }
#[wasm_bindgen] pub struct StringParams { pub id: String, }
export type StringParams = { id: string }
export type StringParams = { id: string }
But:
error[E0277]: the trait bound `String: std::marker::Copy` is not satisfied --> playground-wasm-bindgen/src/types/string.rs:7:11 | 7 | pub id: String, | ^^^^^^ the trait `std::marker::Copy` is not implemented for `String`
error[E0277]: the trait bound `String: std::marker::Copy` is not satisfied --> playground-wasm-bindgen/src/types/string.rs:7:11 | 7 | pub id: String, | ^^^^^^ the trait `std::marker::Copy` is not implemented for `String`
String
s are not copyable in Rust!use wasm_bindgen::prelude::wasm_bindgen; - #[wasm_bindgen] + #[wasm_bindgen(getter_with_clone)] pub struct StringParams { pub id: String, }
use wasm_bindgen::prelude::wasm_bindgen; - #[wasm_bindgen] + #[wasm_bindgen(getter_with_clone)] pub struct StringParams { pub id: String, }
export class StringParams { free(): void id: string }
export class StringParams { free(): void id: string }
#[wasm_bindgen(getter_with_clone)]
free()
method#[wasm_bindgen] pub enum Provider { Postgres, MySQL, SQLite, }
#[wasm_bindgen] pub enum Provider { Postgres, MySQL, SQLite, }
export type Provider = 'postgres' | 'mysql' | 'sqlite'
export type Provider = 'postgres' | 'mysql' | 'sqlite'
What we get:
export enum Provider { Postgres = 0, MySQL = 1, SQLite = 2, }
export enum Provider { Postgres = 0, MySQL = 1, SQLite = 2, }
#[wasm_bindgen] pub enum Either { Ok(i32), Err(String), }
#[wasm_bindgen] pub enum Either { Ok(i32), Err(String), }
export type Either = { _tag: 'ok', value: number } | { _tag: 'err', value: string }
export type Either = { _tag: 'ok', value: number } | { _tag: 'err', value: string }
But:
error: only C-Style enums allowed with #[wasm_bindgen] --> wasm-bindgen-playground/src/types/unsupported.rs:18:5 | 18 | Ok(i32), |
error: only C-Style enums allowed with #[wasm_bindgen] --> wasm-bindgen-playground/src/types/unsupported.rs:18:5 | 18 | Ok(i32), |
Rust’s Vec<T>
(if T
is numeric) becomes a TypedArray
buffer, e.g.:
Vec<i8>
becomes Int8Array
Vec<u32>
becomes Uint32Array
Vec<f32>
becomes Float32Array
Vectors of non-primitive types (String
included) are not supported
Nested vectors (Vec<Vec<T>>
for some type T
) are not supported
Tuples (non-homogeneous vectors of finite length, like [number, string]
in TypeScript)
are not supported
wasm_bindgen
is a great foundation, but is limitedserde
serde
+ serde_json
String → String
functions to Wasm that accept and return JSON stringsserde
's (de)serialization via the macro annotation #[derive(Serialize, Deserialize)]
serde_json::{from_str, to_string}
to convert between JSON strings and Rust types[dependencies] serde = { version = "1.0", features = ["derive"] } serde_json = { version = "1.0.93" } wasm-bindgen = { version = "0.2.84" }
[dependencies] serde = { version = "1.0", features = ["derive"] } serde_json = { version = "1.0.93" } wasm-bindgen = { version = "0.2.84" }
use serde::{Deserialize, Serialize}; #[derive(Deserialize, Serialize)] pub struct Scalars { pub letter: char, } #[wasm_bindgen] pub fn get_letter(params: String) -> String { let params: Scalars = serde_json::from_str(¶ms).unwrap(); let result: char = params.letter; serde_json::to_string(&result).unwrap() }
use serde::{Deserialize, Serialize}; #[derive(Deserialize, Serialize)] pub struct Scalars { pub letter: char, } #[wasm_bindgen] pub fn get_letter(params: String) -> String { let params: Scalars = serde_json::from_str(¶ms).unwrap(); let result: char = params.letter; serde_json::to_string(&result).unwrap() }
// *.d.ts type declarations export function get_letter(params: string): string const scalars = { litter: 'asd' } // we could write typos! wasm.get_letter(JSON.stringify(scalars)) // RuntimeError: unreachable
// *.d.ts type declarations export function get_letter(params: string): string const scalars = { litter: 'asd' } // we could write typos! wasm.get_letter(JSON.stringify(scalars)) // RuntimeError: unreachable
serde-wasm-bindgen
serde-wasm-bindgen
is a native integration of serde
with wasm-bindgen
serde_wasm_bindgen::{from_value, to_value}
to convert between JsValue
s and Rust types[dependencies] serde = { version = "1.0", features = ["derive"] } serde-wasm-bindgen = { version = "0.5.0" } wasm-bindgen = { version = "0.2.84" }
[dependencies] serde = { version = "1.0", features = ["derive"] } serde-wasm-bindgen = { version = "0.5.0" } wasm-bindgen = { version = "0.2.84" }
JsValue
via serde
…use serde::{Deserialize, Serialize}; #[derive(Deserialize, Serialize)] pub struct Scalars { pub letter: char, } use serde_wasm_bindgen::Error as WasmError; use wasm_bindgen::{prelude::wasm_bindgen, JsValue}; /// Given a `Scalars` instance, return its `letter` member. #[wasm_bindgen] pub fn get_letter(params: JsValue) -> Result<JsValue, WasmError> { let params: Scalars = serde_wasm_bindgen::from_value(params)?; let result: char = params.letter; serde_wasm_bindgen::to_value(&result) }
use serde::{Deserialize, Serialize}; #[derive(Deserialize, Serialize)] pub struct Scalars { pub letter: char, } use serde_wasm_bindgen::Error as WasmError; use wasm_bindgen::{prelude::wasm_bindgen, JsValue}; /// Given a `Scalars` instance, return its `letter` member. #[wasm_bindgen] pub fn get_letter(params: JsValue) -> Result<JsValue, WasmError> { let params: Scalars = serde_wasm_bindgen::from_value(params)?; let result: char = params.letter; serde_wasm_bindgen::to_value(&result) }
serde-wasm-bindgen
:export function get_letter(params: any): any
export function get_letter(params: any): any
wasm-bindgen
:export function get_letter(params: Scalars): string
export function get_letter(params: Scalars): string
tsify
tsify
is a library for generating TypeScript definitions from Rust typesserde-wasm-bindgen
supports, but with stronger typing[dependencies] serde = { version = "1.0", features = ["derive"] } tsify = { version = "0.4.3", features = ["js"] } wasm-bindgen = { version = "0.2.84" }
[dependencies] serde = { version = "1.0", features = ["derive"] } tsify = { version = "0.4.3", features = ["js"] } wasm-bindgen = { version = "0.2.84" }
tsify
: Enums (ADTs) (1/2)use serde::{Deserialize, Serialize}; use tsify::Tsify; #[derive(Serialize, Deserialize, Tsify)] #[tsify(into_wasm_abi, from_wasm_abi)] #[serde(tag = "_tag", content = "value")] pub enum Either { Ok(i32), Err(String), }
use serde::{Deserialize, Serialize}; use tsify::Tsify; #[derive(Serialize, Deserialize, Tsify)] #[tsify(into_wasm_abi, from_wasm_abi)] #[serde(tag = "_tag", content = "value")] pub enum Either { Ok(i32), Err(String), }
export type Either = { _tag: 'ok', value: number } | { _tag: 'err', value: string }
export type Either = { _tag: 'ok', value: number } | { _tag: 'err', value: string }
tsify
: Enums (ADTs) (2/2)#[wasm_bindgen] pub fn to_string(either: Either) -> String { match either { Either::Ok(ok) => format!("Ok({})", ok), Either::Err(err) => format!("Err({})", err), } }
#[wasm_bindgen] pub fn to_string(either: Either) -> String { match either { Either::Ok(ok) => format!("Ok({})", ok), Either::Err(err) => format!("Err({})", err), } }
export function to_string( either: Either ): string
export function to_string( either: Either ): string
import * as wasm from '../wasm/playground_wasm_tsify' const either: wasm.Either = { _tag: 'ok', value: 1, } wasm.to_string(either) // "Ok(1)"
import * as wasm from '../wasm/playground_wasm_tsify' const either: wasm.Either = { _tag: 'ok', value: 1, } wasm.to_string(either) // "Ok(1)"
wasm-bindgen
is a fundamental tool for Rust → Wasm, but is limited to a few basic typesserde-wasm-bindgen
overcomes most of these limitations, but it’s not type-safe (in general) and it requires manual casting from and to JsValue
in Rustserde_json
is a another non type-safe option, and it requires manual casting from and to JSON
strings in Node.jstsify
provides the best DX experience for Rust → Wasm → TypeScript integration, but it’s new kid in the block and relies on lots of macros to do its magic 🪄serde
approach, generic containers like Vec<T>
or HashMap<K, T>
need to be manually specialized and wrapped in a struct
/ enum
before being used in functionsSee how I’ve used tsify
in Lyra: github.com/LyraSearch/lyra/pull/194
The Wasm implementation is a LOT faster!