其他分享
首页 > 其他分享> > ssm-spring集成mybatis事务

ssm-spring集成mybatis事务

作者:互联网

ssm-spring集成mybatis事务

事务

MyBatis-Spring库的引入,无需创建新的MyBatis事务管理器,就能使MyBatis接入到Spring事。 引入的方式既可以是注解,也可以是aop。

未配置事务实例

首先来看看未配置事务时,执行一组先增加后删除(删除异常)的数据库语句场景。数据库连接配置延用之前的,这里不再介绍。
  1. 编写DAO
  2. public interface StudentMapper {
        void add(Map<Object, Object> student);
        void delete(String name);
    }
    声明了新增和删除两个接口。
  3. mapper配置文件中编写对应sql:
  4. <?xml version="1.0" encoding="UTF-8" ?>
            <!DOCTYPE mapper
            PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
            "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
    <mapper namespace="com.zx.demo.mybatis.spring.mapper.StudentMapper">
        <insert id="add">
            INSERT INTO student (`name`,sex) VALUES (#{name},#{sex});
        </insert>
        <delete id="delete">
            DELETE FROM student WHERE `name` = #{name};
        </delete>
    </mapper>
  5. 分别编写测试方法测试正确的增加和删除:
  6. 增加:
        @Test
        public void testTransaction() throws Exception {
            ApplicationContext context = new ClassPathXmlApplicationContext("spring-context.xml");
            StudentMapper mapper = (StudentMapper) context.getBean("exampleMapper");
            Map<Object, Object> student = new HashMap<>();
            student.put("name", "曹操");
            student.put("sex", "男");
            mapper.add(student);
        }
    
    运行后确定数据库中有写入一条新的数据:
    增加后的结果
    删除:
        @Test
        public void testTransaction() throws Exception {
            ApplicationContext context = new ClassPathXmlApplicationContext("spring-context.xml");
            StudentMapper mapper = (StudentMapper) context.getBean("exampleMapper");
            mapper.delete("曹操");
        }
    
    运行后正确的将刚才新增的“曹操”记录删除:
    增加后的结果
  7. 模拟异常事务
  8. 现在模拟场景:新增后立即删除。如果新增成功但是删除失败,此时我们的需求期望时整个过程需要回滚。现在先将删除sql故意写错来模拟,看看异常现象:
    <delete id="delete">
        DELETE FROM student WHERE `name` = #{name}s;
    </delete>
    @Test
    public void testTransaction() throws Exception {
        ApplicationContext context = new ClassPathXmlApplicationContext("spring-context.xml");
        StudentMapper mapper = (StudentMapper) context.getBean("exampleMapper");
        Map<Object, Object> student = new HashMap<>();
        student.put("name", "曹操");
        student.put("sex", "男");
        mapper.add(student);
        mapper.delete("曹操");
    }
    
    运行时发现,新增成功但是删除时抛出了语法错误的异常:
    增加后的结果
    我们看看数据库结果:
    增加后的结果
    虽然整个过程的第二步删除失败了,但数据还是写入到了数据库,这显然与需求不符,下面我们来看看Mybatis-Spring是如何管理事务的。

Mybatis-Spring事务

基于上面的需求,我们现在来看看通过事务,将写入和删除一致性实现。按照官方的事务配置说明,这里介绍注解式事务实现。

标签:mapper,student,spring,StudentMapper,ssm,context,mybatis,name
来源: https://www.cnblogs.com/zhoux123/p/15573402.html