Rails:嵌套资源的路由助手

时间:2015-04-22 15:57:41

标签: ruby-on-rails ruby ruby-on-rails-4

我有如下嵌套资源:

resources :categories do
  resources :products
end

根据Rails Guides

  

您还可以将url_for与一组对象一起使用,Rails将自动确定您想要的路线:

<%= link_to 'Ad details', url_for([@magazine, @ad]) %>
     

在这种情况下,Rails会看到@magazine是一个杂志而@ad是一个广告,因此将使用magazine_ad_path助手。在像link_to这样的帮助器中,您只需指定对象来代替完整的url_for调用:

<%= link_to 'Ad details', [@magazine, @ad] %>
     

对于其他操作,您只需要将操作名称作为数组的第一个元素插入:

<%= link_to 'Edit Ad', [:edit, @magazine, @ad] %>

就我而言,我有以下代码,它们功能齐全:

<% @products.each do |product| %>
  <tr>
    <td><%= product.name %></td>
    <td><%= link_to 'Show', category_product_path(product, category_id: product.category_id) %></td>
    <td><%= link_to 'Edit', edit_category_product_path(product, category_id: product.category_id) %></td>
    <td><%= link_to 'Destroy', category_product_path(product, category_id: product.category_id), method: :delete, data: { confirm: 'Are you sure?' } %></td>
  </tr>
<% end %> 

显然它有点过于冗长,我想用rails guide中提到的技巧来缩短它。

但如果我按如下方式更改显示编辑链接:

<% @products.each do |product| %>
  <tr>
    <td><%= product.name %></td>
    <td><%= link_to 'Show', [product, product.category_id] %></td>
    <td><%= link_to 'Edit', [:edit, product, product.category_id] %></td>
    <td><%= link_to 'Destroy', category_product_path(product, category_id: product.category_id), method: :delete, data: { confirm: 'Are you sure?' } %></td>
  </tr>
<% end %>

它们都不再起作用,页面抱怨同样的事情:

NoMethodError in Products#index
Showing /root/Projects/foo/app/views/products/index.html.erb where line #16 raised:

undefined method `persisted?' for 3:Fixnum

我错过了什么?

1 个答案:

答案 0 :(得分:5)

Rails的自动化方式&​​#39;知道使用哪条路径是通过检查为其类传递的对象,然后查找名称匹配的控制器。因此,您需要确保传递给link_to助手的内容是实际的模型对象,而不是像category_id这样的fixnum,因此没有关联的控制器。

<% @products.each do |product| %>
  <tr>
    <td><%= product.name %></td>
    <td><%= link_to 'Show', [product.category, product] %></td>
    <td><%= link_to 'Edit', [:edit, product.category, product] %></td>
    <td><%= link_to 'Destroy', [product.category, product], method: :delete, data: { confirm: 'Are you sure?' } %></td>
  </tr>
<% end %>