3

尝试理解围绕轮胎 gem 进行测试的语法。

此控制器规范(默认来自脚手架模板)失败

  describe "GET index" do
    it "assigns all reports as @reports" do
      report = Report.create! valid_attributes
      get :index, {}, valid_session
      assigns(:reports).should eq([report])
    end
  end

因为

 Failure/Error: assigns(:reports).should eq([report])
 TypeError:
   can't convert Tire::Results::Collection to Array (Tire::Results::Collection#to_ary gives Tire::Results::Collection)

如何编写规范以使其期望轮胎结果集合而不是活动记录对象数组?或者,有没有更好的方法来解决这个问题?

FWIW-

class ReportsController < ApplicationController  
  def index
    @reports = Report.search(params)
  end

  ...

和模型:

class Report < ActiveRecord::Base
  include Tire::Model::Search
  include Tire::Model::Callbacks
  ...
  def self.search(params)
    tire.search(load: true) do
      query { string params[:query] } if params[:query].present?
    end
  end
  ...
4

1 回答 1

2

我意识到这是一个非常晚的答案,但是,嘿,来了。

Rspec 正在做一个直接的比较。它有一个集合,并试图将它与数组进行比较。但是,Tire 将强制转换定义为数组实际上并不返回数组(为什么,我不确定,听起来对我来说很烦人!)

由于您不打算比较数组,因此我快速浏览了 Collection 的来源:https ://github.com/karmi/tire/blob/master/lib/tire/results/collection.rb

好吧,我们没有有用的 to_ary……但我们确实有一个 each,并且包含了 Enumerable。这意味着我们基本上拥有数组可用的所有内容。

那么,鉴于此,我们实际上想在这里做什么?我们想检查@report 在@reports 中是否可用。好吧,我们有可枚举的,并且快速检查期望源(https://github.com/rspec/rspec-expectations/blob/master/lib/rspec/matchers/built_in/include.rb#L38)说包括将映射包括?在一个数组对象上。

因此,简而言之,尝试将您的测试更改为:

describe "GET index" do
  it "assigns all reports as @reports" do
   report = Report.create! valid_attributes
   get :index, {}, valid_session
   assigns(:reports).should include(report)
  end
end
于 2013-01-21T18:40:08.460 回答