Ruby on Rails的:多个has_many:通过可能?

是否有可能有多个has_many :through在Rails中相互传递的关系? 我收到了这样的build议,作为我发布的另一个问题的解决scheme,但一直没有得到它的工作。

朋友是通过连接表的循环关联 。 我们的目标是创build一个has_many :throughfriends_comments ,所以我可以采取一个User并做一些像user.friends_comments一样查询他的朋友所做的所有评论。

 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)))

当我刚刚inputuser.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 

不需要下面给出的解决scheme。 请参阅此屏幕录像了解更多详情。

原始答复

你传递一个has_many :through关联作为另一个has_many :through的源has_many :through关联。 我不认为这会奏效。

  has_many :friends, :through => :friendships, :conditions => "status = #{Friendship::FULL}" has_many :friends_comments, :through => :friends, :source => :comments 

你有三种方法来解决这个问题。

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 

所有的方法caching结果。 如果要重新加载结果,请执行以下操作:

 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中运行良好。

我发现这个博客条目是有用的: http : //geoff.evason.name/2010/04/23/nested-has_many-through-in-rails-or-how-to-do-a-3-table-join /