0

如果他/她出售了该商品,我正在尝试为用户实现一个“已售出”按钮。我在尝试实现这一点时想到的是在我的产品表中添加一个新列。如果它被出售,我将需要更新数据的属性。如果参考此链接,http://apidock.com/rails/ActiveRecord/Base/update_attributes

这是我应该做的事情吗?我对吗?

型号/产品

class Product < ActiveRecord::Base
  attr_accessible :sold
end

产品控制器

def sold
  @product = Product.find(params[:product_id])
  @product.sold = 'true'
  save
  redirect_to product_path
end

意见/产品/节目

 <button type="button" class="btn btn-default"><%= link_to 'Sold', idontknowwhatotputhere %></button>

这也与我不确定的事情有关。我应该在 link_to 上放什么?以及我如何告诉我的应用程序与我之前所说的 def sold 相关?

4

2 回答 2

1

好吧,这里有几件事。

  1. 除非您有充分的理由,否则不要在控制器中执行特殊操作。您所做的只是更新产品。所以将路线命名为“更新”。然后在链接中,只需使用已售出的 = true 执行放置请求。保持 RESTful 和常规。

  2. 一旦你这样做了,在你的控制器中你会想要做验证等等。

    def update
      if product && product.update(product_params)
        redirect_to product_path
      else 
        redirect_to edit_product_path
      end
    end
    
    private
    
    def product
      @product ||= Product.find(params[:id])
    end
    
    def product_params
      params.require(:product).permit(:sold)
    end 
    

3.要在您的应用程序中添加链接以更新它将是这样的。

<%= link_to 'Mark as sold', product_path(@product, product: {sold: true} ), method: :put %>
于 2015-04-18T22:20:37.713 回答
0

您首先需要声明路线,在 routes.rb 中是这样的:

resources :products do

  get :sold, on: :member

end

那么该路由应该生成一个路径助手,如“sold_product”,你可以像这样使用它:

 <button type="button" class="btn btn-default"><%= link_to 'Sold', sold_product(@product.id) %></button>

您可以使用“rake routes”检查助手

关于更新属性,您可以使用:

 @product.update_attribute(:sold, true)
于 2015-04-18T22:19:04.863 回答