在上一節《hibernate單表繼承映射》中,我們講了在繼承結構中,我們把子類和父類放在同一張表中的寫法,那種寫法在實際開發中,也很多的不便,是以這節我們使用每個子類單獨一張表的寫法。
類的繼承關系和上一節一樣,如圖:
建立一個java項目,項目結構如圖:
jar和hibernate官網擷取方法,請參見《Hibernate環境搭建和配置》
Person、Teacher、Student以及HibernateUtil和hibernate.cfg.xml代碼,都參考上一節《hibernate單表繼承映射》
不同的地方是Person.hbm.xml代碼:
<?xml version="1.0"?>
<!DOCTYPE hibernate-mapping PUBLIC
"-//Hibernate/Hibernate Mapping DTD 3.0//EN"
"http://www.hibernate.org/dtd/hibernate-mapping-3.0.dtd">
<hibernate-mapping package="com.robert.pojo">
<!-- abstract="true":指明Person類是抽象的,不生成對應的person資料庫表 -->
<class name="Person" abstract="true">
<id name="id" column="id">
<!-- assigned:自己指定主鍵 -->
<generator class="assigned"></generator>
</id>
<property name="name" />
<property name="age" />
<union-subclass name="Student" >
<property name="work"></property>
</union-subclass>
<union-subclass name="Teacher" >
<property name="salary"></property>
</union-subclass>
</class>
</hibernate-mapping>
當然同樣是先生成資料庫表,代碼:
/**
* 根據*.hbm.xml檔案對應的生成資料庫表
*/
@Test
public void testCreateDB() {
Configuration cfg = new Configuration().configure();
SchemaExport se = new SchemaExport(cfg);
// 第一個參數:是否生成ddl腳本
// 第二個參數:是否執行到資料庫中
se.create(true, true);
}
運作後看到console的sql語句
drop table if exists Student
drop table if exists Teacher
create table Student (
id integer not null,
name varchar(255),
age integer,
work varchar(255),
primary key (id)
)
create table Teacher (
id integer not null,
name varchar(255),
age integer,
salary integer,
primary key (id)
)
資料庫中生成的表如圖:
隻生成了兩張表,沒有生成person表,這是因為我們在Person.hbm.xml中指定了 abstract="true",
測試代碼:
@Test
public void testSave() throws HibernateException, SerialException,
SQLException, IOException {
Session session = null;
Transaction tx = null;
try {
session = HibernateUtil.getSession();
tx = session.beginTransaction();
Teacher t1 = new Teacher() ;
t1.setId(1) ;
t1.setAge(32) ;
t1.setName("張老師") ;
t1.setSalary(5000) ;
Student stu1 = new Student() ;
stu1.setId(2) ;
stu1.setAge(22) ;
stu1.setName("王同學") ;
stu1.setWork("家庭作業1") ;
Student stu2 = new Student() ;
stu2.setId(3) ;
stu2.setAge(24) ;
stu2.setName("劉同學") ;
stu2.setWork("housework") ;
session.save(t1) ;
session.save(stu1) ;
session.save(stu2) ;
tx.commit();
} catch (HibernateException e) {
if (tx != null) {
tx.rollback();
}
e.printStackTrace();
throw e;
} finally {
HibernateUtil.closeSession();
}
}
運作儲存代碼,看到sql語句如:
Hibernate:
insert
into
Teacher
(name, age, salary, id)
values
(?, ?, ?, ?)
Hibernate:
insert
into
Student
(name, age, work, id)
values
(?, ?, ?, ?)
Hibernate:
insert
into
Student
(name, age, work, id)
values
(?, ?, ?, ?)
看到資料庫表中的資料如圖:
總結:
1、在每個具體類一張表的繼承映射中,主鍵的生成不能使用identity,建議使用uuid,sequence,assigned等。
2、資料表的結構更加合理。多态查詢效率不高。