如何不仅获得单个记录,还获取属于特定搜索查询的所有记录

时间:2013-10-26 12:01:49

标签: ruby-on-rails ruby-on-rails-3 ruby-on-rails-4

我写了这个搜索查询,它只返回一条记录:

 @messages = Message.find_by_sender_username(@user.username)

 #<Message id: 1, sender_username: "emmanuel", reciepent_username: "elias", body: "Die erste Nachricht", gelesen: "", created_at: "2013-10-26 11:17:53", updated_at: "2013-10-26 11:17:53"> 

虽然在我的消息模型中,我有两条带有sender_username“emmanuel”的记录

 #<Message id: 1, sender_username: "emmanuel", reciepent_username: "elias", body: "Die erste Nachricht", gelesen: "", created_at: "2013-10-26 11:17:53", updated_at: "2013-10-26 11:17:53"> 
 #<Message id: 2, sender_username: "emmanuel", reciepent_username: "vera", body: "Was soll ich dazu sagen", gelesen: "", created_at: "2013-10-26 11:23:57", updated_at: "2013-10-26 11:23:57">

我认为问题在于模型之间没有真正的关系:

管理的   用户名:字符串

用户的   用户名:字符串

邮件

sender_username:string

reciepent_username:字符串

体:字符串

读:布尔

MyQuestion 是我应该如何写这些模型之间的关系,我为这种关系注意了关于forgein_key的一些事情,但我不是100%肯定如何利用它!

2 个答案:

答案 0 :(得分:3)

Rails通过名为relational databases的技术使用ActiveRecord。这是一种SQL,它基本上允许您通过一系列关系“链接”表:

belongs_to
has_one
has_many
has_many :through
has_one :through
has_and_belongs_to_many

链接表的方式取决于关系的构建方式,但在您的情况下,您可以使用以下内容:

Ruby on rails - Reference the same model twice?

#app/models/message.rb
has_one :sender, :class_name => 'User', :foreign_key => 'sender_id'
has_one :recipient, :class_name => 'User', :foreign_key => 'recipient_id'


#app/models/user.rb
has_many :sent_messages, :class_name => 'Message', :foreign_key => 'sender_id'
has_many :received_messages, :class_name => 'Message', :foreign_key => 'recipient_id'

您必须编辑表格以获得每个关系的外键列。您已经完成了这项工作,但您需要知道外键总是一个ID。因此,您需要sender_id

而不是sender_username

这是因为主键始终是唯一ID,这意味着ID可用于标识其他表中记录的关联;这意味着您将能够在您执行的任何查询中引用该记录


这将允许您这样做:

@messages = @user.received_messages

而不是乱用100个不同的查询


<强>更新

Polymorphic Association

如果您想要将管理员消息添加到组合中,您需要添加polymorphic association

class Message < ActiveRecord::Base
  belongs_to :sendable, polymorphic: true
  belongs_to :receiveable, polymorphic: true
end

class Admin < ActiveRecord::Base
  has_many :sent_messages, :class_name => 'Message', as: :sendable
  has_many :received_messages, :class_name => 'Message', as: :receiveable
end

class User < ActiveRecord::Base
  has_many :sent_messages, :class_name => 'Message', as: :sendable
  has_many :received_messages, :class_name => 'Message', as: :receiveable
end

我不知道这个代码是否可以直接使用,但它肯定会指向正确的方向。它的工作方式是为您的foreign_key提供associated model,这意味着您可以区分管理员或用户是否发送了消息。

这意味着,如果您致电@messages = @user.received_messages,ActiveRecord会自动ping Message model,并提取receiveable_id = user.idreceiveable_type = User

的行

为此,您需要更换sender_username&amp; receiver_username有4列:

sendable_id
sendable_type

receiveable_id
receiveable_type

答案 1 :(得分:1)

find_by_sender_username将始终只返回匹配的第一条记录。

您应该使用where来获取所有记录。

@messages = Message.where(sender_username: @user.username)