我正在将数据数组传递给WebAssembly函数:
const input = Module._malloc(size);
[fill up buffer...]
Module.HEAP8.set(size, input);
Module.someCall(input);
这有效。实际上,_malloc是模块的一部分。但是,自由功能不是。尝试使用DEFAULT_LIBRARY_FUNCS_TO_INCLUDE
和EXTRA_EXPORTED_RUNTIME_METHODS
。也尝试实现自己的免费功能:
EMSCRIPTEN_KEEPALIVE
void free(void *ptr) {
free(ptr);
}
编译方式:
emcc -O3 -s WASM=1 test.c -o test.js
但是没有运气。在模块中找不到_free
之一。通过在我的C代码中定义以上函数,该函数存在于Module中,但它什么都不做,最终导致内存不足。 Doc对那个主题很稀疏。
有人知道如何检索实际上释放我的缓冲区的自由函数吗?
答案 0 :(得分:1)
您始终可以将函数“_free”添加到编译参数 -s EXPORTED_FUNTIONS
以确保它可作为 WASM 中的导出使用。
答案 1 :(得分:0)
可能您没有正确编译代码。
这是我的样品。
创建一个 test.c 文件:
#include <stdlib.h>
#include <stdint.h>
#include <emscripten.h>
EMSCRIPTEN_KEEPALIVE
int add(int a, int b) {
return a + b;
}
EMSCRIPTEN_KEEPALIVE
uint8_t* create(int width, int height) {
return malloc(width * height * 4 * sizeof(uint8_t));
}
EMSCRIPTEN_KEEPALIVE
void destroy(uint8_t* p) {
free(p);
}
编译代码:
emcc test.c -O2 -s WASM=1 -Wall -s MODULARIZE=1 -o test.js
创建一个 index.js 文件:
const Module = require('./test.js');
const wasm = Module({wasmBinaryFile: 'test.wasm'});
wasm.onRuntimeInitialized = function() {
console.log(wasm._add(40, 40));
let mem = wasm._create(100, 100);
wasm._destroy(mem);
console.log("Done");
};
在Node.js中运行它:
node index.js
在网页上运行它:
<script type="text/javascript">
var wa_add, wa_create, was_destroy, wasm;
function add() {
let int1 = document.getElementById('int1').value;
let int2 = document.getElementById('int2').value;
if (wa_add) {
document.getElementById('result').innerText = wa_add(parseInt(int1), parseInt(int2));
// API test
if (wa_create && was_destroy) {
let canvas = document.getElementById('image');
var ctx = canvas.getContext('2d');
var image = ctx.getImageData(0, 0, canvas.width, canvas.height);
const p = wa_create(canvas.width, canvas.height);
wasm.HEAP8.set(image.data, p);
// Do something for the image buffer.
was_destroy(p);
}
} else {
document.getElementById('result').innerText = parseInt(int1) + parseInt(int2);
}
}
if (Module) {
wasm = Module({
wasmBinaryFile: 'test.wasm'
});
wasm.onRuntimeInitialized = function () {
document.getElementById('anim-loading').style.display = 'none';
wa_add = wasm._add;
wa_create = wasm._create;
was_destroy = wasm._destroy;
};
}
</script>