我正在创建一个基于 v8 shell 的控制台,我采用了 v8 附带的示例代码,它运行良好,但我试图将 v8::object 转换为它的字符串版本(json)但没有找到方法来做到这一点。
这是我在 shell.cc 中的示例代码:
v8::Handle test(const v8::Arguments& args) {
v8::HandleScope handle_scope;
const char* json;
v8::String::Utf8Value strJson(args[0]);
printf(ToCString(json));
if (args[0]->IsObject()) {
printf("it's an object\n");
}
return v8::String::New("");
}
在 shell 中,我用这个创建了一个文件 test.js:
var a = { name: 'John' };
test(a);
我在 shell 控制台中执行 js 后得到了这个:
[object Object]
It's an object
我想要的是:
{ "name": "John" }
如果我将js代码更改为:
var a = { name: 'John'}
test(JSON.stringify(a));
它工作得很好,但我不希望用户必须知道如何将 javascript 变量解析为 json,并且我不想检查对象的每个输入并手动解析它。
有没有办法在 C 中的 shell.cc 代码中执行相同的指令?就像是:
v8::Handle<v8::String> temp = JSON.parse(arg[0]);
更新:这就是我的处理方式,但我想要一种更清洁的方式来做同样的事情:
const char* toJson(const v8::Local<v8::Object>& obj) {
std::stringstream ss;
ss << "{";
v8::Local<v8::Array> propertyNames = obj->GetPropertyNames();
for (int x = 0; x < propertyNames->Length(); x++) {
if (x != 0) {
ss << ", ";
}
v8::String::Utf8Value name(propertyNames->Get(x));
ss << "\"" << ToCString(name) << "\":";
v8::Local<v8::Value> val = obj->GetInternalField(x);
if (val->IsObject()) {
ss << toJson(val->ToObject());
} else {
ss << "\"" << ToCString(v8::String::Utf8Value(val)) << "\"";
}
}
ss << "}";
const char* result = ss.str().c_str();
return result;
}
v8::Handle test(const v8::Arguments& args) {
v8::HandleScope handle_scope;
const char* json;
v8::String::Utf8Value strJson(args[0]);
if (args[0]->IsObject()) {
char* json = toJson(args[0]);
// ...
// Some operations with the json
// ...
}
return v8::String::New("");
}