在实际开发的时候会遇到多级分类的需求.如:商品分类.3c分类下可以包含手机、数码、mp3等二级分类,衣服分类下可以包含男装、女装、童装等二级分类,女装下可以包含上衣、裙子、春装等三级分类.为了实现这种效果,可以分类表中添加一个上下级关联id.
rails中可以同建立自联结实现这种效果.使用上次创建的Type模型做一个demo.
# app/models/type.rb
class Type < ApplicationRecord
has_many :books
has_many :sub_types, class_name: 'Type',
foreign_key: 'parent_id'
belongs_to :parent, class_name: 'Type',
optional: true # 不需要验证关联的对象是否存在,顶级分类不需要上一级
end
# db/migrate/xxx_add_reference_to_type.rb
# 添加引用,在表types中生成新的字段parent_id
class AddReferenceToType < ActiveRecord::Migration[5.1]
def change
add_reference :types, :parent, index: true
end
end
通过新建一个模型做一个简单的测试
t = Type.create(name: '文学')
# 插入自分类
t.sub_types.create([
{name: '青春文学'},
{name: '网络文学'},
{name: '散文'},
{name: '诗歌'}
])
t.sub_types # 获取所有的子类
Type.last.parent # 获取最后一条记录诗歌的上一级分类
网友评论