Railsで互いに通過する複数の_has_many :through
_関係を持つことは可能ですか?私は、私が投稿した別の質問の解決策としてそうする提案を受けましたが、それを機能させることができませんでした。
友だちは、結合テーブルを介した巡回関連付けです。目標は_has_many :through
_の_friends_comments
_を作成することです。そのため、User
を取得し、_user.friends_comments
_のようなことをして、友人からのすべてのコメントを1つのクエリで取得できます。
_class User
has_many :friendships
has_many :friends,
:through => :friendships,
:conditions => "status = #{Friendship::FULL}"
has_many :comments
has_many :friends_comments, :through => :friends, :source => :comments
end
class Friendship < ActiveRecord::Base
belongs_to :user
belongs_to :friend, :class_name => "User", :foreign_key => "friend_id"
end
_
これは見栄えが良く、理にかなっていますが、私にとってはうまくいきません。これは、ユーザーのfriends_commentsにアクセスしようとしたときに関連する部分に表示されるエラーです。
_ERROR: column users.user_id does not exist
_
: SELECT "comments".* FROM "comments" INNER JOIN "users" ON "comments".user_id = "users".id WHERE (("users".user_id = 1) AND ((status = 2)))
ちょうどuser.friendsを入力すると、これが機能し、これはそれが実行するクエリです:: SELECT "users".* FROM "users" INNER JOIN "friendships" ON "users".id = "friendships".friend_id WHERE (("friendships".user_id = 1) AND ((status = 2)))
したがって、友情関係を通じて元の_has_many
_を完全に忘れてしまい、Userクラスを結合テーブルとして不適切に使用しようとしているようです。
私は何か間違ったことをしていますか、これは単に不可能ですか?
編集:
Rails 3.1はネストされた関連付けをサポートしています。例えば:
has_many :tasks
has_many :assigments, :through => :tasks
has_many :users, :through => :assignments
以下に示す解決策は必要ありません。詳細については、 this screencastを参照してください。
元の回答
has_many :through
関連付けを別のhas_many :through
関連付けのソースとして渡しています。私はそれがうまくいくとは思わない。
has_many :friends,
:through => :friendships,
:conditions => "status = #{Friendship::FULL}"
has_many :friends_comments, :through => :friends, :source => :comments
この問題を解決するには、3つのアプローチがあります。
1)関連付け拡張機能を作成する
has_many :friends,
:through => :friendships,
:conditions => "status = #{Friendship::FULL}" do
def comments(reload=false)
@comments = nil if reload
@comments ||=Comment.find_all_by_user_id(map(&:id))
end
end
これで、友達のコメントを次のように取得できます。
user.friends.comments
2)User
クラスにメソッドを追加します。
def friends_comments(reload=false)
@friends_comments = nil if reload
@friends_comments ||=Comment.find_all_by_user_id(self.friend_ids)
end
これで、友達のコメントを次のように取得できます。
user.friends_comments
3)これをさらに効率的にしたい場合:
def friends_comments(reload=false)
@friends_comments = nil if reload
@friends_comments ||=Comment.all(
:joins => "JOIN (SELECT friend_id AS user_id
FROM friendships
WHERE user_id = #{self.id}
) AS friends ON comments.user_id = friends.user_id")
end
これで、友達のコメントを次のように取得できます。
user.friends_comments
すべてのメソッドは結果をキャッシュします。結果をリロードする場合は、次の手順を実行します。
user.friends_comments(true)
user.friends.comments(true)
またはもっと良い:
user.friends_comments(:reload)
user.friends.comments(:reload)
問題を解決するプラグインがあります。 このブログ をご覧ください。
プラグインをインストールするには
script/plugin install git://github.com/ianwhite/nested_has_many_through.git
これは過去には機能しませんでしたが、Rails 3.1では正常に機能します。