1

我正在尝试使用 FactoryGirl 为我的控制器规格之一创建一些项目:

摘录:

describe ItemsController do
    let(:item1){Factory(:item)}
    let(:item2){Factory(:item)}

    # This fails. @items is nil because Item.all returned nothing
    describe "GET index" do
        it "should assign all items to @items" do
            get :index
            assigns(:items).should include(item1, item2)
        end
    end

    # This passes and Item.all returns something 
    describe "GET show" do
        it "should assign the item with the given id to @item" do
            get :show, id => item1.id 
            assigns(:item).should == item1
        end
    end
end

当我将让更改为:

before(:each) do
    @item1 = Factory(:item)
    @item2 = Factory(:item)
end

我把@s放在变量前面,一切正常。为什么让我们工作的版本不起作用?我尝试将 let 更改为 let!s 并看到相同的行为。

4

1 回答 1

8
let(:item1) { FactoryGirl.create(:item) }
let(:item2) { FactoryGirl.create(:item) }

实际上,当您执行 let(:item1) 时,它将执行延迟加载,在内存中创建对象但不将其保存在数据库中,并且当您执行

@item1 = Factory(:item)

它将在数据库中创建对象。

尝试这个:

describe ItemsController do
    let!(:item1){ Factory(:item) }
    let!(:item2){ Factory(:item) }

    describe "GET index" do
        it "should assign all items to @items" do
            get :index
            assigns(:items).should include(item1, item2)
        end
    end

    describe "GET show" do
        it "should assign the item with the given id to @item" do
            get :show, id => item1.id 
            assigns(:item).should == item1
        end
    end
end

如果你不调用它,let 将永远不会被实例化,而 (:let!) 在每个方法调用之前都会被强制评估。

或者你可以这样做:

describe ItemsController do
    let(:item1){ Factory(:item) }
    let(:item2){ Factory(:item) }

    describe "GET index" do
        it "should assign all items to @items" do
            item1, item2
            get :index
            assigns(:items).should include(item1, item2)
        end
    end

    describe "GET show" do
        it "should assign the item with the given id to @item" do
            get :show, id => item1.id 
            assigns(:item).should == item1
        end
    end
end
于 2012-12-29T06:46:34.130 回答