ActiveRecord has_many通过多态has_many

时间:2014-07-07 16:34:09

标签: sql ruby-on-rails ruby activerecord relation

似乎rails仍然不支持这种类型的关系并抛出ActiveRecord :: HasManyThroughAssociationPolymorphicThroughError错误。

我可以做些什么来实现这种关系?

我有以下关联:

Users 1..n Articles
Categories n..n Articles
Projects 1..n Articles

这是订阅模式

Subscription 1..1 User
Subscription 1..1 Target (polymorphic (Article, Category or User))

我需要根据用户#订阅通过Subscription#target#article选择文章。

我不知道如何实现这个

理想情况下,我想获得Association类的实例

更新1

这是一个小例子

假设user_1有4个订阅记录:

s1 = (user_id: 1, target_id: 3, target_type: 'User')
s2 = (user_id: 1, target_id: 2, target_type: 'Category')
s3 = (user_id: 1, target_id: 3, target_type: 'Project')
s4 = (user_id: 1, target_id: 8, target_type: 'Project')

我需要方法User#feed_articles,它可以获取属于任何目标的所有文章,我订阅了。

user_1.feed_articles.order(created_at: :desc).limit(10) 

更新2

我在用户模型中按类型分隔文章来源:

  has_many :out_subscriptions, class_name: 'Subscription'

  has_many :followes_users, through: :out_subscriptions, source: :target, source_type: 'User'
  has_many :followes_categories, through: :out_subscriptions, source: :target, source_type: 'Category'
  has_many :followes_projects, through: :out_subscriptions, source: :target, source_type: 'Project'

  has_many :feed_user_articles, class_name: 'Article', through: :followes_users, source: :articles
  has_many :feed_category_articles, class_name: 'Article', through: :followes_categories, source: :articles
  has_many :feed_project_articles, class_name: 'Article', through: :followes_projects, source: :articles

但是如何在不损失性能的情况下将feed_user_articles与feed_category_articles和feed_project_article合并

更新3.1

我找到的唯一方法是使用原始SQL连接查询。看起来它工作正常,但我不确定。

  def feed_articles
    join_clause = <<JOIN
inner join users on articles.user_id = users.id
inner join articles_categories on articles_categories.article_id = articles.id
inner join categories on categories.id = articles_categories.category_id
inner join subscriptions on
    (subscriptions.target_id = users.id and subscriptions.target_type = 'User') or
    (subscriptions.target_id = categories.id and subscriptions.target_type = 'Category')
JOIN

    Article.joins(join_clause).where('subscriptions.user_id' => id).distinct
  end

(这仅适用于用户和类别)

它支持范围和其他功能。唯一让我感兴趣的是:这个查询会导致一些不良影响吗?

2 个答案:

答案 0 :(得分:0)

我认为从使用UNION ALL的数据库性能前瞻性来看,比使用多态多重连接更有效。它也会更具可读性。我尝试编写一个Arel查询作为示例,但它不能很好(我没有使order by子句正常工作)所以我认为你必须通过原始SQL。除了ORDER BY子句之外,您可以使用SQL模板进行干燥。

答案 1 :(得分:0)

你是正确的,Rails不支持has_many:通过w /多态关联。您可以通过在User类上定义实例方法来模仿此行为。这看起来像这样:

def articles
  Article.
    joins("join subscriptions on subscriptions.target_id = articles.id and subscriptions.target_type = 'Article'").
    joins("join users on users.id = subscriptions.user_id")
end