我正在通过本教程学习如何使用 Rust 定位 WASM。我希望能够将我的域代码与将其公开给 WASM 的代码分开。这样,我可以在非 WASM 应用程序中重用域代码,而无需大惊小怪。我找不到任何这样做的例子,也不知道它是否受支持。
现在,我正在做的是用另一个结构包装我的香草 Rust 结构,该结构在域类的公共方法周围有包装器。我几乎可以肯定这不是正确的方法,但它现在有效。
我希望能够将CellValue
绑定到 WASM。
// Inside a vanilla Rust library
// We could bind CellValue with #[wasm_bindgen],
// but I want to keep all WASM stuff out of this library
enum CellValue {
Live = 0,
Dead = 1
}
// ...
struct World {
// ...
cells: Vec<CellValue> // need to bind a direct reference to the values in here
}
这就是我向 WASM 公开World
的方式 - 我将其包装在GOL
中并在GOL
中实现方法,以便 WASM 可以与World
进行交互。
// Inside the wasm binding library
#[wasm_bindgen]
pub struct GOL {
world: gol::World
}
#[wasm_bindgen]
impl GOL {
pub fn make_new(rows: usize, cols: usize) -> Self
{
Self {
world: GameOfLife::make_new(rows, cols)
}
}
// and so on...
}
对于CellValue
,我无法模仿我采用的方法GOL
因为我需要能够引用World
持有的每个单元格内的数据。
就像我说的,我跳过这些箍的全部原因是为了避免在我的域代码中加入#[wasm_bindgen]
。甚至有可能获得这种绑定吗?
更新:通过查看此库,我找到了一个可行的解决方案。这是一个以这种方式编写的ZX Spectrum模拟器,wasm_bindgen
隔离在一个界面中。范例是通过不安全的指针进行互操作,如下所示:
#[wasm_bindgen]
pub fn get_cell_value(world: *mut World) -> *const CellValue // return a raw reference to the type defined in the domain
{
// Return a reference to the first element in the array
}
然后,在 JavaScript 端,做这样的事情:
import { memory } from "gol/gol_bg"; // Actual WASM generated by wasm_bindgen
import { make_world, get_cell_array } from "wasm-game-of-life";
// ...
const world = make_world(width, height);
const cellsPtr = get_cells_array(world); // Pointer to the first element of the Vec
const cells = new Uint8Array(memory.buffer, cellsPtr, width * height);