一、使用场景
应用单表继承的前提条件是不同模型的字段和行为希望被共用。
比如三个模型有price、color字段,但其中有一个模型还有个width字段,这时候可以用单表继承,存储这三个字段,另外两个没有width属性的模型,只需要将属性设置
二、使用方法
1.首先,生成基模型 Vehicle
$ rails generate model vehicle type:string color:string price:decimal{10.2} size:integer
#生成车辆模型
“type”字段的作用是:既然所有模型都保存在这一个数据库表中,Rails 会把保存的模型名存储在这个type列中。对这个例子来说,“type”字段的值可能是“Car”、“Motorcycle”或“Bicycle”。
如果表中没有“type”字段,单表继承无法工作。
2.然后,生成三个模型,都继承自 Vehicle
为此,可以使用 parent=PARENT 选项。这样,生成的模型继承指定的父模型,而且不生成对应的迁移(因为表已经存在)。
$ rails generate model car --parent=Vehicle #生成汽车模型,并继承车辆模型
$ rails generate model bicycle --parent=Vehicle #生成自行车模型,并继承车辆模型
$ rails generate model motorcycle --parent=Vehicle #生成摩托车模型,并继承车辆模型
上述代码生成的模型代码为:
class Car < Vehicle
end
class Bicycle < Vehicle
end
class Motorcycle < Vehicle
end
这样Vehicle模型中的行为在这些子模型中都可以使用,当然也可以在子模型中重写这些行为
3.操作数据库
创建一辆汽车,相应的记录保存在 vehicles 表中,而且 type 字段的值是“Car”:
Car.create(color: 'Red', price: 10000, size: 100)
对应的 SQL 如下:
INSERT INTO "vehicles" ("type", "color", "price","size") VALUES ('Car', 'Red', 10000,100)
查询汽车记录时只会搜索此类车辆:
Car.all
执行的查询如下:
SELECT "vehicles".* FROM "vehicles" WHERE "vehicles"."type" IN ('Car')
4.在seed档中创建车辆数据
Vehicle.transaction do
Vehicle.create(type: "Car", size: 100, price: "1000",color: "red")
Vehicle.create(type: "Car", size: 200, price: "2000",color: "black") #创建汽车数据
Vehicle.create(type: "Bicycle", size: nil, price: "200",color: "blue") #创建自行车数据
end
Car.transaction do #创建汽车数据
Car.create(size: 120, price: "1500",color: "white")
end
Bicycle.transaction do #创建自行车数据
Bicycle.create(size: 80, price: "500",color: "orange")
end
三、拓展
如果我们想要让用户和车辆模型已经汽车等模型建立关联关系,则可以使用rails提供的关联关系方法。
例如,一个用户可以有多辆车,这些车中包含汽车。
那么就可以建立如下关联关系:
class User < ApplicationRecord
has_many :cars, class_name: "Car", foreign_key: "user_id" #查询用户所有的car
has_many :vehicles, class_name: "Vehicle", foreign_key: "user_id" #查询用户所有的vehicle
end
class Vehicle < ApplicationRecord
belongs_to :user
end
class Car < Vehicle
belongs_to :user
end
这样就可以使用:
User.first.cars #获取第一个用户的所有汽车
User.first.vehicles #获取第一个用户的所有车辆
Car.first.user #获取第一辆汽车的用户
Vehicle.first.user #获取第一个车辆的用户
四、案例来源
1.单表继承--rails指南
网友评论