我想为v8 :: Script :: Run设置超时。不幸的是,我对v8有一点经验。我明白我需要使用StartPreemtion + Loker + TerminateException。因此,v8 :: Script :: Run应该在一个单独的线程中。执行时间的计算和控制应该在主线程中。如何在v8中创建另一个线程?请帮我理解如何做到这一点。 以下是我所做的代码示例,但线程的功能无法启动。
v8::Local<v8::Value> V8ExecuteString( v8::Handle<v8::String> source, v8::Handle<v8::String> filename )
{
// Compiling script
// ...
// End compiling script
DWORD start_tick = ::GetTickCount();
v8::Locker::StartPreemption( 1 );
{
v8::Unlocker unlocker;
boost::thread* th = new boost::thread( [&] () {
v8::Locker locker;
v8::HandleScope handle_scope;
// Running script
// v8::Script::Run()
// End running script
});
}
// Calculation and control of the execution time
v8::Locker locker;
v8::HandleScope handle_scope;
while ( true )
{
// terminate thread after 10 seconds
if( ( (::GetTickCount() - start_tick) / 1000 ) > 10 )
// v8::v8::TerminateException( )
}
v8::Locker::StopPreemption();
}
答案 0 :(得分:2)
根据this V8 bug report,StartPreemption()
目前不可靠。但是,您不需要它来实现脚本执行超时。该计划展示了一种方式:
#include "v8.h"
#include "ppltasks.h"
void main(void)
{
auto isolate = v8::Isolate::New();
{
v8::Locker locker(isolate);
v8::Isolate::Scope isolateScope(isolate);
v8::HandleScope handleScope(isolate);
auto context = v8::Context::New();
{
v8::Context::Scope contextScope(context);
auto script = v8::Script::Compile(v8::String::New("while(true){}"));
// terminate script in 5 seconds
Concurrency::create_task([isolate]
{
Concurrency::wait(5000);
v8::V8::TerminateExecution(isolate);
});
// run script
script->Run();
}
context.Dispose();
}
isolate->Dispose();
}
这里的计时器实现显然不是最理想的,特定于Windows并发运行时,但它只是一个例子。祝你好运!