2

我正在编写一个从各种 url 收集数据的脚本。我想将块中的错误收集begin rescue到一个数组中,以便在程序以详细模式运行时输出它们。正常使用时,失败的连接会被忽略,脚本会转到下一个 url。

我认为最好的方法是errArray = Array.new在脚本顶部创建一个数组来保存错误,然后执行以下操作:

rescue Exception => e
  errArray << e.message

在各种功能中记录错误。函数输出使用的die数组,p除非它为空。但是,我得到了错误

Undefined local variable or method 'errArray'

任何帮助(和建设性的批评)表示赞赏。

编辑:模具功能:

def die(e)
  p errorArray unless errorArray.empty?
# Some other irrelevant code
end
4

1 回答 1

4

errArray不是全局变量,因此方法无法访问它。您可以通过 将其声明为全局变量$err_array

然而,最好的解决方案是创建一个简单的类:

class ExceptionCollector

  def collect
    yield
  rescue => e
    errors << e.message
  end

  def errors
    @errors ||= []
  end
end

然后很简单:

$logger = ExceptionCollector.new

$logger.collect do
  # this may raise an exception
end

def foo
  $logger.collect do
    # another exception
  end
end

$logger.errors    #=> list of errors 
于 2013-09-27T12:34:12.903 回答