问题
I have a model, Couple
, which has two columns, first_person_id
and second_person_id
and another model, Person
, whose primary key is person_id
and has the column name
Here's the usage I want:
#including 'Person' model for eager loading, this is crucial for me
c = Couple.find(:all, :include => :persons)[0]
puts "#{c.first_person.name} and #{c.second_person.name}"
So how can I do this?
回答1:
The relationships declared in Couple
should look like this:
class Couple
named_scope :with_people, { :include => [:first_person, :second_person] }
belongs_to :first_person, :class_name => 'Person'
belongs_to :second_person, :class_name => 'Person'
end
#usage:
Couple.with_people.first
# => <Couple ... @first_person: <Person ...>, @second_person: <Person ...>>
Those in Person
depend on whether a Person
can be part of more than one Couple
. If a Person
can only belong to one Couple
and can't be the "first" Person
on one and the Second
on another, you might want:
class Person
has_one :couple_as_first_person, :foreign_key => 'first_person_id', :class_name => 'Couple'
has_one :couple_as_second_person, :foreign_key => 'second_person_id', :class_name => 'Couple'
def couple
couple_as_first_person || couple_as_second_person
end
end
If a Person
can belong to several Couple
s, and there's no way to tell whether they're the "first" or "second" in any given Couple
, you might want:
class Person
has_many :couples_as_first_person, :foreign_key => 'first_person_id', :class_name => 'Couple'
has_many :couples_as_second_person, :foreign_key => 'second_person_id', :class_name => 'Couple'
def couples
couples_as_first_person + couples_as_second_person
end
end
回答2:
Untested, but according to the Rails API documentation, maybe something like:
class Couple < ActiveRecord::Base
has_one :person, :foreign_key => :first_person_id
has_one :person, :foreign_key => :second_person_id
end
回答3:
Theory only, untested:
Create two subclasses of Person:
class FirstPerson < Person
belongs_to :couple
class SecondPerson < Person
belongs_to :couple
Couple class has_many of each:
class Couple
has_many :first_persons, :foreign_key => :first_person_id
has_many :second_persons, :foreign_key => :second_person_id
Then find:
Couple.all(:include => [:first_persons, :second_persons])
来源:https://stackoverflow.com/questions/2125440/activerecord-has-many-where-two-columns-in-table-a-are-primary-keys-in-table-b