3

我的模型是这样设置的

class User < ActiveRecord::Base
  attr_accessible :name
  has_many :predictions

end

class Prediciton < ActiveRecord::Base
  attr_accessible :user_id, :score
  belongs_to :user
end

我想要做的是为每个用户获取分数列中所有值的总和。

到目前为止,我的观点是这样的:

<% @user.each do |u| %>
 <% u.predictions.each do |h| %>
  <%= u.name %><%= h.score %>

 <% end %>
<% end %>

但我的控制器只是

@user = User.all

我在想这样的事情可能有用吗?

@user = User.all
@scores = @user.predictions.where("fixture_date <= ?", Date.today).sum(:score)

但事实并非如此。我是以错误的方式接近这个吗?

4

2 回答 2

5

向用户添加总分:

class User < ActiveRecord::Base
  attr_accessible :name
  has_many :predictions

  def sum_score
    predictions.where("fixture_date <= ?", Date.today).sum(:score)
  end
end

鉴于:

<% @user.each do |u| %>
  <%= u.name %><%= u.sum_score %>
<% end %>
于 2013-05-23T09:13:34.477 回答
5

接受的答案实际上并不是那么好,因为它给出了 N+1 查询问题,因为获取的每一行都会导致查询获取总和。而且它不允许您按聚合排序。

您想要的是执行自定义选择:

@users = User.joins(:predictions)
    .where("fixture_date <= ?", Date.today)
    .select('users.*, SUM(predications.score) AS total_score')
    .group('users.id')

这将返回一个包含完整用户记录的 ActiveRecord::Relation 对象。

irb(main):031:0> @users.each { |u| puts "User #{u.id} has a total score of #{u.total_score}"}
User 2 has a total score of 2
User 1 has a total score of 5
=> [#<User id: 2, email: nil, password_digest: nil, created_at: "2018-09-03 06:04:57", updated_at: "2018-09-03 06:04:57">, #<User id: 1, email: nil, password_digest: nil, created_at: "2018-09-03 06:01:45", updated_at: "2018-09-03 06:01:45">]

正如您从示例中看到的那样,ActiveRecord 实际上会神奇地为您获取的任何其他列创建访问器。

您可以使用该列通过应用进行排序.order

@users = User.joins(:predictions)
    .where("fixture_date <= ?", Date.today)
    .select('users.*, SUM(predications.score) AS total_score')
    .group('users.id')
    .order('total_score DESC')

总共你会得到类似的东西:

class User < ActiveRecord::Base
  has_many :predictions

  def self.ordered_by_score
    self.joins(:predictions)
        .where("fixture_date <= ?", Date.current)
        .group('users.id')
        .order('total_score DESC')
  end
end
于 2018-09-03T06:19:18.833 回答