Rails调查样式应用程序 - 显示选项

时间:2016-03-03 12:09:59

标签: mysql ruby-on-rails ruby voting vote

我是一个新人,他可以在轨道上使用ruby并开始我的第一次深入应用。它有四个表:问题选项答案用户。有一个问题列表,用户可以投票选择一个独特的选项(存储在Answers连接表中),我试图了解表格关联。

This is an example of how I'm using the database, minus the Survey and Survey Question

这就是我设置单个RB文件的方式:

class Question < ActiveRecord::Base
     has_many :options
     has_many :answers, :through => :options
end

class Option < ActiveRecord::Base
    belongs_to :question
    has_many :answers
end

class Answer < ActiveRecord::Base
    belongs_to :user
    belongs_to :question
    belongs_to :option
end

class User < ActiveRecord::Base
    has_many :answers
    has_many :questions, :through => :answers 
end

我的问题控制器设置如下,包括选项表:

@questions = Question.includes(:options).all

和index.html.erb文件中的表格主体:

<tbody>
   <% @questions.each do |question| %>
      <tr class="<%= cycle('lineOdd', 'lineEven') %>">
         <td><%= question.question_text %></td>
         <td><%= link_to 'Show', question %></td>
         <td><%= link_to 'Edit', edit_question_path(question) %></td>
         <td><%= link_to 'Destroy', question, method: :delete, data: { confirm: 'Are you sure?' } %></td>
      </tr>
      <% question.options.each do |option_text| %>
         <tr class="backgroundColor1">
            <td class="optionCell"> <%= option_text.option_text %> </td>
         </tr>
      <% end %>
   <% end %>
</tbody>

在问题课程中,我使用过&has -many:answers,:through =&gt; :选项&#39; - 这是正确的解决方法吗?如何在相关选项下方的表格行中输出总票数。

我是否需要添加或更改问题控制器代码?

这是我的第一篇文章,对不起,如果我的信息不够充分!

由于

1 个答案:

答案 0 :(得分:1)

让我们首先修复关系:

class Question < ActiveRecord::Base
  has_many :options
  has_many :answers
  has_many :users, through: :answers
end

has_many :answers, :through => :options在技术上没有任何问题,但由于answers.question_id之间存在直接关系,因此我们不需要通过options表来查找关系。

显示计数

如果我们只是这样做:

<td class="optionCell"><%= option.answers.count %></td>

这将创建一个讨厌的n+1查询来获取每个选项的答案计数。所以我们想做的是create a counter cache,它在选项表上存储了一个标记。

让我们首先创建一个迁移来添加列:

rails g migration AddAnswerCounterCacheToOptions answers_count:integer
rake db:migrate

然后我们告诉ActiveRecord在创建关联记录时更新计数,这看起来有点奇怪,因为counter_cache: true声明位于belongs_to侧,而列位于另一侧但这就是如何AR工作。

class Option < ActiveRecord::Base
  belongs_to :question
  has_many :answers
end

class Answer < ActiveRecord::Base
  belongs_to :user
  belongs_to :question
  belongs_to :option, counter_cache: true
end

这里有一点障碍。由于我们可能已经有记录,我们需要确保他们有正确的计数器。您可以从控制台执行此操作,但从长远来看,create a rake task是个好主意。

Option.find_each { |option| Option.reset_counters(option.id, :answers) }

这可能需要一些时间,因为它需要拉动每个选项并更新计数。

现在我们可以像这样显示计数:

<% question.options.each do |option| %>
  <tr class="backgroundColor1">
    <td class="optionCell"><%= option.option_text %></td>
    <td class="optionCell"><%= option.answers.size %></td>
  </tr>
<% end %>

.size足够聪明,可以使用我们的计数器缓存列,但会回溯到查询计数,这对于测试来说是一件好事。