所以,我有一个Folder和一个FolderItem模型。
更新
# == Schema Information
#
# Table name: folders
#
# id :integer not null, primary key
# name :string(255) not null
# parent_folder_id :integer
# user_id :integer not null
# folder_itens_count :integer default(0)
# created_at :datetime
# updated_at :datetime
#
class Folder < ActiveRecord::Base
...
belongs_to :parent_folder, :class_name => 'Folder'
has_many :child_folders, :class_name => 'Folder', :foreign_key => :parent_folder_id
has_many :folder_itens, :order => 'created_at DESC'
after_update {
update_parent_folder_itens_count
}
def update_parent_folder_itens_count
parent_folder = self.parent_folder
if self.folder_itens_count_changed? && parent_folder
quant_changed = self.folder_itens_count - self.folder_itens_count_was
parent_folder.increment(:folder_itens_count, quant_changed)
end
end
end
class FolderItem < ActiveRecord::Base
...
belongs_to :folder, :counter_cache => :folder_itens_count
end
我正在使用counter_cache来保留单个文件夹的itens数量。但是文件夹可能是另一个文件夹的父文件夹,我希望父文件夹中包含所有子文件的counter_cache加上它自己的counter_cache。
为此,我尝试使用after_update方法缓存counter_cache列中所做的更改,但是在创建新的FolderItem时,不会以某种方式调用此方法。
答案 0 :(得分:1)
我会做这样的事情。
向文件夹表添加一些缓存计数器字段
$ rails g migration add_cache_counters_to_folders child_folders_count:integer \
folder_items_count:integer \
total_items_count:integer \
sum_of_children_count:integer
和Ruby代码
class Folder < ActiveRecord::Base
belongs_to :parent_folder, class_name: 'Folder', counter_cache: :child_folders_count
has_many :child_folders, class_name: 'Folder', foreign_key: :parent_folder_id
has_many :folder_items
before_save :cache_counters
# Direct descendants - files and items within this folder
def total_items
child_folders_count + folder_items_count
end
# All descendants - files and items within all the folders in this folder
def sum_of_children
folder_items_count + child_folders.map(&:sum_of_children).inject(:+)
end
private
def cache_counters
self.total_items_count = total_items
self.sum_of_children_count = sum_of_children
end
end
class FolderItem < ActiveRecord::Base
belongs_to :folder, counter_cache: true # folder_items_count
end
请注意,Folder#sum_of_children
- 方法是递归的,因此对于大型数据集,它可能会降低您的应用程序速度。你可能想要为它做更多的SQL魔术,但作为纯Ruby,这就像我能得到的那样接近一个好的解决方案。我看到你以相反的方式做到了,这也是你需要自下而上更新的速度。 (这是自上而下的)
不知道这是不是您正在寻找的东西,但它是一个可读的解决方案,用于缓存文件夹中的项目数。