Rails : 如何记录 rake 任务中抛出的所有异常

Rails : How to log all exceptions thrown in rake tasks

使用我编写的自定义 ErrorLogger,我试图找到一种方法来记录在我的任何 rake 任务中发生的所有错误。一种替代方法是简单地将 begin-rescue 块添加到每个 *.rake 文件中:

# lib/tasks/example.rake
require 'error_logger/error_logger'

namespace :example do
  task generic_example: :environment do
    begin
      ...task code here
    rescue Exception => e
      ErrorLogger.log(e)
      raise e
    end
  end
end

但是对所有任务文件都这样做并不是很干,所以我想知道是否有更聪明的方法。

例如,我记录我的控制器错误,将日志记录逻辑放在 application_controller 中,因此无论哪个控制器正在处理请求,它都会运行:

#app/controllers/application_controller.rb
require 'error_logger/error_logger'

class ApplicationController < ActionController::Base
  rescue_from Exception, with: :error_middleware

  def error_middleware(exception)
    ErrorLogger.log(exception)

    raise error
  end
end

在 rake 任务中执行类似操作的最佳方法是什么,只需编写一次日志记录逻辑并将其应用于所有 rake 任务?也许我可以添加一些代码到 Rakefile 来实现它?

你可以完成这个任务,通过猴子补丁 rake 如下所示

module Rake
  class Task
    alias_method :invoke_without_loggable, :invoke

    def invoke(*args)
      begin
        invoke_without_loggable(*args)
      rescue StandardError => e
        ErrorLogger.log(e)
        raise e
      end
    end
  end
end