Use of Spring Boot multi-data source transaction @DSTransactional

Project scenario:

Spring BootIntegrate com.baomidou, introduce dynamic-datasource dependencies, and realize multiple data sources. Here are the transaction issues:

1. Use the same data source in one method;

2. Multiple data sources are used in one method;


solution: 

List dao and service here

1. dao layer

package com.test.mapper;

import com.baomidou.dynamic.datasource.annotation.DS;
import org.apache.ibatis.annotations.Mapper;
import org.apache.ibatis.annotations.Param;
import org.apache.ibatis.annotations.Update;

//数据源1
@DS("db1")
@Mapper
public interface Test1Dao {
	@Update("update test1 set name = #{name} where id = #{id}")
	void updateById(@Param("id")Integer id, @Param("name")String name);
}

 

package com.test.mapper;

import com.baomidou.dynamic.datasource.annotation.DS;
import com.test.datasources.DataSourceNames;
import org.apache.ibatis.annotations.Mapper;
import org.apache.ibatis.annotations.Param;
import org.apache.ibatis.annotations.Update;

//数据源2
@DS(“db2”)
@Mapper
public interface Test2Dao {
	@Update("update test2 set name = #{name} where id = #{id}")
	void updateById(@Param("id")Integer id, @Param("name")String name);
}

2. service layer 

package com.test.service;

import com.baomidou.dynamic.datasource.annotation.DS;
import com.baomidou.dynamic.datasource.annotation.DSTransactional;
import com.test.mapper.Test1Dao;
import com.test.mapper.Test2Dao;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Transactional;

@Service
public class TestService {

    @Autowired
    private Test1Dao test1Dao;
    @Autowired
    private Test2Dao test2Dao;
    /**
     * 同一个数据源中的事务,都是数据源2
     * 这里用的是spring的事务注解Transactional
     * 这里必须加上注解多数据源注解@DS("db2"),否则使用的是默认数据源
     */
    @DS("db2")
    @Transactional
    public void theSame() {
        test2Dao.updateById(2,"第一次修改");
        test2Dao.updateById(2,"第二次修改");
        //这里报错回滚
        int i = 1/0;
    }

    /**
     * 多数据源中的事务,同时使用数据源1、2
     * 如果这里用spring的事务注解Transactional,那么使用的是默认数据源
     * 这里不需要加上注解@DS
     */
    @DSTransactional
    public void notAlike() {
        test1Dao.updateById(1,"第一次修改");
        test2Dao.updateById(2,"第二次修改");
        //这里报错回滚
        int i = 1/0;
    }
}

Spring boot realizes multiple data sources: two ways of Spring Boot integrating Druid to realize multiple data sources - Taoge is a handsome blog - CSDN Blog

Guess you like

Origin blog.csdn.net/u011974797/article/details/130148738