我正在尝试编写一个包含在Node.js项目中的本机C ++模块 - 我遵循了指南here并且设置得很好。
一般的想法是我想将一个整数数组传递给我的C ++模块进行排序;然后模块返回已排序的数组。
但是,我无法使用node-gyp build
进行编译,因为我遇到了以下错误:
错误:没有可行的从“本地”转换为“int *”
我在C ++中抱怨这段代码:
void Method(const FunctionCallbackInfo<Value>& args) {
Isolate* isolate = args.GetIsolate();
int* inputArray = args[0]; // <-- ERROR!
sort(inputArray, 0, sizeof(inputArray) - 1);
args.GetReturnValue().Set(inputArray);
}
这对我来说都是概念上的意义 - 编译器无法将arg[0]
(可能是类型v8::Local
)神奇地投射到int*
。话虽如此,我似乎无法找到任何方法让我的论证成功地转换为C ++整数数组。
应该知道我的C ++相当生疏,而且我对V8几乎一无所知。有人能指出我正确的方向吗?
答案 0 :(得分:2)
这并非易事:首先需要将JS数组(内部表示为v8::Array
)解压缩为可排序的东西(如std::vector
),对其进行排序,然后将其转换回JS数组
以下是一个例子:
void Method(const FunctionCallbackInfo<Value>& args) {
Isolate* isolate = args.GetIsolate();
// Make sure there is an argument.
if (args.Length() != 1) {
isolate->ThrowException(Exception::TypeError(
String::NewFromUtf8(isolate, "Need an argument")));
return;
}
// Make sure it's an array.
if (! args[0]->IsArray()) {
isolate->ThrowException(Exception::TypeError(
String::NewFromUtf8(isolate, "First argument needs to be an array")));
return;
}
// Unpack JS array into a std::vector
std::vector<int> values;
Local<Array> input = Local<Array>::Cast(args[0]);
unsigned int numValues = input->Length();
for (unsigned int i = 0; i < numValues; i++) {
values.push_back(input->Get(i)->NumberValue());
}
// Sort the vector.
std::sort(values.begin(), values.end());
// Create a new JS array from the vector.
Local<Array> result = Array::New(isolate);
for (unsigned int i = 0; i < numValues; i++ ) {
result->Set(i, Number::New(isolate, values[i]));
}
// Return it.
args.GetReturnValue().Set(result);
}
免责声明:我不是v8向导,也不是C ++向导,因此可能有更好的方法来实现这一目标。