Hibernate的save方法不能进行数据库插入的解决办法

解决方法如下:

1:首先是主键自增问题:

一般我们常用的主键自增主要是一下几种:

increment
主键按数值顺序递增。此方式的实现机制为在当前应用实例中维持一个变量,以保存着当前的最大值,之后每次需要生成主键的时候将此值加1作为主键。这种方式可能产生的问题是:如果当前有多个实例访问同一个数据库,那么由于各个实例各自维护主键状态,不同实例可能生成同样的主键,从而造成主键重复异常。因此,如果同一数据库有多个实例访问,此方式必须避免使用。
identity
采用数据库提供的主键生成机制。如DB2、SQL Server、MySQL中的主键生成机制。
sequence
采用数据库提供的sequence 机制生成主键。如Oralce 中的Sequence。
native
由Hibernate根据底层数据库自行判断采用identity、hilo、sequence其中一种作为主键生成方式。

详细见:http://fengzhiyu-sh.iteye.com/blog/183393即可

主要是要使自己的数据库要与符合对应的主键自增方式!!!一般改为“native”是不会出错的!

2:没有使用事务管理模式,仔细看myEclipse的反向工程生成的dao的save方法:

     public void save(EtpDynamicValue transientInstance) {
      log.debug("saving EtpDynamicValue instance");

      try {

              getSession().save(transientInstance);

              log.debug("save successful");
      } catch (RuntimeException re) {
              log.error("save failed", re);
              throw re;
      }
    }

并不能说这个没有添加事务管理模式,只不过你这么写他有的时候灵有的时侯不灵,那我们改为显示的提交事务(如下)就成了!!!我也觉得很奇怪啊!!!

    public void save(EtpDynamicValue transientInstance) {
      log.debug("saving EtpDynamicValue instance");
     Transaction tran=getSession().beginTransaction();
      try {

              getSession().save(transientInstance);

              log.debug("save successful");
      } catch (RuntimeException re) {
              log.error("save failed", re);
              throw re;
      }
     tran.commit();
      getSession().flush(); 
     getSession().close();

}

hibernate执行save后,数据库中没有数据的原因:

(hibernate 必须显示的声明提交事务)

JDBC默认的是自动提交
Hibernate默认的是手动提交,必须开启事务,手动提交,否则数据库中没有保存的记录:
eg:
Transaction tx = getSession().beginTransaction();
getSession().save(transientInstance);
tx.commit();

注意:如果是使用注解的话,一定要在service层加一个@Trannsactionl注解

反向工程生成的findById()方法有时候会报空指针异常,如下:

public Baseinfo findById(java.lang.String id) {
        log.debug("getting Baseinfo instance with id: " + id);
        try {
            Baseinfo instance = (Baseinfo) getSession().get(
                    "wang.Test.Baseinfo", id);
            return instance;
        } catch (RuntimeException re) {
            log.error("get failed", re);
            throw re;
        }

修改为以下内容可以解决问题:

public Baseinfo findById(java.lang.String id) {
        log.debug("getting Baseinfo instance with id: " + id);
        Session session = getSession(); 
        try {
            Baseinfo instance = (Baseinfo) session.get(
                    "wang.Test.Baseinfo", id);
            return instance;
        } catch (RuntimeException re) {
            log.error("get failed", re);
            throw re;
        }finally{
        session.clear();
        session.close();
        }

你可能感兴趣的:(hibernate)