我有一组属于类别集的类别。 这些类别本身可以有各种类别(自我指涉)和问题。 模型及其关系定义为&可视化如下:
class CategorySet < ActiveRecord::Base
has_many :categories
end
class Category < ActiveRecord::Base
belongs_to :category_set
belongs_to :parent_category, :class_name => "Category"
has_many :categories, :class_name => "Category", :foreign_key => "parent_category_id", dependent: :destroy
has_many :questions, dependent: :destroy
end
class Question < ActiveRecord::Base
belongs_to :category
end
Abbrev to CS, C and Q:
CS
|- C
|- Q
|
|- C
|
|- C
| |- Q
|
|- C
|- Q
|- Q
我希望能够询问CategorySet.find(1).questions并返回树中的所有问题而不管位置如何。我能想到的唯一方法是使用大量基于函数的请求,并且可能对sql语句有些过分(参见下面的示例)。
调用 CategorySet.find(1).categories 仅查找类别集的直接后代类别。此外, Category.find(id).questions 仅返回该类别的问题。
我曾尝试覆盖类别上的 .questions 方法,但这似乎不是轨道关系式的,并且必须有更好的方法来做到这一点? Alo它意味着我不能做CategorySet.includes(:questions).all样式语法,这大大减少了数据库服务器上的负载
答案 0 :(得分:3)
方法1
class CategorySet < ActiveRecord::Base
has_many :categories
def questions
categories.map do |c|
c.self_and_descendants.include(:questions).map(&:questions)
end.flatten
end
end
class Category < ActiveRecord::Base
awesome_nested_set
belongs_to :category_set
has_many :questions
end
class Question < ActiveRecord::Base
belongs_to :category
end
请参阅awesome_nested_set文档以获取gem所需的其他列的列表。
方法2
方法1将所有问题加载到内存中,并且它不支持基于DB的分页。
如果您避免为CategorySet维护单独的表,则可以获得更好的性能,因为每个类别都可以包含其他类别。
class Category < ActiveRecord::Base
awesome_nested_set
has_many :questions
# add a boolean column called category_set
def questions
join_sql = self_and_descendants.select(:id).to_sql
Question.joins("JOIN (#{join_sql}) x ON x.id = questions.id")
end
end
class Question < ActiveRecord::Base
belongs_to :category
validates :category_id, :presence => true, :category_set => true
end
# lib/category_set_validator.rb
class CategorySetValidator < ActiveModel::EachValidator
def validate_each(object, attribute, value)
if record.category.present? and record.category.category_set?
record.errors[attribute] << (options[:message] ||
"is pointing to a category set")
end
end
end
现在,您可以获得设置为
的类别的问题cs.questions.limit(10).offset(0)
cs.questions.paginate(:page => params[:page]) # if you are using will_paginate