1

在调试失败的集成测试时,我一直遇到同样的问题,即我的代码中引发的异常被抑制并且没有显示在测试输出中。

例如,对于以下控制器和测试:

class RegistrationController::ApplicationController
  def create
    # some code that raises an exception
  end
end
class RegistrationFlowTest < ActionDispatch::IntegrationTest

  test 'user registers successfully' do
    post sign_up_path, params: { username: 'arnold', password: '123' }
    assert_response :success  
  end

end

输出类似于

Minitest::Assertion: Expected response to be a <2XX: success>, but was a <500: Internal Server Error>

有没有办法查看确切引发的异常?而不仅仅是 HTTP 响应代码的区别?

谢谢!

西蒙

4

2 回答 2

1

我推荐的解决这个问题的方法是实际解析 Rails 提供的响应(至少默认情况下在testdevelopment环境中),其中包括错误的堆栈跟踪,并在测试失败的情况下处理它。这样做的好处是,当出现不会导致测试失败的错误时(例如,您有意测试如何处理失败的场景),它不会输出堆栈跟踪。

我制作的这个小模块将允许您调用assert_response_with_errors以断言对调用的响应,但当响应不是您所期望的时,以可读格式输出异常消息和堆栈跟踪。

module ActionDispatch
  module Assertions
    module CustomResponseAssertions
      # Use this method when you want to assert a response body but also print the exception
      # and full stack trace to the test console.
      # Useful when you are getting errors in integration tests but don't know what they are.
      #
      # Example:
      # user_session.post create_gene_path, params: {...}
      # user_session.assert_response_with_errors :created
      def assert_response_with_errors(type, message = nil)
        assert_response(type, message)
      rescue Minitest::Assertion => e
        message = e.message
        message += "\nException message: #{@response.parsed_body[:exception]}"
        stack_trace = @response.parsed_body[:traces][:'Application Trace'].map { |line| line[:trace] }.join "\n"
        message += "\nException stack trace start"
        message += "\n#{stack_trace}"
        message += "\nException stack trace end"
        raise Minitest::Assertion, message
      end
    end
  end
end

要使用它,您需要在 Rails 将其堆栈加载到您的test_helper.rb. 因此,只需将 include 添加到您的test_helper.rb中,如下所示:

ActionDispatch::Assertions.include ActionDispatch::Assertions::CustomResponseAssertions
require File.expand_path('../../config/environment', __FILE__)
require 'rails/test_help'
...
于 2018-03-16T16:33:21.013 回答
0

这是因为 Rails 控制器默认处理异常并引发 500 状态,使异常对测试套件不可见(如果在模型的单元测试中引发错误,这将非常有用)。此处讨论了在测试套件中禁用此功能的选项或替代解决方法。

该链接中的关键代码行,应添加到test/integration/integration_test_helper.rb

ActionController::Base.class_eval do
  def perform_action
    perform_action_without_rescue
  end
end

Dispatcher.class_eval do
  def self.failsafe_response(output, status, exception = nil)
    raise exception
  end
end

编辑:我注意到那个链接现在已经很老了。我对 Rack 非常熟悉,所以虽然第一个块对我来说看起来不错,但我不确定第二个块是否仍然是最新的。如果需要更新,您可能需要查看相关的当前 Rails 指南

于 2018-02-14T15:29:22.213 回答