我正在尝试为用户创建购物车。它基于Web Crunch的镶边应用,关联为:
duration : {
hours: number,
minutes: number,
seconds: number
};
在模型购物车中,我创建了add_item方法:
{{ duration.hours | number:'2.0-0'}}/{{ duration.minutes | number:'2.0-0'}}/{{ duration.seconds | number:'2.0-0'}}
对于line_items控制器,它是由“ rails g scaffold”命令生成的
在line_items_controller.rb中:
cart has many line items
item has many line items
line item belongs to item
line item belongs to cart
对于current_cart模块:
def add_item(item)
current_item = line_items.find_by(item_id: item.id)
if current_item
current_item.increment(:quantity)
else
current_item = line_items.build(item_id: item.id)
end
current_item
end
在Item / show.html.erb中,我创建一个按钮以将当前项目添加到购物车:
before_action :set_line_item, only: [:show, :edit, :update, :destroy]
before_action :set_cart, only: [:create]
def index
@line_items = LineItem.all
end
def show
end
def new
@line_item = LineItem.new
end
def create
item = Item.find(params[:item_id])
@line_item = @cart.add_item(item)
respond_to do |format|
if @line_item.save
format.html { redirect_to @line_item.cart, notice: 'Item added' }
format.json { render :show, status: :created, location: @line_item }
else
format.html { render :new }
format.json { render json: @line_item.errors, status: :unprocessable_entity }
end
end
end
private
def set_line_item
@line_item = LineItem.find(params[:id])
end
def line_item_params
params.require(:line_item).permit(:item_id)
end
在routes.rb中:
def set_cart
@cart = Cart.find(session[:cart_id])
rescue ActiveRecord::RecordNotFound
@cart = Cart.create
session[:cart_id] = @cart.id
end
因此,每当我单击“添加到购物车”按钮时,都会出现错误。 我正在寻找解决此问题的解决方案。
答案 0 :(得分:2)
line_item_path(item_id: @item)
正在生成URL /line_items/1
,该URL实际上正在尝试对以下路由执行POST:
line_item_path GET /line_items/1 line_items#show
将按钮更改为以下内容即可解决问题:
<%= button_to "Add to cart", line_items_path(item_id: @item) %>
这将在参数中以line_items_path
发布到item_id
(创建)。