起初我这样定义它(与文档中的 object wrap 示例基本相同,唯一的区别是示例包含了double
值属性,但我的是v8::Object
):
·H:
#include <nan.h>
using v8::Local;
using v8::Object;
using Nan::FunctionCallbackInfo;
class MyObject : public Nan::ObjectWrap {
public:
static void Init(v8::Local<v8::Object> module);
private:
explicit MyObject(Local<Object>);
~MyObject();
static Nan::Persistent<v8::Function> constructor;
static void New(const FunctionCallbackInfo<v8::Value>& info);
static void GetConfig(const FunctionCallbackInfo<v8::Value>& info);
Local<Object> Config;
};
.CC:
using v8::Local;
using v8::Object;
Nan::Persistent<v8::Function> MyObject::constructor;
MyObject::MyObject(Local<Object> config) : Config(config){}
MyObject::~MyObject(){}
// return an object when required
void MyObject::Init(Local<Object> module)
{
Nan::HandleScope scope;
Local<v8::FunctionTemplate> tpl = Nan::New<v8::FunctionTemplate>(New);
tpl->SetClassName(Nan::New("myObject").ToLocalChecked());
tpl->InstanceTemplate()->SetInternalFieldCount(1);
// prototypes
Nan::SetPrototypeMethod(tpl, "getConfig", GetConfig);
constructor.Reset(tpl->GetFunction());
module->Set(Nan::New("exports").ToLocalChecked(), tpl->GetFunction());
}
void MyObject::New(const Nan::FunctionCallbackInfo<v8::Value>& info) {
Local<Object> conf = info[0].As<Object>();
MyObject* myObject = new MyObject(conf);
MyObject->Wrap(info.This());
info.GetReturnValue().Set(info.This());
}
void MyObject::GetConfig(const Nan::FunctionCallbackInfo<v8::Value>& info)
{
MyObject* myObject = ObjectWrap::Unwrap<MyObject>(info.Holder());
Local<Object> conf = myObject->Config;
info.GetReturnValue().Set(conf);
}
JS:
var Test = require("./build/Release/test");
var test = new Test({a: 1});
console.log(test.getConfig()); // logs 3276x randomly
似乎Config
字段已收集垃圾。如果是这种情况,我不明白为什么,因为MyObject
实例显然仍在范围内。但我仍然试图让Config
持久。
有趣的是,直接将Config
的类型更改为Persistent<Object> *
也没有用,但是当我添加这些似乎不相关的行来测试我是否从js传递了正确的对象在对象被MyObject::New()
包裹之前,它起作用了:
Local<Object> test = Nan::New(*MyObject->Config);
Local<v8::String> v8Str = Nan::To<v8::String> (test->Get(Nan::New("a").ToLocalChecked())).ToLocalChecked();
v8::String::Utf8Value v8StrUtf8(v8Str);
std::string str = std::string(*v8StrUtf8);
std::cout << str << std::endl;
这里有什么问题?包装v8 :: Object的正确方法是什么?为什么这些属性访问行可以使它工作?
答案 0 :(得分:1)
如果要保留较长时间的值(超出当前范围),则需要将引用设置为Persistent而不是Local。这样做可以防止价值被垃圾收集。
因此,请将Config
定义更改为:
Nan::Persistent<Object> Config;
我尚未对其进行测试,但可能还需要将构造函数更改为:
MyObject::MyObject(Local<Object> config) {
Config.Reset(config);
}
然后,当您想要检索值时,您需要从Persistent获取Local句柄,如:
Local<Object> conf = Nan::New(myObject->Config);