我正在建立一个没有用户系统的简单在线商店 - 只是一个购物车后的会话。目前,我可以选择一个产品(可以被认为是一个产品类别),并在该产品页面中选择一个属于它的 ProductVariant (product_variant_id)。
问题是当我添加不同的 product_variants 时,只有保存到数据库的第一个被添加到购物车中。我可以在下拉列表中选择 product_variants,但同样只有第一个添加到我记录中的数据库的产品会作为 order_item 添加到购物车中。
我的相关模型:
Product
has_many :product_variants, dependent: :destroy
has_many :order_items, :through => :product_variants
ProductVariant
belongs_to :product
has_many :order_items, dependent: :destroy
OrderItem
belongs_to :order, optional: true
belongs_to :cart, optional: true
belongs_to :product_variant
belongs_to :product
Cart
has_many :order_items
这是我在 show.html.erb 中的产品展示页面,可以选择 product_variant
<%= link_to products_path do %>
<h4>Back to store gallery</h4>
<% end %>
<section class="flexbox">
<div class="flex">
<%= image_tag @product.image_1.show.url %>
</div>
<div class="flex">
<h2><%= @product.title %></h2>
<div class="product-description">
<h5>Description:</h5>
<p><%= @product.description %></p>
</div>
</div>
</section>
<%= simple_form_for [@product, @product_variant, @order_item] do |f| %>
<%= f.input :quantity %>
<%= f.button :submit, "Add to cart" %>
<% end %>
Product selection: <br>
<select name="product[product_variant_id]">
<% @product.product_variants.each do |product_variant| %>
<option value="<%= product_variant.id %>"><%= product_variant.item %>/<%= product_variant.size %>/<%= product_variant.color %>/<%= number_to_currency product_variant.price_in_dollars %></option>
<% end %>
</select>
最后,这是我的 order_items 控制器
class OrderItemsController < ApplicationController
def create
@product = Product.friendly.find(params[:product_id])
# find the product_variant
@product_variant = ProductVariant.find(params[:product_variant_id])
# quantity? - comes from the form data
@quantity = form_params[:quantity]
@current_cart.order_items.create(product: @product, product_variant: @product_variant, quantity: @quantity)
flash[:success] = "Thanks for adding to your cart"
redirect_to product_path(@product)
end
def update
@product = Product.friendly.find(params[:product_id])
@product_variant = ProductVariant.find(params[:product_variant_id])
@order_item = OrderItem.find(params[:id])
@order_item.update(form_params)
flash[:success] = "Thanks for updating your cart"
redirect_to cart_path
end
def destroy
@product = Product.friendly.find(params[:product_id])
@product_variant = ProductVariant.find(params[:product_variant_id])
@order_item = OrderItem.find(params[:id])
@order_item.delete
flash[:success] = "Product removed from cart"
redirect_to cart_path
end
def form_params
params.require(:order_item).permit(:quantity)
end
end
感谢您深入了解这里可能出现的问题,如果您需要我提供更多相关代码,请不要犹豫,我们很乐意。
亚伦