maclover7
maclover7

Reputation: 137

RSpec Helper Parameters Issue

I'm trying to test the following code:

module ApplicationHelper
  def current_book
    Book.find(params[:id])
  end
end

using the following test with RSpec:

RSpec.describe ApplicationHelper, :type => :helper do
  describe "#current_book" do
    book_1 = create(:book)

    params = {}
    params[:id] = book_1.id

    expect(helper.current_book).to eq(book_1)
  end
end

But for some reason the params[:id] parameter isn't being passed in properly. Any suggestions with this?

Upvotes: 1

Views: 1241

Answers (2)

User128848244
User128848244

Reputation: 3470

Here another way of stubbing params. I think this requires rspec 3 can't remember for sure.

context 'path is a route method' do
  before { allow(helper).to receive(:params).and_return(order_by: { updated_at: :desc }) }
  subject { helper.sortable_link_to('Created At', order_by: :created_at) }
  it { is_expected.to match /comments/ }
  it { is_expected.to match /\?order_by/}
  it { is_expected.to match /\?order_by%5Bupdated_at%5D=asc/}
end

Upvotes: 1

Yury Lebedev
Yury Lebedev

Reputation: 4005

You need to stub the params:

RSpec.describe ApplicationHelper, type: :helper do
  describe "#current_book" do
    let(:first_book) { create(:book) }

    before(:all) { helper.stub!(:params).and_return(id: 1) }

    it "returns a book with a matching id" do
      expect(helper.current_book).to eq(first_book)
    end
  end
end

Upvotes: 3

Related Questions