在我的 Rails 应用程序中,我有users
which 可以有很多invoices
,而后者又可以有很多payments
.
现在在dashboard
视图中,我想总结所有payments
auser
收到的信息,按年、季度或月排序。payments
还细分为毛额、净额和税额。
用户.rb:
class User < ActiveRecord::Base
has_many :invoices
has_many :payments
def years
(first_year..current_year).to_a.reverse
end
def year_ranges
years.map { |y| Date.new(y,1,1)..Date.new(y,-1,-1) }
end
def quarter_ranges
...
end
def month_ranges
...
end
def revenue_between(range, kind)
payments_with_invoice ||= payments.includes(:invoice => :items).all
payments_with_invoice.select { |x| range.cover? x.date }.sum(&:"#{kind}_amount")
end
end
发票.rb:
class Invoice < ActiveRecord::Base
belongs_to :user
has_many :items
has_many :payments
def total
items.sum(&:total)
end
def subtotal
items.sum(&:subtotal)
end
def total_tax
items.sum(&:total_tax)
end
end
付款.rb:
class Payment < ActiveRecord::Base
belongs_to :user
belongs_to :invoice
def percent_of_invoice_total
(100 / (invoice.total / amount.to_d)).abs.round(2)
end
def net_amount
invoice.subtotal * percent_of_invoice_total / 100
end
def taxable_amount
invoice.total_tax * percent_of_invoice_total / 100
end
def gross_amount
invoice.total * percent_of_invoice_total / 100
end
end
仪表板_控制器:
class DashboardsController < ApplicationController
def index
if %w[year quarter month].include?(params[:by])
range = params[:by]
else
range = "year"
end
@ranges = @user.send("#{range}_ranges")
end
end
index.html.erb:
<% @ranges.each do |range| %>
<%= render :partial => 'range', :object => range %>
<% end %>
_range.html.erb:
<%= @user.revenue_between(range, :gross) %>
<%= @user.revenue_between(range, :taxable) %>
<%= @user.revenue_between(range, :net) %>
现在的问题是这种方法有效,但也会产生大量的 SQL 查询。在典型的dashboard
视图中,我得到100 多个SQL 查询。在添加之前.includes(:invoice)
,还有更多的查询。
我认为主要问题之一是每张发票的subtotal
,total_tax
和total
并没有存储在数据库中的任何位置,而是根据每个请求进行计算。
谁能告诉我如何在这里加快速度?我不太熟悉 SQL 和 ActiveRecord 的内部工作原理,所以这可能是这里的问题。
谢谢你的帮助。