我在建立协会时遇到了麻烦。我的模型定义如下:
class Conversation
belongs_to :user1
belongs_to :user2
has_many :messages
end
我定义了这些工厂
factory :user do
name "name"
end
factory :female, parent: :user do
gender 'f'
end
factory :male, parent: :user do
gender 'm'
end
factory :message do
message "message"
conversation
end
现在我正在尝试像这样创建工厂“conversation_with_messages”
factory :conversation do
read false
association :user1, factory: :male
association :user2, factory: :female
factory :conversation_with_messages do
ignore do
messages_count 10
end
after(:create) do |conversation, evaluator|
FactoryGirl.create_list(:message, evaluator.messages_count, author: conversation.user1)
end
end
end
但是执行FactoryGirl.create(:conversation_with_messages)
会出现数据库错误,指出user1_id列必须不为空。
我想知道为什么这个专栏没有填写,我在这里做错了什么?
答案 0 :(得分:1)
您是否在对话模型关系中指定了class_name
?
class Conversation
belongs_to :user1, class_name: 'User'
belongs_to :user2, class_name: 'User'
has_many :messages
end
答案 1 :(得分:0)
如果测试很难,请考虑修改您的设计。想到两个想法:
1)必须 User
有多个Conversation
s?
如果像Twitter的直接消息模型(任何两个用户之间的一个连续对话)之类的东西是可以接受的,那么你可以选择以下内容:
class Message < ActiveRecord::Base
belongs_to :sender, class_name: 'User'
belongs_to :recipient, class_name: 'User'
default_scope order("created_at DESC")
def read?
!self.unread?
end
def read_or_unread
self.unread? ? "unread" : "read"
end
end
class User < ActiveRecord::Base
has_many :messages, foreign_key: :recipient_id
def messages_grouped_by_sender
msg_ids = messages.select("MAX(id) AS id").group(:sender_id).collect(&:id)
Message.includes(:sender).where(id: msg_ids)
end
end
class Conversation
THEM_TO_ME = "sender_id = :their_id AND recipient_id = :my_id"
ME_TO_THEM = "sender_id = :my_id AND recipient_id = :their_id"
def initialize(me, them)
@me = me
@them = them
end
def them
@them
end
def thread
Message.where("#{ME_TO_THEM} OR #{THEM_TO_ME}", ids)
end
def unread?
# Checking only the newest message is good enough
messages_to_me.first.try(:unread)
end
def mark_as_read
messages_to_me.where(:unread => true).update_all(:unread => false)
end
def to_or_from_me(message)
message.sender == @me ? "From" : "To"
end
private
def messages_to_me
Message.where(THEM_TO_ME, ids)
end
def ids
{ :my_id => @me.id, :their_id => @them.id }
end
end
2)是否需要将Conversation
保留到数据库中?
如果Message
看起来如下所示,那么您可以通过接收消息然后跟随之前的消息链来初始化Conversation
。
class Message < ActiveRecord::Base
belongs_to :sender, class_name: 'User'
belongs_to :recipient, class_name: 'User'
belongs_to :previous_message, class_name: 'Message'
end
class Conversation
def initialize(message)
@message = message
end
def messages
//use @message to follow the chain of messages
end
end