型号:
class Category < ApplicationRecord
has_many :inventories
has_many :stocks, through: :inventories
end
class Inventory < ApplicationRecord
belongs_to :category
has_many :stocks
end
class Stock < ApplicationRecord
belongs_to :inventory
end
目标:
实现高效的ActiveRecord查询,该查询可构建如下数组:
[
{ name: "Supplies", count: 10.00, total_value: 40.00 },
{ name: "Materials", count: 25.00, total_value: 30.00 }
]
名称->只是库存模型中的常规属性
计数->库存表中:count列上的SQL SUM
总值->来自“库存”模型中进行数学运算的方法
这可能是一个完全的幻想,但是我有一个很大的数据集,因此我试图使这种超高效率。有什么想法吗?
编辑以回答问题:
total_value是库存中的一种方法,然后调用库存中的一种方法的总和:
def total_value
stocks.map do |stock|
stock.total_cost
end.sum
end
total_cost是库存的一种方法:
def total_cost
cost_per_unit * count
end
答案 0 :(得分:0)
您在这里:query = Inventory.group(:id, :name).select(:id, :name).left_joins(:stocks).select("SUM(stocks.count) AS count").select("SUM(stocks.cost_per_unit * stocks.count) AS total_value")
query.as_json
给出了您想要的。
您还可以通过find_each
访问数据:query.find_each { |record| puts "record #{record.name} has a total value of #{record.total_value}" }
如果要避免在SQL中复制total_value
的逻辑,则必须加载库存记录,如果有的话,这会大大减慢计算速度很多:
升级模型
class Inventory < ApplicationRecord
def stocks_count
stocks.sum(&:count)
end
def total_value
stocks.sum(&:total_cost)
end
end
和查询
Inventory.preload(:stocks).map do |inventory|
{
name: inventory.name,
count: inventory.stocks_count,
total_value: inventory.total_value
}
end
如果要最大程度地优化查询,,可以考虑在total_value
表上缓存2列stocks_count
和inventories
。每当库存变化之一(创建,删除,更新)时,您都将对其进行更新。维护起来比较困难,但这是最快的选择。