web-dev-qa-db-ja.com

Rspec 3フラッシュメッセージのテスト方法

Rspecを使用して、コントローラーのアクションとフラッシュメッセージの存在をテストします。

アクション

def create
  user = Users::User.find_by_email(params[:email])
  if user
    user.send_reset_password_instructions
    flash[:success] = "Reset password instructions have been sent to #{user.email}."
  else
    flash[:alert] = "Can't find user with this email: #{params[:email]}"
  end

  redirect_to root_path
end

仕様

describe "#create" do
  it "sends reset password instructions if user exists" do
    post :create, email: "[email protected]"      
    expect(response).to redirect_to(root_path)
    expect(flash[:success]).to be_present
  end
...

しかし、エラーが発生しました:

Failure/Error: expect(flash[:success]).to be_present
   expected `nil.present?` to return true, got false
68
Mike Andrianov

flash[:success]の存在をテストしていますが、コントローラーでflash[:notice]を使用しています

63
rabusmar

フラッシュメッセージをテストする最良の方法は、 shoulda gemによって提供されます。

以下に3つの例を示します。

expect(controller).to set_flash
expect(controller).to set_flash[:success]
expect(controller).to set_flash[:alert].to(/are not valid/).now
42
Robin Daugherty

フラッシュメッセージの内容に興味がある場合は、これを使用できます。

expect(flash[:success]).to match(/Reset password instructions have been sent to .*/)

または

expect(flash[:alert]).to match(/Can't find user with this email: .*/)

特定のメッセージが重要であるか、頻繁に変更されない場合を除き、特定のメッセージをチェックしないことをお勧めします。

27

あり:gem 'shoulda-matchers', '~> 3.1'

.nowは、set_flashで直接呼び出す必要があります。

set_flashnow修飾子とともに使用し、他の修飾子の後にnowを指定することは許可されなくなりました。

set_flashの直後にnowを使用する必要があります。例えば:

# Valid
should set_flash.now[:foo]
should set_flash.now[:foo].to('bar')

# Invalid
should set_flash[:foo].now
should set_flash[:foo].to('bar').now
1
killerkiara

もう1つのアプローチは、コントローラーにフラッシュメッセージがあるという事実を除外し、代わりに統合テストを記述することです。この方法により、JavaScriptまたは別の方法を使用してそのメッセージを表示することを決定したら、テストを変更する必要がなくなる可能性が高くなります。

https://stackoverflow.com/a/13897912/2987689 も参照してください

0
Artur Beljajev