我有类别/子类别/产品的嵌套路由,我的控制器和视图文件也相应地设置,但现在我有一些没有子类别的产品。 如果可能,我怎样才能让某些产品属于某个分类,而其他商品属于子分类? 我看过许多其他关于此的帖子,但似乎没有一篇能准确地解决我想做的事情。
当前嵌套路由
resources :categories do
resources :subcategories do
resources :products
end
end
其他需要的嵌套路由
resources :categories do
resources :products
end
我当前的产品控制器 创建方法
def create
@category = Category.friendly.find(params[:category_id])
@subcategory = Subcategory.friendly.find(params[:subcategory_id])
@product = Product.new(product_params)
respond_to do |format|
if @product.save
format.html { redirect_to category_subcategory_product_path(@category, @subcategory, @product), notice: 'Product was successfully created.' }
format.json { render :show, status: :created, location: category_subcategory_product_path(@category, @subcategory, @product) }
else
...
end
end
end
模型
class Category < ApplicationRecord
has_many :subcategories
has_many :products, through: :subcategories
end
class Subcategory < ApplicationRecord
has_many :products
belongs_to :category
end
class Product < ApplicationRecord
belongs_to :subcategory
end
我在这里要做的是删除子类别模型,让类别属于自己。这将允许您创建类别的嵌套层次结构(如果您愿意,这将允许您获得更精细的层次结构)。
class Category
has_many :categories
belongs_to :category
has_many :products
end
class Product
belongs_to :category
end
任何"顶级"类别的category_id
为nil
,任何子类别都将belong_to
现有的类别。
top_level = Category.create(slug: "top_level", category_id: nil)
subcategory = Category.create(slug: "subcategory_1", category_id: top_level.id)
Product.create(category: top_level)
Product.create(category: subcategory)
在您的路线中,您可以制作如下内容:
get "/:category/products", to: "products#index"
get "/:category/:subcategory/products", to: "products#index"