4

我很好奇这是如何工作的......我在相同的两个模型之间有几个 has_many 关系。这适用于日历应用程序,因此可以邀请用户参加活动,用户可以参加活动,并且活动属于用户,以便查看谁创建了活动。

用户.rb

class User < ActiveRecord::Base
  has_many :invites, dependent: :destroy
  has_many :events, through: :invites

  has_many :events

  has_many :attendances, -> { where cancel: false },
                         dependent: :destroy                     
  has_many :events, -> { where "attendances.cancel" => false },
                    through: :attendances

事件.rb

class Event < ActiveRecord::Base
  has_many :invites, dependent: :destroy
  has_many :users, through: :invites

  belongs_to :user

  has_many :attendances, -> { where cancel: false },
                         dependent: :destroy              
  has_many :users, -> { where "attendances.cancel" => false },
                   through: :attendances

我也有相应的连接表,在它们各自的模型中控制attendance.rb, 和invite.rb

所以......这按预期工作。用户在参加活动时有活动。我做了一些调整,并意识到这是检查列表中的最后一件事。因此,如果我将邀请移至底部,那么当我执行类似User.find(1).events.

有没有更好的方法来解决这个问题?我觉得这只是自找麻烦,不是吗?

4

1 回答 1

2

当我之前这样做时,我只是将关系的名称更改为更独特的名称,然后has_many通过 告诉要查看的类class_name。您可能还必须foreign_key在这些更改的关系上添加参数,以便 SQL 知道要匹配哪个键。

这是基本思想:

用户.rb

class User < ActiveRecord::Base
  has_many :invites, dependent: :destroy
  has_many :invited_events, through: :invites, source: "Event"

  has_many :events # these are events "owned" by the user

  has_many :attendances, -> { where cancel: false }, dependent: :destroy
  has_many :attended_events, -> { where "attendances.cancel" => false }, through: :attendances, source: "Event"
end

事件.rb

class Event < ActiveRecord::Base
  has_many :invites, dependent: :destroy
  has_many :invitees, through: :invites, source: "User"

  belongs_to :user # this is the owner of the event

  has_many :attendances, -> { where cancel: false }, dependent: :destroy
  has_many :attendees, -> { where "attendances.cancel" => false }, through: :attendances, source: "User"
end
于 2013-11-12T21:06:56.050 回答