7

我的 ApplicationHelper 中有一个方法可以检查我的购物篮中是否有任何物品

module ApplicationHelper
  def has_basket_items?
    basket = Basket.find(session[:basket_id])
    basket ? !basket.basket_items.empty? : false
  end
end

这是我必须测试的辅助规范:

require 'spec_helper'

describe ApplicationHelper do
  describe 'has_basket_items?' do
    describe 'with no basket' do

      it "should return false" do
        helper.has_basket_items?.should be_false
      end

    end
  end
end

但是,当我运行测试时,我得到了

SystemStackError: stack level too deep
/home/user/.rvm/gems/ruby-1.9.3-p194/gems/actionpack-3.2.8/lib/action_dispatch/testing/test_process.rb:13:

通过调试,我看到正在从@request.session 在 ActionDispatch::TestProcess 中访问会话,而@request 为零。当我从我的请求规范访问会话时,@request 是 ActionController::TestRequest 的一个实例。

我的问题是我可以从帮助规范访问会话对象吗?如果可以,怎么做?如果我不能测试这种方法的最佳实践是什么?

****更新* ***

这取决于include ActionDispatch::TestProcess我的工厂。删除这个包括对问题进行排序。

4

2 回答 2

3

我可以从帮助规范访问会话对象吗?

是的。

module ApplicationHelper
  def has_basket_items?
    raise session.inspect
    basket = Basket.find(session[:basket_id])
    basket ? !basket.basket_items.empty? : false
  end
end

$ rspec spec/helpers/application_helper.rb

Failure/Error: helper.has_basket_items?.should be_false
  RuntimeError:
    {}

会话对象在那里并返回一个空哈希。

尝试更详细地查看回溯以查找错误。 stack level too deep通常表示递归出错了。

于 2012-12-04T06:44:45.297 回答
2

您正在测试 has_basket_items?ApplicationHelper 中的操作,它检查篮子表中带有 basket_id 的特定篮子,因此您的测试中应该有一些篮子对象,您可以使用Factory_Girl gem 创建它们。

她的例子:-

basket1 = Factory(:basket, :name => 'basket_1')
basket2 = Factory(:basket, :name => 'basket_2')

您可以从这个屏幕投射http://railscasts.com/episodes/158-factories-not-fixtures中获得有关如何使用 factory_girl 的更多详细信息

它将在您的测试数据库中创建一个工厂对象。所以,基本上你可以创建一些工厂对象,然后在会话中设置一个 basket_id 来检查它的存在,如下所示:

session[:basket_id] = basket1.id

所以,你的测试应该是这样的: -

require 'spec_helper'

describe ApplicationHelper do
  describe 'has_basket_items?' do
    describe 'with no basket' do

      it "should return false" do
        basket1 = Factory(:basket, :name => 'basket_1')
        basket2 = Factory(:basket, :name => 'basket_2')
        session[:basket_id] = 1234 # a random basket_id 
        helper.has_basket_items?.should be_false
      end

    end
  end
end

或者,您可以使用以下命令检查由 factory_girl 创建的 basket_id 是否为 be_true:

session[:basket_id] = basket1.id
helper.has_basket_items?.should be_true
于 2012-12-03T10:04:56.133 回答