1

我是 Rails 和 rspec 的新手。我的控制器中有一个自定义方法,它不是一个动作。我正在尝试使用规范测试此方法。

这是我的控制器方法:

def find_target_by_id(target_id)    
    begin
      @target = Target.find(target_id)
    rescue ActiveRecord::RecordNotFound
      flash[:error] = "Target with Id #{target_id} does not exist."
      redirect_to root_url
    end
end

这是我对此方法的 rspec 测试:

context "is given invalid id" do
   before do
     Target.stub(:find).with("1").and_raise(ActiveRecord::RecordNotFound)
   end
   it "returns flash[:error] " do
     TargetsController.new.find_target_by_id("1")
     flash[:error].should eq("Target with Id 1 does not exist.")
   end

   it "redirects to root url " do
      TargetsController.new.find_target_by_id("1")
      response.should redirect_to(root_url)
   end
end

但是,在运行测试时,我收到错误:

Failure/Error: TargetsController.new.find_target_by_id("1").should have(flash[:error])
 RuntimeError:
   ActionController::Base#flash delegated to request.flash, but request is nil: #<TargetsController:0x007fced708ae50 @_routes=nil, @_action_has_layout=true, @_headers={"Content-Type"=>"text/html"}, @_status=200, @_request=nil, @_response=nil>
 # ./app/controllers/targets_controller.rb:71:in `find_target_by_id'
 # ./spec/controllers/targets_controller_spec.rb:212:in `block (4 levels) in <top (required)>'

任何帮助深表感谢。

4

1 回答 1

1

除非发出了实际的 Web 请求,否则您无法访问 Rspec 中的闪存。这就是错误所暗示的 - 它正在查看request.flash,但request为零,因为您尚未发出网络请求。

一些想法:

  • 在您的测试中向调用此方法的操作发出 GET(或 POST 或其他)请求,以便您实际上可以访问闪存
  • 不要在您的辅助方法中设置 flash,而是返回错误消息或引发异常并将 flash 消息设置留给您的控制器操作

如果我遇到这种情况,我会采取第二种方法。将可控制的东西(如设置闪光灯等)留给控制器操作,并让您的辅助方法简单明了。它肯定会帮助您的测试更简单。

于 2012-12-20T16:43:23.133 回答