Reputation: 660
I just want to test ajax request on controller spec. The product code is below. I'm using Devise for authentication.
class NotesController < ApplicationController
def create
if request.xhr?
@note = Note.new(params[:note])
if @note.save
render json: { notice: "success" }
end
end
end
end
And spec is below.
describe NotesController do
before do
user = FactoryGirl.create(:user)
user.confirm!
sign_in user
end
it "has a 200 status code" do
xhr :post, :create, note: { title: "foo", body: "bar" }, format: :json
response.code.should == "200"
end
end
I expect the response code to be 200, but it returns 401. I guess it must be because the request which rspec throws lacks authenticity_token or something. How can I stub it?
Any help would be greatly appreciated.
Upvotes: 19
Views: 18032
Reputation: 2891
I moved format: :json into params hash and it works fine, responding with json.
describe NotesController do
before do
user = FactoryGirl.create(:user)
user.confirm!
sign_in user
end
it "has a 200 status code" do
xhr :post, :create, { note: { title: "foo", body: "bar" }, format: :json }
response.code.should == "200"
end
end
Upvotes: 0
Reputation: 660
Answering my own question. I found that format: :json
was wrong. Just delete it and it works. Just like below:
it "has a 200 status code" do
xhr :post, :create, note: { title: "foo", body: "bar" }
response.code.should == "200"
end
I'm sorry for all the fuss.
Upvotes: 37
Reputation: 12818
You've probably met CSRF error, try to disable CSRF validation for ajax calls, something like
# In your application_controller.rb
def verified_request?
if request.xhr?
true
else
super()
end
end
Upvotes: -4