# rspec-rails **Repository Path**: mirrors_simi/rspec-rails ## Basic Information - **Project Name**: rspec-rails - **Description**: RSpec for Rails-3+ - **Primary Language**: Unknown - **License**: MIT - **Default Branch**: master - **Homepage**: None - **GVP Project**: No ## Statistics - **Stars**: 0 - **Forks**: 0 - **Created**: 2020-10-27 - **Last Updated**: 2026-02-15 ## Categories & Tags **Categories**: Uncategorized **Tags**: None ## README # rspec-rails [![Build Status](https://secure.travis-ci.org/rspec/rspec-rails.svg?branch=master)](http://travis-ci.org/rspec/rspec-rails) [![Code Climate](https://img.shields.io/codeclimate/github/rspec/rspec-rails.svg)](https://codeclimate.com/github/rspec/rspec-rails) **rspec-rails** is a testing framework for Rails 3.x and 4.x. Use **[rspec-rails 1.x](http://github.com/dchelimsky/rspec-rails)** for Rails 2.x. ## Installation Add `rspec-rails` to **both** the `:development` and `:test` groups in the `Gemfile`: ```ruby group :development, :test do gem 'rspec-rails', '~> 3.0' end ``` Download and install by running: ``` bundle install ``` Initialize the `spec/` directory (where specs will reside) with: ``` rails generate rspec:install ``` This adds the following files which are used for configuration: - `.rspec` - `spec/spec_helper.rb` - `spec/rails_helper.rb` Check the comments in each file for more information. Use the `rspec` command to run your specs: ``` bundle exec rspec ``` By default the above will run all `_spec.rb` files in the `spec` directory. For more details about this see the [RSpec spec file docs](https://www.relishapp.com/rspec/rspec-core/docs/spec-files). To run only a subset of these specs use the following command: ``` # Run only model specs bundle exec rspec spec/models # Run only specs for AccountsController bundle exec rspec spec/controllers/accounts_controller_spec.rb ``` Specs can also be run via `rake spec`, though this command may be slower to start than the `rspec` command. In Rails 4, you may want to create a binstub for the `rspec` command so it can be run via `bin/rspec`: ``` bundle binstubs rspec-core ``` ### Upgrade Note For detailed information on the general RSpec 3.x upgrade process see the [RSpec Upgrade docs](https://relishapp.com/rspec/docs/upgrade). There are three particular `rspec-rails` specific changes to be aware of: 1. [The default helper files created in RSpec 3.x have changed](https://www.relishapp.com/rspec/rspec-rails/docs/upgrade#default-helper-files) 2. [File-type inference disabled by default](https://www.relishapp.com/rspec/rspec-rails/docs/upgrade#file-type-inference-disabled) 3. [Rails 4.x `ActiveRecord::Migration` pending migration checks](https://www.relishapp.com/rspec/rspec-rails/docs/upgrade#pending-migration-checks) 4. Extraction of `stub_model` and `mock_model` to [`rspec-activemodel-mocks`](https://github.com/rspec/rspec-activemodel-mocks) Please see the [RSpec Rails Upgrade docs](https://www.relishapp.com/rspec/rspec-rails/docs/upgrade) for full details. **NOTE:** Generators run in RSpec 3.x will now require `rails_helper` instead of `spec_helper`. ### Generators Once installed, RSpec will generate spec files instead of Test::Unit test files when commands like `rails generate model` and `rails generate controller` are used. You may also invoke RSpec generators independently. For instance, running `rails generate rspec:model` will generate a model spec. For more information, see [list of all generators](https://www.relishapp.com/rspec/rspec-rails/docs/generators). ## Model Specs Use model specs to describe behavior of models (usually ActiveRecord-based) in the application. Model specs default to residing in the `spec/models` folder. Tagging any context with the metadata `:type => :model` treats its examples as model specs. For example: ```ruby require "rails_helper" RSpec.describe User, :type => :model do it "orders by last name" do lindeman = User.create!(first_name: "Andy", last_name: "Lindeman") chelimsky = User.create!(first_name: "David", last_name: "Chelimsky") expect(User.ordered_by_last_name).to eq([chelimsky, lindeman]) end end ``` For more information, see [cucumber scenarios for model specs](https://www.relishapp.com/rspec/rspec-rails/docs/model-specs). ## Controller Specs Use controller specs to describe behavior of Rails controllers. Controller specs default to residing in the `spec/controllers` folder. Tagging any context with the metadata `:type => :controller` treats its examples as controller specs. For example: ```ruby require "rails_helper" RSpec.describe PostsController, :type => :controller do describe "GET #index" do it "responds successfully with an HTTP 200 status code" do get :index expect(response).to be_success expect(response).to have_http_status(200) end it "renders the index template" do get :index expect(response).to render_template("index") end it "loads all of the posts into @posts" do post1, post2 = Post.create!, Post.create! get :index expect(assigns(:posts)).to match_array([post1, post2]) end end end ``` For more information, see [cucumber scenarios for controller specs](https://www.relishapp.com/rspec/rspec-rails/docs/controller-specs). **Note:** To encourage more isolated testing, views are not rendered by default in controller specs. If you are verifying discrete view logic, use a [view spec](#view-specs). If you are verifying the behaviour of a controller and view together, consider a [request spec](#request-specs). You can use [render\_views](https://www.relishapp.com/rspec/rspec-rails/docs/controller-specs/render-views) if you must verify the rendered view contents within a controller spec, but this is not recommended. ## Request Specs Use request specs to specify one or more request/response cycles from end to end using a black box approach. Request specs default to residing in the `spec/requests`, `spec/api`, and `spec/integration` directories. Tagging any context with the metadata `:type => :request` treats its examples as request specs. Request specs mix in behavior from [ActionDispatch::Integration::Runner](http://api.rubyonrails.org/classes/ActionDispatch/Integration/Runner.html), which is the basis for [Rails' integration tests](http://guides.rubyonrails.org/testing.html#integration-testing). ```ruby require 'rails_helper' RSpec.describe "home page", :type => :request do it "displays the user's username after successful login" do user = User.create!(:username => "jdoe", :password => "secret") get "/login" assert_select "form.login" do assert_select "input[name=?]", "username" assert_select "input[name=?]", "password" assert_select "input[type=?]", "submit" end post "/login", :username => "jdoe", :password => "secret" assert_select ".header .username", :text => "jdoe" end end ``` The above example uses only standard Rails and RSpec APIs, but many RSpec/Rails users like to use extension libraries like [FactoryGirl](https://github.com/thoughtbot/factory_girl) and [Capybara](https://github.com/jnicklas/capybara): ```ruby require 'rails_helper' RSpec.describe "home page", :type => :request do it "displays the user's username after successful login" do user = FactoryGirl.create(:user, :username => "jdoe", :password => "secret") visit "/login" fill_in "Username", :with => "jdoe" fill_in "Password", :with => "secret" click_button "Log in" expect(page).to have_selector(".header .username", :text => "jdoe") end end ``` FactoryGirl decouples this example from changes to validation requirements, which can be encoded into the underlying factory definition without requiring changes to this example. Among other benefits, Capybara binds the form post to the generated HTML, which means we don't need to specify them separately. Note that Capybara's DSL as shown is, by default, only available in specs in the spec/features directory. For more information, see the [Capybara integration docs](http://rubydoc.info/gems/rspec-rails/file/Capybara.md). There are several other Ruby libs that implement the factory pattern or provide a DSL for request specs (a.k.a. acceptance or integration specs), but FactoryGirl and Capybara seem to be the most widely used. Whether you choose these or other libs, we strongly recommend using something for each of these roles. ## Feature Specs Feature specs test your application from the outside by simulating a browser. [`capybara`](https://github.com/jnicklas/capybara) is used to manage the simulated browser. Feature specs default to residing in the `spec/features` folder. Tagging any context with the metadata `:type => :feature` treats its examples as feature specs. Feature specs mix in functionality from the capybara gem, thus they require `capybara` to use. To use feature specs, add `capybara` to the `Gemfile`: ```ruby gem "capybara" ``` For more information, see the [cucumber scenarios for feature specs](https://www.relishapp.com/rspec/rspec-rails/v/3-0/docs/feature-specs/feature-spec). ## View specs View specs default to residing in the `spec/views` folder. Tagging any context with the metadata `:type => :view` treats its examples as view specs. View specs mix in `ActionView::TestCase::Behavior`. ```ruby require 'rails_helper' RSpec.describe "events/index", :type => :view do it "renders _event partial for each event" do assign(:events, [double(Event), double(Event)]) render expect(view).to render_template(:partial => "_event", :count => 2) end end RSpec.describe "events/show", :type => :view do it "displays the event location" do assign(:event, Event.new(:location => "Chicago")) render expect(rendered).to include("Chicago") end end ``` View specs infer the controller name and path from the path to the view template. e.g. if the template is `events/index.html.erb` then: ```ruby controller.controller_path == "events" controller.request.path_parameters[:controller] == "events" ``` This means that most of the time you don't need to set these values. When spec'ing a partial that is included across different controllers, you _may_ need to override these values before rendering the view. To provide a layout for the render, you'll need to specify _both_ the template and the layout explicitly. For example: ```ruby render :template => "events/show", :layout => "layouts/application" ``` ### `assign(key, val)` Use this to assign values to instance variables in the view: ```ruby assign(:widget, Widget.new) render ``` The code above assigns `Widget.new` to the `@widget` variable in the view, and then renders the view. Note that because view specs mix in `ActionView::TestCase` behavior, any instance variables you set will be transparently propagated into your views (similar to how instance variables you set in controller actions are made available in views). For example: ```ruby @widget = Widget.new render # @widget is available inside the view ``` RSpec doesn't officially support this pattern, which only works as a side-effect of the inclusion of `ActionView::TestCase`. Be aware that it may be made unavailable in the future. #### Upgrade note ```ruby # rspec-rails-1.x assigns[key] = value # rspec-rails-2.x+ assign(key, value) ``` ### `rendered` This represents the rendered view. ```ruby render expect(rendered).to match /Some text expected to appear on the page/ ``` #### Upgrade note ```ruby # rspec-rails-1.x render response.should xxx # rspec-rails-2.x+ render rendered.should xxx # rspec-rails-2.x+ with expect syntax render expect(rendered).to xxx ``` ## Routing specs Routing specs default to residing in the `spec/routing` folder. Tagging any context with the metadata `:type => :routing` treats its examples as routing specs. ```ruby require 'rails_helper' RSpec.describe "routing to profiles", :type => :routing do it "routes /profile/:username to profile#show for username" do expect(:get => "/profiles/jsmith").to route_to( :controller => "profiles", :action => "show", :username => "jsmith" ) end it "does not expose a list of profiles" do expect(:get => "/profiles").not_to be_routable end end ``` ### Upgrade note `route_for` from rspec-rails-1.x is gone. Use `route_to` and `be_routable` instead. ## Helper specs Helper specs default to residing in the `spec/helpers` folder. Tagging any context with the metadata `:type => :helper` treats its examples as helper specs. Helper specs mix in ActionView::TestCase::Behavior. A `helper` object is provided which mixes in the helper module being spec'd, along with `ApplicationHelper` (if present). ```ruby require 'rails_helper' RSpec.describe EventsHelper, :type => :helper do describe "#link_to_event" do it "displays the title, and formatted date" do event = Event.new("Ruby Kaigi", Date.new(2010, 8, 27)) # helper is an instance of ActionView::Base configured with the # EventsHelper and all of Rails' built-in helpers expect(helper.link_to_event).to match /Ruby Kaigi, 27 Aug, 2010/ end end end ``` ## Matchers Several domain-specific matchers are provided to each of the example group types. Most simply delegate to their equivalent Rails' assertions. ### `be_a_new` - Available in all specs - Primarily intended for controller specs ```ruby expect(object).to be_a_new(Widget) ``` Passes if the object is a `Widget` and returns true for `new_record?` ### `render_template` - Delegates to Rails' `assert_template` - Available in request, controller, and view specs In request and controller specs, apply to the `response` object: ```ruby expect(response).to render_template("new") ``` In view specs, apply to the `view` object: ```ruby expect(view).to render_template(:partial => "_form", :locals => { :widget => widget } ) ``` ### `redirect_to` - Delegates to `assert_redirect` - Available in request and controller specs ```ruby expect(response).to redirect_to(widgets_path) ``` ### `route_to` - Delegates to Rails' `assert_routing` - Available in routing and controller specs ```ruby expect(:get => "/widgets").to route_to(:controller => "widgets", :action => "index") ``` ### `be_routable` Passes if the path is recognized by Rails' routing. This is primarily intended to be used with `not_to` to specify standard CRUD routes which should not be routable. ```ruby expect(:get => "/widgets/1/edit").not_to be_routable ``` ### `have_http_status` - Passes if `response` has a matching HTTP status code - The following symbolic status codes are allowed: - `Rack::Utils::SYMBOL_TO_STATUS_CODE` - One of the defined `ActionDispatch::TestResponse` aliases: - `:error` - `:missing` - `:redirect` - `:success` - Available in controller, feature, and request specs. In controller and request specs, apply to the `response` object: ```ruby expect(response).to have_http_status(201) expect(response).not_to have_http_status(:created) ``` In feature specs, apply to the `page` object: ```ruby expect(page).to have_http_status(:success) ``` ## `rake` tasks Several rake tasks are provided as a convience for working with RSpec. To run the entire spec suite use `rake spec`. To run a subset of specs use the associated type task, for example `rake spec:models`. A full list of the available rake tasks can be seen by running `rake -T | grep spec`. ### Customizing `rake` tasks If you want to customize the behavior of `rake spec`, you may [define your own task in the `Rakefile` for your project](https://www.relishapp.com/rspec/rspec-core/docs/command-line/rake-task). However, you must first clear the task that rspec-rails defined: ```ruby task("spec").clear ``` ## Contribute See [http://github.com/rspec/rspec-dev](http://github.com/rspec/rspec-dev). For `rspec-rails`-specific development information, see [README_DEV](https://github.com/rspec/rspec-rails/blob/master/README_DEV.md). ## Also see * [http://github.com/rspec/rspec](http://github.com/rspec/rspec) * [http://github.com/rspec/rspec-core](http://github.com/rspec/rspec-core) * [http://github.com/rspec/rspec-expectations](http://github.com/rspec/rspec-expectations) * [http://github.com/rspec/rspec-mocks](http://github.com/rspec/rspec-mocks) ## Feature Requests & Bugs See