1

我有一个模型Organization,它有很多teams并且有很多collaborations。ACollaboration也有很多teamsOrganization所以团队模型与和具有多态关联Collaboration

我想做的是organization.teams并反映组织中的所有团队以及组织中协作的所有团队。

*organizations*
id
user_id
title
...

*collaborations*
id
organization_id
title
...

*teams*
id
teamable_id
teamable_type
title
...

楷模

class Organization < ApplicationRecord

  has_many :orgaization_teams, as: :teamable, class_name: "Team"
  has_many :collaboration_teams, through: :collaborations, source: :teams, class_name: "Team"

end

class Collaboration < ApplicationRecord

  belongs_to :organization
  has_many :teams, as: :teamable

end

class Team < ApplicationRecord

  belongs_to :teamable, polymorphic: true
  belongs_to :organization, -> { joins(:teams).where(teams: {teamable_type: 'Organization'}) }, foreign_key: 'teamable_id'
  belongs_to :collaboration, -> { joins(:teams).where(teams: {teamable_type: 'Collaboration'}) }, foreign_key: 'teamable_id'

end

尝试

尝试#1

class Organization < ApplicationRecord

  has_many :teams, -> { joins(:organization, :collaboration) }, source: :teamable

end

结果:SystemStackError(堆栈级别太深)

尝试#2

class Organization < ApplicationRecord

  def teams
    orgaization_teams.or(collaboration_teams)
  end

end

结果:ArgumentError(传递给#or的关系必须在结构上兼容。不兼容的值:[:joins])

潜在解决方案

我正在考虑将 Team 上的多态关联分离为organization_idcollaboration_id

所以新表看起来像这样:

*teams*
id
organization_id
collaboration_id
title
...
4

1 回答 1

1

我会用两个单独的外键代替:

class Organization < ApplicationRecord
  has_many :teams
  has_many :collaborations
  has_many :collaboration_teams, 
    through: :collaborations,
    source: :team
end

class Collaboration < ApplicationRecord
  belongs_to :organization
  has_many :teams
end

class Team < ApplicationRecord
  belongs_to :team, optional: true
  belongs_to :organization, optional: true
end

如果您想获得直接属于一个或组织或其协作的团队:

Team.where(
  organization_id: org.id
).or(
  Team.where(
    collaboration_id: org.collaborations
  )
)

我认为这实际上不能写成一个关联,因为它的结构过于复杂。

于 2021-04-15T23:28:27.680 回答