我如何在v8中创建另一个线程

How can I create another thread in the v8

本文关键字:创建 另一个 线程 v8      更新时间:2023-10-16

我想为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();
  }

根据这个V8 bug报告,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并发运行时,但这只是一个例子。好运!