0

我有两个模型:项目和待办事项。在项目索引中,我想显示项目的概述,包括项目名称和项目中状态为“do”、“doing”或“done”的待办事项的数量。(例如:做:12 | 做:2 | 做:25)。在我的项目控制器中,我可以检索所有项目,但我还需要找出每个项目涉及多少具有每种状态的待办事项。我通过在项目索引视图中定义额外的数据库查询来解决这个问题:

Todo.where("project_id = ?", project.id).where("status = ?", "done").count)

这似乎不是解决此问题的正确(MVC)方法。有什么更好的方法?如何对结果集合的子集执行附加查询。

我试图在下面包含所有相关代码:

class Project < ActiveRecord::Base
has_many :todos,  dependent: :destroy
end


class Todo < ActiveRecord::Base
acts_as_list
belongs_to :project
end

模型的架构是:

create_table "projects", force: true do |t|
   t.string   "name"
   t.datetime "created_at"
   t.datetime "updated_at"
 end

 create_table "todos", force: true do |t|
   t.string   "name"
   t.string   "description"
   t.string   "status"
   t.datetime "created_at"
   t.datetime "updated_at"
   t.integer  "position"
   t.integer  "project_id"
  end

项目控制器:

class ProjectsController < ApplicationController
  before_action :set_project, only: [:show, :edit, :update, :destroy]

  def index
   @projects = Project.all

  end
4

3 回答 3

1

我宁愿为计数器使用额外的列。

create_table "projects", force: true do |t|
   t.string   "name"
   t.datetime "created_at"
   t.datetime "updated_at"
   t.integer "doing_counter"
   t.integer "done_counter"
 end

之后我会在 Todo 模型上使用回调、after_save 和 after_destroy

class Todo < ActiveRecord::Base
  acts_as_list
  belongs_to :project
  after_save :update_counters
  after_destroy :update_counters
  def update_counters
       self.project.update_attribute(:doing_counter, self.project.todos.where('status=?', 'doing').count)
       self.project.update_attribute(:done_counter, self.project.todos.where('status=?', 'done').count)
  end
end

== 性能调整

class Todo < ActiveRecord::Base
  acts_as_list
  belongs_to :project
  after_create :update_counters
  after_update :update_counters_if_changed
  after_destroy :update_counters

  def update_counters_if_changed
       update_counters if status_changed?
  end

  def update_counters
       self.project.update_attribute(:doing_counter, self.project.todos.where('status=?', 'doing').count)
       self.project.update_attribute(:done_counter, self.project.todos.where('status=?', 'done').count)
  end
end
于 2013-11-12T09:18:37.993 回答
1

更清洁的方法是制作一个范围

class Todo < ActiveRecord::Base
acts_as_list
belongs_to :project
scope :do, -> { where(status: 'do') }
scope :doing, -> { where(status: 'doing') }
scope :done, -> { where(status: 'done') }
end

并从项目

project.todos.do.count
project.todos.doing.count...
于 2013-11-12T09:23:37.747 回答
0

你可以在你的project模型中尝试这样的事情

def todo_count(type)
  #get todos of a given status
  todo = self.todos.where("status = ?", type.to_s)
  #count them
  todo.count
end

并像这样在您的视图中调用它:

<%= @project.todo_count(do) %> #to get the count of `do` items
于 2013-11-12T09:17:06.910 回答