我想通过使用带有 node-addon-api 模块包装器的 N-API 来使用 Node.js 中的 C-Function。这是我第一次使用 N-API,我也是 Node 和 C++ 的初学者。我有嵌入式系统的 C 编程经验,但是我还不完全理解这个 Node.jS / N-API 的东西......
我不想做的是使用 Node.js 中的这个原型调用 C-Function:
unsigned char *MyFunction(unsigned char *data, size_t size, size_t min, size_t max)
*data
是指向包含 RGB 图像数据 [R0, G0, B0, R1, G1, B1, ...] 的数组的指针,其大小size
应在 MyFunction 中处理(提取 RGB 通道,反转,...)。
到目前为止,我所拥有的是这个 c++ 代码:
#include <napi.h>
using namespace Napi;
Napi::Value Method(const Napi::CallbackInfo& info) {
Napi::Env env = info.Env();
if (info.Length() != 3) {
Napi::TypeError::New(env, "Wrong arguments").ThrowAsJavaScriptException();
return env.Null();
}
else {
const Napi::Array inputArray = info[0].As<Napi::Array>();
const float smin = info[1].As<Napi::Number>().FloatValue();
const float smax = info[2].As<Napi::Number>().FloatValue();
const unsigned int length = inputArray.Length();
unsigned int i;
Napi::Array outputArray = Napi::Array::New(env, length);
Napi::Array redArray = Napi::Array::New(env, length / 3);
Napi::Array greenArray = Napi::Array::New(env, length / 3);
Napi::Array blueArray = Napi::Array::New(env, length / 3);
// Extract Channels
for (i = 0; i < (length / 3); i++) {
redArray[i] = inputArray[i * 3];
greenArray[i] = inputArray[i * 3 + 1];
blueArray[i] = inputArray[i * 3 + 2];
}
// Apply Simple Color Balance to each channel
for (i = 0; i < (length / 3); i++) {
outputArray[i] = redArray[i];
}
return redArray; // Test => this works
}
}
Napi::Object Init(Napi::Env env, Napi::Object exports) {
exports.Set(Napi::String::New(env, "Test"),
Napi::Function::New(env, Method));
return exports;
}
NODE_API_MODULE(module, Init)
这是节点部分:
const sharp = require('sharp');
sharp('testPic.jpg')
.resize(800, 600)
.toFile('SharpOut.jpg')
.then( data => {
console.log('Resize & Negate => OK')
// Extract Channel data
sharp('SharpOut.jpg')
.raw()
.toBuffer()
.then(data => {
var smin = 0.0;
var smax = 0.0;
var testArr = [];
for (let n = 0; n < data.length; n++) {
testArr[n] = data[n];
}
const HelloWorld = require('./build/Release/module.node');
const result = HelloWorld.Test(testArr, smin, smax);
})
.catch(err => {
console.log('ERROR during extraction of RED channel. ERR:');
console.log(err);
});
})
.catch( err => {
console.log('ERROR');
console.log(err);
});
我的问题
- 夏普输出一个缓冲区而不是一个数组,但是
ArrayBuffer
我Array
无法获得工作代码。编译没问题,但是当我在节点中执行它时,我得到了
错误:D:\temp\testSCB\index.js:30:34 处的参数无效
这是这行代码const result = HelloWorld.Test(testArr, smin, smax);)
- 如果我更改
redArray[i] = inputArray[i * 3];
为redArray[i] = ~(inputArray[i * 3]);
反转颜色,则会出现两个错误:
错误 C2675:一元“~”:“Napi::Value”未定义此运算符或转换为预定义运算符可接受的类型
和
错误 C2088:“~”:类非法
我的问题
实现我的 c-Function 以从 node.js 工作的正确方法是什么?
谢谢你的帮助!