Here's a simplistic model class.
class Person < ActiveRecord::Base has_and_belongs_to_many :relatives, :class_name => 'Person', :join_table => 'relatives', :foreign_key => 'from_id', :association_foreign_key => 'to_id'
has_and_belongs_to_many :brothers, :class_name => 'Person', :join_table => 'relatives', :foreign_key => 'from_id', :association_foreign_key => 'to_id', :conditions => "gender = 'm'" # ^ plain reference to column
has_and_belongs_to_many :sisters, :class_name => 'Person', :join_table => 'relatives', :foreign_key => 'from_id', :association_foreign_key => 'to_id', :conditions => "sisters_people.gender = 'f'" # ^ qualified reference to column
end
The noteworthy things about it are that its habtm associations are self-referential and that two of them have conditions. Let's see how to use this. Also, the brothers and sisters associations use different ways to refer to the column on which their respective condition depends.
Lets put this class through its paces.
>> Person.find(:first, :include => :sisters) -> works >> Person.find(:first, :include => :brothers) -> exception; invalid SQL, reference to column 'gender' is ambiguous
>> p = Person.find(:first) >> p.brothers.map(&:first_name) -> works >> p.sisters.map(&:first_name) -> exception; invalid SQL, no alias defined for sisters_people
I may be missing something, but from what it looks like, ActiveRecord doesn't handle this case as it should.
Michael