这是一个很好的问题,也有一些细微差别!值得一提的是指南中的闭包示例(以及关于将闭包传递给 JavaScript 的部分),如果有必要,最好也贡献一下!wasm-bindgen
但是,为了让您开始,您可以执行以下操作:
use wasm_bindgen::{Closure, JsValue};
#[wasm_bindgen]
pub fn start_game(
start_time: f64,
screen_width: f32,
screen_height: f32,
on_render: &js_sys::Function,
on_collision: &js_sys::Function,
) -> JsValue {
let cb = Closure::wrap(Box::new(move |time| {
time * 4.2
}) as Box<FnMut(f64) -> f64>);
// Extract the `JsValue` from this `Closure`, the handle
// on a JS function representing the closure
let ret = cb.as_ref().clone();
// Once `cb` is dropped it'll "neuter" the closure and
// cause invocations to throw a JS exception. Memory
// management here will come later, so just leak it
// for now.
cb.forget();
return ret;
}
返回值上方只是一个普通的 JS 对象(这里是 a JsValue
),我们使用Closure
您已经看到的类型创建它。这将允许您快速将闭包返回给 JS,并且您也可以从 JS 调用它。
您还询问过存储可变对象等问题,这都可以通过普通的 Rust 闭包、捕获等来完成。例如,FnMut(f64) -> f64
上面的声明是 JS 函数的签名,可以是任何类型的集合,例如好像FnMut(String, MyCustomWasmBindgenType, f64) ->
Vec<u8>
你真的想要一样。要捕获本地对象,您可以执行以下操作:
let mut camera = Camera::new();
let mut state = State::new();
let cb = Closure::wrap(Box::new(move |arg1, arg2| { // note the `move`
if arg1 {
camera.update(&arg2);
} else {
state.update(&arg2);
}
}) as Box<_>);
(或类似的东西)
这里camera
andstate
变量将由闭包拥有并同时被删除。更多关于闭包的信息可以在 Rust book 中找到。
在这里简要介绍一下内存管理方面也是值得的。在上面的示例中,我们调用forget()
which 泄漏内存,如果多次调用 Rust 函数(因为它会泄漏大量内存),可能会出现问题。这里的根本问题是在创建的 JS 函数对象引用的 WASM 堆上分配了内存。理论上,只要 JS 函数对象被 GC 处理,就需要释放分配的内存,但我们无法知道何时发生(直到WeakRef
存在!)。
与此同时,我们选择了另一种策略。Closure
每当删除类型本身时,关联的内存就会被释放,从而提供确定性销毁。然而,这使得使用起来很困难,因为我们需要手动确定何时删除Closure
. 如果forget
不适用于您的用例,则删除的一些想法Closure
是:
如果你能过得去,forget
是目前为止最容易做的事情,但这绝对是一个痛点!我们迫不及待WeakRef
地想要存在:)