从V8上下文获取ruby异常

context = V8::Context.new(timeout: 20000) do |context|
  context['ForbidAccess'] = ->(message) { throw NotImplementedError }
end

begin
  context.eval("ForbidAccess();")
rescue => e
  puts "e.class = #{e.class.name}"
  puts "e.causes = #{e.causes}"
  puts "e.root_cause = #{e.root_cause}"
  puts "e.root_cause.class = #{e.root_cause.class}"
end

控制台输出:

e.class = V8::Error
e.causes = [#<V8::Error: uncaught throw NotImplementedError>, #<ArgumentError: uncaught throw NotImplementedError>]
e.root_cause = uncaught throw NotImplementedError
e.root_cause.class = ArgumentError

如何访问NotImplementedError对象?

(NotImplementedError仅用于show.它将被包含消息等的自定义异常替换)

最佳答案 你可能没有做你认为自己在做的事情. throw关键字不适用于例外.它实际上是一个类似于来自其他语言的goto的局部跳转.看到这个片段:

catch :done do
  while true
    array = [1,2,3]
    for i in array
      if i > 2
        throw :done
      end
    end
  end
end

它只是一个控制流结构,其中“捕获”对象必须与“抛出”对象匹配.但你不能简单地抓住所有的投掷并弄清楚它是哪个对象.对于异常(如NotImplementedError),正确使用的是raise:

context = V8::Context.new(timeout: 20000) do |context|
  context['ForbidAccess'] = ->(message) { raise NotImplementedError }
end

begin
  context.eval("ForbidAccess();")
rescue => e
  puts "e.root_cause = #{e.root_cause.inspect}"
  # correctly prints #<NotImplementedError: NotImplementedError>
end

至于为什么你在那里看到ArgumentError,它很简单:一个throw无法通过一个begin-rescue结构(从异常中拯救).当未被捕获的投掷遇到救援时,会创建一个关于它的新例外.检查如下:

begin
  throw "whatever"
rescue e
  p e   #=> ArgumentError: uncaught throw "whatever"
end

这就是internally所发生的事情,所有V8库看到的是一个ArgumentError弹出.

点赞