0

我正在尝试使用 ActiveRecord 范围创建记录过滤系统,但我被困在你有两个相同模型的过滤器的地方。我正在尝试使用brand_id: 1和过滤产品brand_id:2

Product的定义范围的模型brand如下所示:

class Product < ActiveRecord::Base
  belongs_to :brand

  scope :brand, lambda{|brand| where('brand_id = ?', brand )}
end

我正在尝试过滤我categories/show视图中的产品,CategoriesController看起来像这样:

class CategoriesController < ApplicationController
  has_scope :brand

  def show
    @category = Category.find(params[:id])
    @products_by_category = apply_scopes(Product).where(category_id: @category).load
    @brands = @category.brands
  end
end

categories/show视图如下所示:

<% @products_by_category.each do |product| %>
  <h2><%= product.name %></h2>
<% end %>

我正在使用此表单进行过滤:

<%= form_tag @category_path, method: get do %>
  <% @brands.each do |brand| %>
    <span class="filter_name"><%= brand.name%>:</span>
    <span> <%= check_box_tag :brand, brand.id, false,
                                     class: 'filter_check_box' %> </span>

   <% end %>
  <%=submit_tag 'filter'%>
<% end %>

问题是当我在复选框中选择多个品牌时,它仅使用第一个参数过滤产品;

例如,如果我使用 and 过滤品牌:id 1:id 2提交表单,则请求 url 看起来像这样:http://localhost:3000/categories/1?&brand=1&brand=4 并且查询的数组仅使用过滤brand=1。我希望结果被两个参数过滤。生成的 url 是否正确或应该是: http://localhost:3000/categories/1?&brand=1,4

4

1 回答 1

0

您提交的所有过滤器输入都具有相同的参数键,brand。因此,参数散列只能具有该键的一个值。

您想使用 check_box_tag 代替'brand_ids[]'

<%= check_box_tag 'brand_ids[]', brand.id, false, class: 'filter_check_box' %>

最后,这很重要,您不能通过 GET 操作将数组发送到参数。您将需要使用 POST。正如下面的第二个链接所指出的,这是 HTTP 的限制,而不是 Rails。

也可以看看:

在旁边

为了便于代码的可读性和维护,我谦虚地建议您引用名称更一致的变量。如果您使用的是品牌 ID,如在该产品范围内,请将其称为品牌 ID,而不是品牌。

于 2013-08-21T17:24:43.107 回答