10

我正在编写 node.js 绑定,我想从 v8::Object 实例生成 JSON 字符串。我想用 C++ 来做。由于 node.js 已经有了JSON.stringify,我想使用它。但我不知道如何从 C++ 代码中访问它。

4

2 回答 2

5

You need to grab a reference to the global object, and then grab the stringify method;

Local<Object> obj = ... // Thing to stringify

// Get the global object.
// Same as using 'global' in Node
Local<Object> global = Context::GetCurrent()->Global();

// Get JSON
// Same as using 'global.JSON'
Local<Object> JSON = Local<Object>::Cast(
    global->Get(String::New("JSON")));

// Get stringify
// Same as using 'global.JSON.stringify'
Local<Function> stringify = Local<Function>::Cast(
    JSON->Get(String::New("stringify")));

// Stringify the object
// Same as using 'global.JSON.stringify.apply(global.JSON, [ obj ])
Local<Value> args[] = { obj };
Local<String> result = Local<String>::Cast(stringify->Call(JSON, 1, args));
于 2013-04-13T18:08:57.513 回答
2

从 OP 的发布开始,一些节点 API 已经发生了变化。假设 node.js 版本为 7.7.1,代码将转换为以下内容;

std::string ToJson(v8::Local<v8::Value> obj)
{
    if (obj.IsEmpty())
        return std::string();

    v8::Isolate* isolate = v8::Isolate::GetCurrent();
    v8::HandleScope scope(isolate);

    v8::Local<v8::Object> JSON = isolate->GetCurrentContext()->
        Global()->Get(v8::String::NewFromUtf8(isolate, "JSON"))->ToObject();
    v8::Local<v8::Function> stringify = JSON->Get(
        v8::String::NewFromUtf8(isolate, "stringify")).As<v8::Function>();

    v8::Local<v8::Value> args[] = { obj };
    // to "pretty print" use the arguments below instead...
    //v8::Local<v8::Value> args[] = { obj, v8::Null(isolate), v8::Integer::New(isolate, 2) };

    v8::Local<v8::Value> const result = stringify->Call(JSON,
        std::size(args), args);
    v8::String::Utf8Value const json(result);

    return std::string(*json);
}

基本上,代码JSON从引擎获取对象,获取对该对象函数stringify的引用,然后调用它。代码相当于javascript;

var j = JSON.stringify(obj);

其他基于 v8 的替代方案包括使用JSON该类。

auto str = v8::JSON::Stringify(v8::Isolate::GetCurrent()->GetCurrentContext(), obj).ToLocalChecked();
v8::String::Utf8Value json{ str };
return std::string(*json);
于 2017-03-07T09:27:14.267 回答