我有一个Rails 5设置,其中RSpec无法检查模型子类的验证。如果我在控制台中手动构建对象,我可以看到应该阻止记录有效的错误。
基本型号:
class Article < ApplicationRecord
belongs_to :author, class_name: User
validates :author, presence: { message: "L'utente autore dell'articolo è obbligatorio." }
validates :title, presence: { message: "Il titolo dell'articolo è obbligatorio." }
end
继承自文章的模型:
class LongArticle < Article
mount_uploader :thumbnail, LongArticleThumbnailUploader
validates :excerpt, presence: { message: "L'estratto dell'articolo è obbligatorio." }
validates :thumbnail, presence: { message: "L'immagine di anteprima dell'articolo è obbligatoria." }
end
这些型号的工厂(FactoryGirl):
FactoryGirl.define do
factory :article do
association :author, factory: :author
title "Giacomo Puccini: Tosca"
factory :long_article do
type "LongArticle"
excerpt "<p>Teatro alla Scala: immenso Franco Corelli.</p>"
thumbnail { Rack::Test::UploadedFile.new(File.join(Rails.root, 'spec', 'support', 'images', 'unresized-long-article-thumbnail.jpg')) }
end
end
end
这是RSpec,它不起作用:
require 'rails_helper'
RSpec.describe LongArticle, type: :model do
describe "is valid with mandatory fields" do
it "should be valid with if all mandatory fields are filled" do
article = FactoryGirl.create(:long_article)
expect(article).to be_valid
end
it "should have an excerpt" do
article = FactoryGirl.create(:long_article)
article.excerpt = nil
expect(article).not_to be_valid
end
it "should have the thumbnail" do
article = FactoryGirl.create(:long_article)
article.thumbnail = nil
expect(article).not_to be_valid
end
end
end
第一个规格通过,另外两个不通过。 我尝试使用相同的值测试控制台中的所有内容,并且它有效,这意味着该记录应该是无效的。
使用RSpec,子类中的验证是否有效?
答案 0 :(得分:1)
对不起,我很抱歉,但我想我已经弄明白我的考试是什么。
问题实际上是两个,而不是我原先想到的那个。
第一次测试:should have an excerpt
正如juanitofatas所建议的那样,我在FactoryGirl构建我的模型之后添加了一条byebug
行。我注意到实例化的模型有类Article
而不是LongArticle
。
我注意到FactoryGirl在初次见到factory :article do
时实例化了基础工厂的模型。然后,它添加或覆盖定义到内部工厂中的属性,并将type
属性视为任何其他属性,忽略它驱动STI。
LongArticle
工厂应该被定义为完全不同的模型,与Article
工厂处于同一级别。
第二次测试:should have the thumbnail
这有点傻......我在CarrierWave上传器中定义了一个default_url
方法,事实上,这是理想的行为。测试已更新。