Google V8:使用C ++访问局部变量

时间:2012-10-22 08:51:30

标签: c++ v8

有人知道如何在C ++的嵌套函数调用中查找局部变量吗? 请考虑以下示例:

// e.g. a global variable in the browser
var global = "global_value";

function foo(){
    var global = "local_value";
    myCppFunction("global", global);
}

foo();

我现在的问题是如何在myCppFunction的实现中从'foo'访问函数局部变量“global”(NOT值,这将由第二个参数给出)?

Handle<Value> MyCppFunction(const Arguments& args){
    Local<String> varName = args[0]->ToString();
    Local<String> varValue = args[1]->ToString(); // this holds "local_value"
    // how to access the variable "global" in the scope of 'foo' ?
}

1 个答案:

答案 0 :(得分:3)

我设法自己找到了它。请参阅下面的示例,了解如何在堆栈上查找值(并替换它 - 此处通过字符串变量的示例)。

事先有两个评论:

  • 我没有对这种不良行为进行测试,除了我在我的硕士论文中使用它的用例 - 那里(可能)是龙。
  • 我不确切地知道为什么在我的测试sfl.FindJavaScriptFrame(0)中产生了所需的堆栈帧 - 但是,由于它独立于调用深度,我怀疑堆栈帧索引为0始终是直接调用者的帧(在我的情况下,我知道我想要的确实如此)。

代码:

// Prepare identification of the variable,assuming varName as in the question
// More convenient conversions would be appreciated, at least by me
Local<String> varName = args[0]->ToString();        
std::string varStr = *String::AsciiValue(varName);
// I'm using 'namespace i = internal;' (within v8-namespace)
i::Vector<const char> tmpVar(varStr.data(), varStr.length());
i::Handle<i::String> varIStr = i::Isolate::Current()->factory()->NewStringFromAscii(tmpVar, i::TENURED);

// Now hunt down the stack frame of interest, be sure to consider my remarks above
i::StackFrameLocator sfl;
// Comment from the code: The caller must guarantee that such a frame exists.
i::JavaScriptFrame* jsf = sfl.FindJavaScriptFrame(0);
// create some replacement
i::Vector<const char> tmp("there you go", 12);
i::Handle<i::String> insert = i::Isolate::Current()->factory()->NewStringFromAscii(tmp, i::TENURED);
i::Object* insertObj = insert->ToObjectChecked();

// by the help of JavaScriptFrame::Print I came up with this:
i::Object* fun = jsf->function();
if (fun->IsJSFunction()){
    i::Handle<i::ScopeInfo> scope_info(i::ScopeInfo::Empty());
    i::Handle<i::SharedFunctionInfo> shared((i::JSFunction::cast(fun))->shared());
    scope_info = i::Handle<i::ScopeInfo>(shared->scope_info());
    i::Object* script_obj = shared->script();
    if (script_obj->IsScript()) {
        int stack_locals_count = scope_info->StackLocalCount();
        for (int i = 0; i < stack_locals_count; i++) {
            if (scope_info->StackLocalName(i)->Equals(*varIStr)){
                // replace the value on the stack
                jsf->SetExpression(i,insertObj);
            }
        }
    }
}