3

2 つの HABTM モデルがあります。

class Article < ActiveRecord::Base
  attr_accessible :title, :content
  belongs_to :author, :class_name => 'User', :foreign_key => 'author_id'
  has_and_belongs_to_many :categories

  validates :title, :presence => true
  validates :content, :presence => true
  validates :author_id, :presence => true

  default_scope :order => 'articles.created_at DESC'
end

class Category < ActiveRecord::Base
  attr_accessible :description, :name
  has_and_belongs_to_many :articles

  validates :name, :presence => true
end

Article著者(ユーザー)に属します

class User < ActiveRecord::Base
  devise :database_authenticatable, :registerable,
         :recoverable, :rememberable, :trackable, :validatable

  attr_accessible :email, :password, :password_confirmation, :remember_me
  attr_accessible :name

  has_many :articles, :foreign_key => 'author_id', :dependent => :destroy
end

それぞれの製造業者とともに:

Fabricator(:user) do
  email { sequence(:email) { |i| "user#{i}@example.com" } }
  name { sequence(:name) { |i| "Example User-#{i}" } }
  password 'foobar'
end

Fabricator(:article) do
  title 'This is a title'
  content 'This is the content'
  author { Fabricate(:user) }
  categories { Fabricate.sequence(:category) }
end

Fabricator(:category) do
  name "Best Category"
  description "This is the best category evar! Nevar forget."
  articles { Fabricate.sequence(:article) }
end

RSpec の Category#show 内の Article オブジェクトの存在を確認するテストを作成しようとしています。

before do
  @category = Fabricate(:category)
  visit category_path(@category)
end

# it { should have_link(@category.articles.find(1).title :href => article_path(@category.articles.find(1))) }
@category.articles.each do |article|
  it { should have_link(article.title, :href => article_path(article)) }
end

コメントされたテストとコメントされていないテストの両方で、次のエラーが発生します。

nil:NilClass (NoMethodError) undefined の未定義のメソッド 'find'

nil:NilClass のメソッド「articles」(NoMethodError)

作成した Category オブジェクト内の最初の Article オブジェクトにアクセスできるようにするにはどうすればよいですか? またその逆も可能ですか?

4

1 に答える 1

6

ブロックを渡さない限り、呼び出すたびFabricate.sequenceに整数が返されます。代わりに、実際の関連オブジェクトを生成する必要があります。次のように関連付けを生成する必要があります。

Fabricator(:article) do
  title 'This is a title'
  content 'This is the content'
  author { Fabricate(:user) }
  categories(count: 1)
end

Fabricator(:category) do
  name "Best Category"
  description "This is the best category evar! Nevar forget."
  articles(count: 1)
end
于 2012-06-08T17:38:57.197 に答える