'拆分'ActiveRecord系列

时间:2010-07-16 00:43:15

标签: ruby-on-rails ruby database activerecord

假设我有两个模型Post和Category:

class Post < ActiveRecord::Base
  belongs_to :category
end

class Category < ActiveRecord::Base
  has_many :posts
end

是否有一种方法可以让我做一些像

这样的事情
posts = Post.find(:all)

p = Array.new

p[1] = posts.with_category_id(1)
p[2] = posts.with_category_id(2)
p[3] = posts.with_category_id(3)
...

or

p = posts.split_by_category_ids(1,2,3)

=> [posts_with_category_id_1, 
    posts_with_category_id_2,
    posts_with_category_id_3]

换句话说,通过选定的类别ID将所有帖子的集合“拆分”为数组

4 个答案:

答案 0 :(得分:12)

尝试group_by课程上的Array功能:

posts.group_by(&:category_id)

有关详细信息,请参阅API documentation

<强>警告:

当潜在数据集很大时,不应在Ruby代码中执行分组。当最大可能数据集大小为&lt; 1时,我使用group_by函数。 1000.在您的情况下,您可能有1000个Post秒。处理这样的数组会给你的资源带来压力。依靠数据库来执行分组/排序/聚合等。

这是一种方法(类似的解决方案由nas建议)

# returns the categories with at least one post
# the posts associated with the category are pre-fetched
Category.all(:include => :posts, 
    :conditions => "posts.id IS NOT NULL").each do |cat| 
  cat.posts
end

答案 1 :(得分:0)

当然,但考虑到你的模特关系,我认为你需要反过来看看它。

p = []
1.upto(some_limit) do |n|
  posts = Category.posts.find_by_id(n)
  p.push posts if posts
end

答案 2 :(得分:0)

这样的东西可能会起作用(Post的实例方法,未经测试):

def split_by_categories(*ids)
  self.inject([]) do |arr, p|
    arr[p.category_id] ||= []
    arr[p.category_id] << p if ids.include?(p.category_id)
    arr
  end.compact
end

答案 3 :(得分:0)

而不是获取所有帖子,然后对它们进行一些操作来对它们进行分类,这是一个性能密集的练习,我宁愿更喜欢使用这样的热切加载

categories = Category.all(:include => :posts)

这将生成一个sql查询来获取所有帖子和类别对象。然后你可以很容易地迭代它们:

p = Array.new
categories.each do |category| 
  p[1] = category.posts
  # do anything with p[1] array of posts for the category
end