0

我有两个链接(如果需要,可以是按钮)表示接受和拒绝,我需要通过单击其中一个链接将真或假参数发送到我的控制器操作。我不希望我的参数在 url 中可见,所以我需要使用 put 方法。我已经尝试使用带有定义方法的 link_to:

<%= link_to 'accept', { action: 'accept_offer', accept: true }, method: :put %>
<%= link_to 'decline', { action: 'accept_offer', accept: false }, method: :put %>

但我的参数仍然可见。

我试过使用 button_to 但我的参数没有传递。确定选择了哪个选项(接受或拒绝)而不在 url 中显示参数的最佳方法是什么?

我的路线是这样定义的:

put 'offers', to: 'offers#accept_offer'
4

2 回答 2

0

从常规路线开始:

resources :offers

然后让我们使用 button_to 创建一个离散形式:

<%= button_to 'accept', @offer, method: :patch, params: { "offer[accept]" =>  true } %>
<%= button_to 'decline', @offer, method: :patch, params: { "offer[accept]" => false } %>

params选项在表单内创建隐藏输入。

然后确保将正确的属性列入白名单:

class OffersController < ApplicationController
  def update
    @offer = Offer.find(params[:id])

    if @offer.update(offer_params)
      redirect_to @offer, success: 'Offer updated'
    else
      render :new
    end
  end

  def offer_params
     params.require(:offer).permit(:accept, :foo, :bar)
  end
end

如果您需要从常规更新中获得单独的逻辑,则创建两个额外的动词:

resources :offers do
  member do
    patch :accept
    patch :decline
  end
end

<%= button_to 'accept', accept_offer_path(@offer), method: :patch %>
<%= button_to 'decline', decline_offer_path(@offer), method: :patch %>

这使您的 API 保持安静且具有描述性。

于 2017-02-15T22:03:25.620 回答
0

我会建议制作一个表单而不是 link_to 并在名称中传递参数。使用表单并发布信息。这可能需要在源页面中添加额外的代码,但不需要在目标页面中进行逻辑更改。

<% form_for @offer, :url => {:action => 'accept_offer'} do |f|%>
  <%= submit_tag "", :value => "Accept", :name => "accept" %>
  <%= submit_tag "", :value => "Decline", :name => "decline"  %>
<% end %>

在您的操作中,您将根据您单击的链接获得 params[:accept] 或 params[:decline]。

编辑为在提交标签上包含逗号和空格以及关键字参数。]

于 2017-02-16T06:18:46.803 回答