注意:
1) 务必注意整合二者以及MyBatis-Spring的版本问题,很多时候完成后却无法运行往往就是由于版本不兼容导致!
2) 由于使用注释配置更加简便,所以本人项目采用注释配置事务和注入bean。
3) 本文仅提供整合部分配置参考,具体Spring和MyBatis使用请参考其他博文。
在原生MyBatis中,操控数据库的任务最终落到sqlSession或者对应Mapper接口上。而这两种方式归根结底都需要获得SqlSessionFactory。因此在使用Spring整合MyBatis时,关键也在于获取SqlsessionFactory。
并且 Spring 中以你通常的做法来配置事务。@Transactional 注解和AOP样式的配置都是支持的。在事务处理期间,一个单独的 SqlSession 对象将会被创建和使用。当事务完成时,这个 session 会以合适的方式提交或回滚。因此你只需要关注你的业务代码而无需关注事务的提交,回滚等细节。
Spring配置:
package com.paditang.dao;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Repository;
import com.paditang.domain.User;
import com.paditang.mapping.UserMapper;
@Repository
public class UserDao {
@Autowired
private UserMapper userMapper;
public User getUserById(int id){
return userMapper.getUser(id);
}
public String getLocationByUserName(String name){
return userMapper.getLocationByUserName(name);
}
}
public class UserMapperSqlSessionImpl implements UserMapper {
// SqlSessionFactory would normally be set by SqlSessionDaoSupport
private SqlSessionFactory sqlSessionFactory;
public void setSqlSessionFactory(SqlSessionFactory sqlSessionFactory) {
this.sqlSessionFactory = sqlSessionFactory;
}
public User getUser(String userId) {
// note standard MyBatis API usage - opening and closing the session manually
SqlSession session = sqlSessionFactory.openSession();
try {
return (User) session.selectOne("org.mybatis.spring.sample.mapper.UserMapper.getUser", userId);
} finally {
session.close();
}
}
}
Note:
小心使用此选项,因为错误的使用会产生运行时错误,或者更糟糕的数据一致性的问题。这些是告诫:
1) 它不会参与到 Spring 的事务之中。
2) 如果 SqlSession 使用DataSource,它也会被 Spring 事务管理器使用,而且当前有事务在进行时,这段代码会抛出异常。
3 )MyBatis 的 DefaultSqlSession 是线程不安全的。如果在bean 中注入了它,就会发生错误。
4) 使用 DefaultSqlSession 创建的映射器也不是线程安全的。如果你将它们注入到 bean 中,是会发生错误的。
5) 你必须保证在 finally 块中来关闭 SqlSession。
个人源码:https://github.com/caiwuxin/MyBatisLearning/tree/master/Spring-MyBatis
参考资料:http://www.mybatis.org/spring/zh/index.html