0

create メソッドのインスタンス変数が構築されたデータを保持するかどうかを確認する rspec テストを作成しています。ただし、このエラーが返されるため、テストは機能しません...

Failure/Error: assigns[:micropost]should eq(@post)
expected: #<Micropost id: 1, content: "Hello there", user_id: 1>
got: #<Micropost id: 2, content: "Hello there", user_id: 1>

私のrspecテストは

describe ::MicropostsController do

before :each do
  @post = FactoryGirl.create(:micropost)
end

it "tests the instance variable in create method" do
    post :create, micropost: FactoryGirl.attributes_for(:micropost)
    assigns(:micropost).should eq(@post)
end

私のFactoryGirlファイルは

FactoryGirl.define do

 factory :micropost do

  content "Hello there Bob!"
  user_id "1"
  #even if I got rid of the double quotations around 1, the stringify key error still 
  #pops up

 end

end

これがマイクロポストコントローラーの作成アクションコードです...

def create

@micropost = Micropost.new(params[:micropost])

 respond_to do |format|

  if @micropost.save

    format.html { redirect_to @micropost, notice: 'Micropost was successfully create.' 
    }

  else

    format.html { render action: "new" }

  end

 end

end
4

2 に答える 2

1

マイクロポストが作成されたことをテストしたい場合は、ポスト アクションにいくつかのパラメーターを渡す必要があります。テストでは、新しいマイクロポストを作成するだけで (メモリ内に保存されません)、作成アクションはそれが存在することさえ知りません。

私は次のようなことをする必要があります:

before(:each) do
  @micro_mock = mock(:micropost)
  @micro_mock.stub!(:save => true)
end

it "creates a micropost" do
  params = {:micropost => {:something => 'value', :something2 => 'value2'}}
  Micropost.should_receive(:new).with(params).and_return(@micro_mock)
  post :create, params
end

it "assigns the created micropost to an instance variable" do
  Micropost.stub!(:new => @micro_mock)
  post :create
  assigns(:micropost).should == @micro_mock
end

リダイレクトとフラッシュ メッセージをテストする必要があります (必要に応じて save メソッドを true/false にスタブします)。

于 2012-10-30T13:13:55.117 に答える
0

micropostこの行にデータを投稿していないため、nil 値を取得しています。

post '/microposts'

これを機能させるには、実際にデータを含める必要があります。

post '/microposts', :micropost => p
于 2012-10-30T06:12:30.057 に答える