3

Rubyonrailsチュートリアルの一部としてRspecテストを実行しようとすると、このエラーが発生し続けます

失敗:

1)GET'about'は成功するはずです

 Failure/Error: get 'about'
 RuntimeError:
   @controller is nil: make sure you set it in your test's setup method.
 # ./spec/controllers/pages_controller_spec.rb:27:in `block (2 levels) in <top (required)>'

私はそれを修正するためにできる限りのことを試みましたが、すべてが無駄であることが証明されました。どんな助けでもありがたいです。

これが私のspec_helper.rbファイルです

require 'rubygems'
require 'spork'

Spork.prefork do
end
Spork.each_run do
end

ENV["RAILS_ENV"] ||= 'test'
require File.expand_path("../../config/environment", __FILE__)
require 'rspec/rails'

Dir[Rails.root.join("spec/support/**/*.rb")].each {|f| require f}

RSpec.configure do |config|
config.include RSpec::Rails::ControllerExampleGroup
config.mock_with :rspec
config.fixture_path = "#{::Rails.root}/spec/fixtures"
config.use_transactional_fixtures = true
end

pages_controller.rbファイル:

class PagesController < ApplicationController
 def home
 end

 def contact
 end

 def about
 end
 end

pages_controller_spec.rbファイル:

require 'spec_helper'

describe PagesController do
  render_views

  describe "GET 'home'" do
    render_views
    it "should be successful" do
      get 'home'
      response.should be_success
    end
  end

  describe "GET 'contact'" do
    render_views
    it "should be successful" do
      get 'contact'
      response.should be_success
    end
  end

end

  describe "GET 'about'" do
    render_views
    it "should be successful" do
      get 'about'
      response.should be_success
    end
  end

ルート.rbファイル:

SampleApp::Application.routes.draw do
  get "pages/home"

  get "pages/contact"

  get "pages/about"

end

ところで、Sporkとautotestの実行に問題はありません。

4

1 に答える 1

5

問題は、テストのネストです。describe PagesControllerブロックは最初の2つのテストのみをラップし、最後のテストはラップしません。

次のようになります。

describe PagesController do
  render_views

  describe "GET 'home'" do
    it "should be successful" do
      get 'home'
      response.should be_success
    end
  end

  describe "GET 'contact'" do
    it "should be successful" do
      get 'contact'
      response.should be_success
    end
  end

  describe "GET 'about'" do
    it "should be successful" do
      get 'about'
      response.should be_success
    end
  end
end

参照:@controllerを取り除く方法は私のテストではnilエラーです

render_viewsps最上位のブロックにあるものを除いて、すべてを取り出しました。describeブロックに対して1回だけ呼び出す必要があります(仕様を参照)。

于 2013-01-10T21:52:48.803 に答える