Hibernate自动创建表

Hibernate支持自动建表,在开发阶段很方便,可以保证hbm与数据库表结构的自动同步。

一、通过Hibernate的ShemaExport来创建

1)实体类

package com.xiaomo.vo;
public class User {
private int id;// 用户id
private String name;// 用户名称
private int age;// 用户年龄
@Override
public String toString() {
return "id:"+this.id+"\tname:"+this.name+"\tage"+this.age;
}
public User() {
}
public User(String name, int age) {
this.name = name;
this.age = age;
}
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
}

2)、User.hbm.xml文件:


"http://hibernate.sourceforge.net/hibernate-mapping-3.0.dtd">










3)、hibernate.cfg.xml文件:


"-//Hibernate/Hibernate Configuration DTD 3.0//EN"
"http://hibernate.sourceforge.net/hibernate-configuration-3.0.dtd">






com.mysql.jdbc.Driver



jdbc:mysql://localhost:3306/lili




root



cd_hisome


 
            org.hibernate.dialect.MySQLDialect  
       
 

update

true




4)、测试类:

package com.xiaomo.test;
import org.hibernate.cfg.Configuration;
import org.hibernate.tool.hbm2ddl.SchemaExport;
public class CreateTable {
public static void main(String[] args) {
//读取配置文件hibernate.cfg.xml
Configuration cfg = new Configuration().configure();
//创建SchemeExport实例
SchemaExport sExport = new SchemaExport(cfg);
//创建数据库表
sExport.create(true, true);
}
}

结果:

drop table if exists user
create table user (id integer not null auto_increment, name varchar(255), age integer, primary key (id))

这个时候查看数据库,可以看到表已经自动创建完毕。

二、在hibernate.cfg.xml里加上如下代码(这个方式网络上记载来的)

Xml代码update  

1、update:表示自动根据model对象来更新表结构,启动hibernate时会自动检查数据库,如果缺少表,则自动建表;如果表里缺少列,则自动添加列。

还有其他的参数: 
2、create:启动hibernate时,自动删除原来的表,新建所有的表,所以每次启动后的以前数据都会丢失。

3、create-drop:启动hibernate时,自动创建表,程序关闭时,自动把相应的表都删除。所以程序结束时,表和数据也不会再存在。

注意:数据库要预先建立好,因为hibernate只会建表,不会建库


表结构和数据总是在程序执行的时候无端的修改,折腾了好长时间,查了很长时间hibernate的数据库映射文件和接口程序,始终没有发现有什么错误,到最后才发现了它!
          
解释如下:

hibernate.hbm2ddl.auto Automatically validate or export schema DDL to the database when the SessionFactory is created. With create-drop, the database schema will be dropped when the SessionFactory is closed explicitly. eg. validate | update | create | create-drop

其实这个参数的作用主要用于:自动创建|更新|验证数据库表结构。
如果没有此方面的需求建议set value="none".

其它几个参数的意思:

validate               加载hibernate时,验证创建数据库表结构
create                  每次加载hibernate,重新创建数据库表结构
create-drop        加载hibernate时创建,退出是删除表结构
update                 加载hibernate自动更新数据库结构

如果发现数据库表丢失或新增,请检查hibernate.hbm2ddl.auto的配置 可设置

建议在开发环境下使用,在生产环境下去掉。


hibernate自动创建表的优缺点:

一、优点:

1、自动创建新表

2、自动创建新字段

3、自动修改字段类型

二、缺点:

1、不会自动删除表

2、不会自动删除字段

3、自动创建的新字段只能是在最后。

 

针对缺点的建议:定期把数据库清空(删除所有表),然后启动项目,让hibernate自动创建表结构和索引,当然一些初始化数据需要手工导入。


出处:http://blog.csdn.net/cl05300629/article/details/16884739 作者:伫望碧落

你可能感兴趣的:(Hibernate)