SpringBoot3整合Mybatis-Plus,自定义动态数据源starter

news2025/10/24 22:19:11

文章目录

  • 前言
  • 正文
    • 一、项目总览
    • 二、核心代码展示
      • 2.1 自定义AbstractRoutingDataSource
      • 2.2 动态数据源DynamicDataSource
      • 2.3 动态数据源自动配置
      • 2.4 动态数据源上下文DynamicDataSourceContextHolder
      • 2.5 动态数据源修改注解定义
      • 2.6 修改切面DynamicDataSourceAspect
      • 2.7 动态数据源工具类
    • 三、start模块&调试
      • 3.1 Mybatis-Plus配置
      • 3.2 application.yml配置
      • 3.3 启动类
      • 3.4 调试
      • 3.5 数据库sql
    • 四、调试结果
      • 4.1 启动项目
      • 4.2 执行请求

前言

本文旨在SpringBoot3整合Mybatis-Plus,实现动态数据源切换。
不使用Mybatis-Plus本身的依赖。自己动手造轮子。

之前有写过一个SpringBoot切换动态数据源的文章:

  • https://blog.csdn.net/FBB360JAVA/article/details/124610140

本次使用了Java17,SpringBoot3.0.2 ,Mybatis-Spring 3版本。并且自定义starter,提供自定义注解,使用切面实现切换数据源。
本文中对应的代码仓库如下:

  • https://gitee.com/fengsoshuai/dynamic-datasource-mp-starter-demo

其中,代码分支master,是多数据源,提供静态切换方法,注解方式切换。
代码分支dev,是动态多数据源,在master的基础上,提供运行时,新增或修改,或删除数据源。

以上,只考虑单机模式(如果是分布式项目,建议使用中间件,如redis等维护数据源信息;或者创建独立项目专门提供数据源必要信息的接口)

正文

一、项目总览

在这里插入图片描述

本次使用聚合maven项目,内部包含两个模块:

  • dynamic-datasource-mp-starter:自定义starter,实现数据源的基本功能,包含切换数据源等。
  • start:启动&测试模块,整合mybatis-plus ,提供代码配置,以及提供测试接口

二、核心代码展示

注意,本节代码展示,只粘贴了dev分支的代码!

2.1 自定义AbstractRoutingDataSource

如果不需要动态新增或修改数据源,则不需要自定义这个类。直接使用spring-jdbc中的该类即可。

package org.feng.datasource.util;

import java.sql.Connection;
import java.sql.SQLException;
import java.util.Collections;
import java.util.HashMap;
import java.util.Map;
import javax.sql.DataSource;

import org.springframework.beans.factory.InitializingBean;
import org.springframework.jdbc.datasource.AbstractDataSource;
import org.springframework.jdbc.datasource.lookup.DataSourceLookup;
import org.springframework.jdbc.datasource.lookup.JndiDataSourceLookup;
import org.springframework.lang.Nullable;
import org.springframework.util.Assert;
import org.springframework.util.CollectionUtils;

public abstract class AbstractRoutingDataSource extends AbstractDataSource implements InitializingBean {
    @Nullable
    private Map<Object, Object> targetDataSources;
    @Nullable
    private Object defaultTargetDataSource;
    private boolean lenientFallback = true;
    private DataSourceLookup dataSourceLookup = new JndiDataSourceLookup();
    @Nullable
    private Map<Object, DataSource> resolvedDataSources;
    @Nullable
    private DataSource resolvedDefaultDataSource;

    public AbstractRoutingDataSource() {
    }

    public void setTargetDataSources(Map<Object, Object> targetDataSources) {
        this.targetDataSources = targetDataSources;
    }

    public void setTargetDataSourcesAndRefresh(String newMerchant, DataSource newDataSource) {
        if (this.targetDataSources == null) {
            throw new IllegalArgumentException("Property 'targetDataSources' is required");
        }

        this.targetDataSources.put(newMerchant, newDataSource);

        if (this.resolvedDataSources == null) {
            this.resolvedDataSources = CollectionUtils.newHashMap(this.targetDataSources.size());
        }

        Object value = this.targetDataSources.get(newMerchant);
        Object lookupKey = this.resolveSpecifiedLookupKey(newMerchant);
        DataSource dataSource = this.resolveSpecifiedDataSource(value);
        this.resolvedDataSources.put(lookupKey, dataSource);
    }

    public void removeDataSourcesByMerchant(String newMerchant) {
        if (this.targetDataSources == null) {
            throw new IllegalArgumentException("Property 'targetDataSources' is required");
        }
        this.targetDataSources.remove(newMerchant);
        this.resolvedDataSources.remove(newMerchant);
    }

    public void setDefaultTargetDataSource(Object defaultTargetDataSource) {
        this.defaultTargetDataSource = defaultTargetDataSource;
    }

    public void setLenientFallback(boolean lenientFallback) {
        this.lenientFallback = lenientFallback;
    }

    public void setDataSourceLookup(@Nullable DataSourceLookup dataSourceLookup) {
        this.dataSourceLookup = dataSourceLookup != null ? dataSourceLookup : new JndiDataSourceLookup();
    }

    public void afterPropertiesSet() {
        if (this.targetDataSources == null) {
            throw new IllegalArgumentException("Property 'targetDataSources' is required");
        } else {
            this.resolvedDataSources = CollectionUtils.newHashMap(this.targetDataSources.size());
            this.targetDataSources.forEach((key, value) -> {
                Object lookupKey = this.resolveSpecifiedLookupKey(key);
                DataSource dataSource = this.resolveSpecifiedDataSource(value);
                this.resolvedDataSources.put(lookupKey, dataSource);
            });
            if (this.defaultTargetDataSource != null) {
                this.resolvedDefaultDataSource = this.resolveSpecifiedDataSource(this.defaultTargetDataSource);
            }

        }
    }

    protected Object resolveSpecifiedLookupKey(Object lookupKey) {
        return lookupKey;
    }

    protected DataSource resolveSpecifiedDataSource(Object dataSourceObject) throws IllegalArgumentException {
        if (dataSourceObject instanceof DataSource dataSource) {
            return dataSource;
        } else if (dataSourceObject instanceof String dataSourceName) {
            return this.dataSourceLookup.getDataSource(dataSourceName);
        } else {
            throw new IllegalArgumentException("Illegal data source value - only [javax.sql.DataSource] and String supported: " + dataSourceObject);
        }
    }

    public Map<Object, DataSource> getResolvedDataSources() {
        Assert.state(this.resolvedDataSources != null, "DataSources not resolved yet - call afterPropertiesSet");
        return Collections.unmodifiableMap(this.resolvedDataSources);
    }

    @Nullable
    public DataSource getResolvedDefaultDataSource() {
        return this.resolvedDefaultDataSource;
    }

    public Connection getConnection() throws SQLException {
        return this.determineTargetDataSource().getConnection();
    }

    public Connection getConnection(String username, String password) throws SQLException {
        return this.determineTargetDataSource().getConnection(username, password);
    }

    public <T> T unwrap(Class<T> iface) throws SQLException {
        return iface.isInstance(this) ? (T) this : this.determineTargetDataSource().unwrap(iface);
    }

    public boolean isWrapperFor(Class<?> iface) throws SQLException {
        return iface.isInstance(this) || this.determineTargetDataSource().isWrapperFor(iface);
    }

    protected DataSource determineTargetDataSource() {
        Assert.notNull(this.resolvedDataSources, "DataSource router not initialized");
        Object lookupKey = this.determineCurrentLookupKey();
        DataSource dataSource = this.resolvedDataSources.get(lookupKey);
        if (dataSource == null && (this.lenientFallback || lookupKey == null)) {
            dataSource = this.resolvedDefaultDataSource;
        }

        if (dataSource == null) {
            throw new IllegalStateException("Cannot determine target DataSource for lookup key [" + lookupKey + "]");
        } else {
            return dataSource;
        }
    }

    @Nullable
    protected abstract Object determineCurrentLookupKey();
}

2.2 动态数据源DynamicDataSource

package org.feng.datasource;

import org.feng.datasource.util.AbstractRoutingDataSource;

/**
 * 动态数据源
 *
 * @author feng
 */
public class DynamicDataSource extends AbstractRoutingDataSource {

    @Override
    protected Object determineCurrentLookupKey() {
        return DynamicDataSourceContextHolder.getDataSourceKey();
    }
}

2.3 动态数据源自动配置

package org.feng.datasource.config;

import jakarta.annotation.PostConstruct;
import jakarta.annotation.Resource;
import lombok.Data;
import lombok.extern.slf4j.Slf4j;
import org.feng.datasource.DynamicDataSource;
import org.feng.datasource.constant.DataSourceConstant;
import org.feng.datasource.entity.DataSourceProperties;
import org.feng.datasource.entity.SpringDataSourceProperties;
import org.feng.datasource.util.DataSourceUtil;
import org.springframework.boot.autoconfigure.AutoConfiguration;
import org.springframework.boot.context.properties.ConfigurationPropertiesScan;
import org.springframework.boot.jdbc.DataSourceBuilder;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Primary;

import javax.sql.DataSource;
import java.util.HashMap;
import java.util.Map;

/**
 * 动态数据源自动配置
 *
 * @author feng
 */
@Data
@Slf4j
@AutoConfiguration
@ConfigurationPropertiesScan({"org.feng.datasource.entity"})
public class DynamicDataSourceAutoConfiguration {

    @Resource
    private SpringDataSourceProperties springDataSourceProperties;


    @Primary
    @Bean
    public DataSource dynamicDataSource() {
        Map<Object, Object> dataSourceMap = new HashMap<>(16);

        Map<String, DataSourceProperties> dataSourcePropertiesMap = springDataSourceProperties.getConfigMap();
        dataSourcePropertiesMap.forEach((merchant, properties) -> dataSourceMap.put(merchant, DataSourceUtil.dataSource(properties)));

        // 设置动态数据源
        DynamicDataSource dynamicDataSource = new DynamicDataSource();
        dynamicDataSource.setTargetDataSources(dataSourceMap);

        // 设置默认数据源
        dynamicDataSource.setDefaultTargetDataSource(dataSourceMap.get(DataSourceConstant.MASTER));
        return dynamicDataSource;
    }


    @PostConstruct
    private void init() {
        Map<String, DataSourceProperties> configMap = springDataSourceProperties.getConfigMap();

        configMap.forEach((k, v) -> {
            log.info("merchantKey = {}, config = {}", k, v);
        });
    }
}

2.4 动态数据源上下文DynamicDataSourceContextHolder

package org.feng.datasource;

import lombok.extern.slf4j.Slf4j;
import org.feng.datasource.constant.DataSourceConstant;

import java.util.Optional;

/**
 * 动态数据源上下文保持类
 *
 * @version v1.0
 * @author: fengjinsong
 * @date: 2022年05月05日 15时19分
 */
@Slf4j
public class DynamicDataSourceContextHolder {

    /**
     * 动态数据源的上下文
     */
    private static final ThreadLocal<String> DATASOURCE_CONTEXT_MERCHANT_HOLDER = new InheritableThreadLocal<>();

    /**
     * 切换数据源
     *
     * @param merchant 租户Key
     */
    public static void setDataSourceKey(String merchant) {
        log.info("切换数据源,merchant 为 {}", merchant);
        DATASOURCE_CONTEXT_MERCHANT_HOLDER.set(merchant);
    }

    /**
     * 获取当前数据源名称
     *
     * @return 当前数据源名称
     */
    public static String getDataSourceKey() {
        return Optional.ofNullable(DATASOURCE_CONTEXT_MERCHANT_HOLDER.get())
                .orElse(DataSourceConstant.MASTER);
    }

    /**
     * 删除当前数据源名称
     */
    public static void removeDataSourceKey() {
        DATASOURCE_CONTEXT_MERCHANT_HOLDER.remove();
    }
}

2.5 动态数据源修改注解定义

package org.feng.datasource.annotation;

import org.feng.datasource.constant.DataSourceConstant;

import java.lang.annotation.*;

/**
 * 改变数据源注解
 *
 * @author feng
 */
@Documented
@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.METHOD)
public @interface ChangeDataSource {
    String merchant() default DataSourceConstant.MASTER;
}

2.6 修改切面DynamicDataSourceAspect

package org.feng.datasource.aop;

import jakarta.annotation.PostConstruct;
import lombok.SneakyThrows;
import lombok.extern.slf4j.Slf4j;
import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.After;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.feng.datasource.DynamicDataSourceContextHolder;
import org.feng.datasource.annotation.ChangeDataSource;
import org.springframework.core.annotation.Order;
import org.springframework.stereotype.Component;

import java.lang.reflect.Method;

/**
 * 动态数据源切面
 *
 * @author feng
 */
@Aspect
@Component
@Order(1)
@Slf4j
public class DynamicDataSourceAspect {

    @SneakyThrows
    @Before("@annotation(org.feng.datasource.annotation.ChangeDataSource)")
    public void changeDataSource(JoinPoint joinPoint) {
        log.info("开始切换数据源...");

        // 获取方法名,参数
        String methodName = joinPoint.getSignature().getName();
        Object[] args = joinPoint.getArgs();
        Class<?>[] paramsTypes = new Class[args.length];
        if(args.length > 0) {
            for (int i = 0; i < args.length; i++) {
                paramsTypes[i] = args[i].getClass();
            }
        }

        // 获取注解
        Class<?> aClass = joinPoint.getTarget().getClass();
        Method currentMethod = aClass.getDeclaredMethod(methodName, paramsTypes);
        ChangeDataSource changeDataSource = currentMethod.getDeclaredAnnotation(ChangeDataSource.class);
        // 获取租户
        String merchant = changeDataSource.merchant();
        log.info("当前数据源租户切换为:{}", merchant);

        // 切换数据源
        DynamicDataSourceContextHolder.setDataSourceKey(merchant);
    }


    @After("@annotation(org.feng.datasource.annotation.ChangeDataSource)")
    public void changeDataSourceOver() {
        log.info("释放数据源...");
        DynamicDataSourceContextHolder.removeDataSourceKey();
    }

    @PostConstruct
    private void init() {
        log.info("注册动态数据源切换注解");
    }
}

2.7 动态数据源工具类

提供动态新增数据源,删除数据源的方法。
因为本身是维护map,所以同时支持修改(根据merchant来新增或修改或删除)

package org.feng.datasource.util;

import lombok.extern.slf4j.Slf4j;
import org.feng.datasource.DynamicDataSource;
import org.feng.datasource.entity.DataSourceProperties;
import org.springframework.beans.BeansException;
import org.springframework.boot.jdbc.DataSourceBuilder;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationContextAware;
import org.springframework.lang.NonNull;
import org.springframework.stereotype.Component;

import javax.sql.DataSource;

/**
 * 数据源工具
 *
 * @author feng
 */
@Slf4j
@Component
public class DataSourceUtil implements ApplicationContextAware {

    private static ApplicationContext applicationContext;


    /**
     * 设置数据源,用于动态新增,修改数据源
     *
     * @param newMerchant          租户
     * @param dataSourceProperties 数据源属性对象
     */
    public static void setNewDynamicDataSource(String newMerchant, DataSourceProperties dataSourceProperties) {
        log.info("merchantKey = {}, config = {}", newMerchant, dataSourceProperties);

        DynamicDataSource dataSource = applicationContext.getBean(DynamicDataSource.class);

        dataSource.setTargetDataSourcesAndRefresh(newMerchant, dataSource(dataSourceProperties));
    }

    /**
     * 移除数据源
     *
     * @param newMerchant 租户
     */
    public static void removeDynamicDataSource(String newMerchant) {
        log.info("正在移除数据源 merchantKey = {}", newMerchant);

        DynamicDataSource dataSource = applicationContext.getBean(DynamicDataSource.class);

        dataSource.removeDataSourcesByMerchant(newMerchant);
    }


    @Override
    public void setApplicationContext(@NonNull ApplicationContext applicationContext) throws BeansException {
        DataSourceUtil.applicationContext = applicationContext;
    }


    /**
     * 构建数据源
     *
     * @param dataSourceProperties 数据源属性配置
     * @return 数据源
     */
    public static DataSource dataSource(DataSourceProperties dataSourceProperties) {
        return DataSourceBuilder.create()
                .driverClassName(dataSourceProperties.getDriverClassName())
                .url(dataSourceProperties.getJdbcUrl())
                .username(dataSourceProperties.getUsername())
                .password(dataSourceProperties.getPassword())
                .build();
    }
}

三、start模块&调试

3.1 Mybatis-Plus配置

package org.feng.start.config;

import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.core.MybatisConfiguration;
import com.baomidou.mybatisplus.core.config.GlobalConfig;
import com.baomidou.mybatisplus.core.toolkit.GlobalConfigUtils;
import lombok.SneakyThrows;
import org.apache.ibatis.session.SqlSessionFactory;
import org.mybatis.spring.SqlSessionFactoryBean;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.Primary;
import org.springframework.core.io.Resource;
import org.springframework.core.io.support.PathMatchingResourcePatternResolver;
import org.springframework.core.io.support.ResourcePatternResolver;

import javax.sql.DataSource;

/**
 * mybatis-plus配置
 *
 * @author feng
 */
@Configuration
public class MybatisPlusConfig {

    @Bean
    @Primary
    @SneakyThrows
    public SqlSessionFactory sqlSessionFactory(@Autowired DataSource dataSource) {
        SqlSessionFactoryBean sqlSessionFactoryBean = new SqlSessionFactoryBean();

        MybatisConfiguration configuration = new MybatisConfiguration();
        sqlSessionFactoryBean.setConfiguration(configuration);
        // 是否开启自动驼峰命名规则映射:从数据库列名到Java属性驼峰命名的类似映射
        configuration.setMapUnderscoreToCamelCase(true);
        // 如果查询结果中包含空值的列,则 MyBatis 在映射的时候,不会映射这个字段
        configuration.setCallSettersOnNulls(true);
        // 日志
        configuration.setLogImpl(org.apache.ibatis.logging.stdout.StdOutImpl.class);
        // 实体包
        sqlSessionFactoryBean.setTypeAliasesPackage("org.feng.start.entity");
        // mapper.xml位置
        ResourcePatternResolver resourceResolver = new PathMatchingResourcePatternResolver();
        Resource[] resources = resourceResolver.getResources("classpath*:mapper/**Mapper.xml");
        sqlSessionFactoryBean.setMapperLocations(resources);

        // 设置数据源
        sqlSessionFactoryBean.setDataSource(dataSource);

        // 设置GlobalConfig
        GlobalConfigUtils.setGlobalConfig(configuration, globalConfig());

        // 返回SqlSessionFactory
        return sqlSessionFactoryBean.getObject();
    }

    private GlobalConfig globalConfig() {
        GlobalConfig globalConfig = new GlobalConfig();
        GlobalConfig.DbConfig dbConfig = new GlobalConfig.DbConfig();
        dbConfig.setIdType(IdType.AUTO);
        globalConfig.setDbConfig(dbConfig);

        return globalConfig;
    }
}

3.2 application.yml配置

spring:
  datasource:
    config-map:
      master:
        driver-class-name: "com.mysql.cj.jdbc.Driver"
        jdbc-url: "jdbc:mysql://192.168.110.68:3306/db_master?useSSL=false&serverTimezone=Asia/Shanghai&characterEncoding=UTF-8"
        username: "root"
        password: "root123456"
      slave1:
        driver-class-name: "com.mysql.cj.jdbc.Driver"
        jdbc-url: "jdbc:mysql://192.168.110.68:3306/db_slave1?useSSL=false&serverTimezone=Asia/Shanghai&characterEncoding=UTF-8"
        username: "root"
        password: "root123456"
#      slave2:
#        driver-class-name: "com.mysql.cj.jdbc.Driver"
#        jdbc-url: "jdbc:mysql://192.168.110.68:3306/db_slave2?useSSL=false&serverTimezone=Asia/Shanghai&characterEncoding=UTF-8"
#        username: "root"
#        password: "root123456"


server:
  port: 80
  servlet:
    context-path: /dynamic_datasource

3.3 启动类

package org.feng.start;

import org.mybatis.spring.annotation.MapperScan;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.boot.autoconfigure.jdbc.DataSourceAutoConfiguration;
import org.springframework.context.annotation.EnableAspectJAutoProxy;
import org.springframework.transaction.annotation.EnableTransactionManagement;

@MapperScan(basePackages = {"org.feng.start.mapper"})
@EnableAspectJAutoProxy(exposeProxy = true)
@EnableTransactionManagement
@SpringBootApplication(exclude = DataSourceAutoConfiguration.class, scanBasePackages = {"org.feng.datasource", "org.feng.start"})
public class StartApplication {

    public static void main(String[] args) {
        SpringApplication.run(StartApplication.class, args);
    }

}

3.4 调试

定义控制器,提供接口。

package org.feng.start.controller;

import jakarta.annotation.Resource;
import lombok.extern.slf4j.Slf4j;
import org.feng.datasource.DynamicDataSourceContextHolder;
import org.feng.datasource.annotation.ChangeDataSource;
import org.feng.datasource.entity.DataSourceProperties;
import org.feng.datasource.util.DataSourceUtil;
import org.feng.start.entity.Student;
import org.feng.start.service.IStudentService;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

import java.util.List;

/**
 * 学生控制器-测试切换数据源
 *
 * @author feng
 */
@Slf4j
@RequestMapping("/student")
@RestController
public class StudentController {

    @Resource
    private IStudentService studentService;

    @GetMapping("/list/{merchant}")
    public List<Student> list(@PathVariable String merchant) {
        try {
            // 切换数据源
            DynamicDataSourceContextHolder.setDataSourceKey(merchant);

            // 查库
            List<Student> resultList = studentService.list();

            log.info("查询结果:{}", resultList);

            return resultList;
        } finally {
            // 清除当前数据源
            DynamicDataSourceContextHolder.removeDataSourceKey();
        }
    }


    @GetMapping("/listStu/master")
    public List<Student> listStu() {
        // 查库
        List<Student> resultList = studentService.list();

        log.info("查询结果:{}", resultList);

        return resultList;
    }

    @ChangeDataSource(merchant = "slave1")
    @GetMapping("/listStu/slave1")
    public List<Student> listStu1() {
        // 查库
        List<Student> resultList = studentService.list();

        log.info("查询结果:{}", resultList);

        return resultList;
    }

    @ChangeDataSource(merchant = "slave2")
    @GetMapping("/listStu/slave2")
    public List<Student> listStu2() {
        // 查库
        List<Student> resultList = studentService.list();

        log.info("查询结果:{}", resultList);

        return resultList;
    }

    @GetMapping("/listStu/newDataSource")
    public List<Student> newDataSource() {
        String merchant = "slave2";
        DataSourceProperties dataSourceProperties = newSlave2();
        DataSourceUtil.setNewDynamicDataSource(merchant, dataSourceProperties);

        // 切换数据源
        DynamicDataSourceContextHolder.setDataSourceKey(merchant);
        // 查库
        List<Student> resultList = studentService.list();

        log.info("查询结果:{}", resultList);

        DynamicDataSourceContextHolder.removeDataSourceKey();
        return resultList;
    }

    private DataSourceProperties newSlave2() {
        DataSourceProperties dataSourceProperties = new DataSourceProperties();
        dataSourceProperties.setDriverClassName("com.mysql.cj.jdbc.Driver");
        dataSourceProperties.setJdbcUrl("jdbc:mysql://192.168.110.68:3306/db_slave2?useSSL=false&serverTimezone=Asia/Shanghai&characterEncoding=UTF-8");
        dataSourceProperties.setUsername("root");
        dataSourceProperties.setPassword("root123456");
        return dataSourceProperties;
    }
}

3.5 数据库sql

按照自己的需要,创建多个数据库,并创建好自己使用的数据表即可。
本文中测试使用的如下:

CREATE TABLE `tb_student` (
  `student_name` varchar(100) DEFAULT NULL,
  `id` bigint unsigned NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_0900_ai_ci;

四、调试结果

4.1 启动项目

在这里插入图片描述
启动项目,可以看到注册了两个数据源。

4.2 执行请求

  • Get 请求 :http://localhost:80/dynamic_datasource/student/listStu/master
    响应:
[
  {
    "id": 1,
    "studentName": "master_student2312s"
  }
]
  • Get 请求 :http://localhost:80/dynamic_datasource/student/listStu/slave1
    响应:
[
  {
    "id": 1,
    "studentName": "slave1_studew12321"
  }
]
  • Get 请求 :http://localhost:80/dynamic_datasource/student/listStu/slave2
    因为此时还没有slave2,所以默认请求的是master的数据源,查询结果如下:
[
  {
    "id": 1,
    "studentName": "master_student2312s"
  }
]
  • Get 请求 :http://localhost:80/dynamic_datasource/student/listStu/newDataSource
    新增数据源,代码中写的是新增slave2的数据源
    日志如下:
    在这里插入图片描述

查询结果如下:

[
  {
    "id": 1,
    "studentName": "slave2_213dqwa"
  }
]
  • Get 请求 :http://localhost:80/dynamic_datasource/student/listStu/slave2
    此时已经新增了slave2数据源,因此能够切换到slave2中,查询结果如下:
[
  {
    "id": 1,
    "studentName": "slave2_213dqwa"
  }
]

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/1437913.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

c++设计模式之代理模式

作用 代理模式主要用于&#xff0c;通过代理类&#xff0c;来控制实际对象的访问权限 案例 class VideoSite { public:virtual void freeVideo()0;virtual void vipVideo()0;virtual void trickVideo()0; };class FixBugVideoSite:public VideoSite { public:void freeVideo()…

AWS创建快照定期备份

备注&#xff1a;aws有快照定期备份工具&#xff0c;名字叫【生命周期管理器】 选择实例点击创建 点击下一步后设置备份频率等 然后点击创建即可

Vue源码系列讲解——虚拟DOM篇【一】(Vue中的虚拟DOM)

目录 1. 前言 2. 虚拟DOM简介 2.1什么是虚拟DOM&#xff1f; 2.2为什么要有虚拟DOM&#xff1f; 3. Vue中的虚拟DOM 3.1 VNode类 3.2 VNode的类型 3.2.1 注释节点 3.2.2 文本节点 3.2.3 克隆节点 3.2.4 元素节点 3.2.5 组件节点 3.2.6 函数式组件节点 3.2.7 小结 3…

NCNN GPU初始化加速——cache实现

概要 NCNN的CPU初始化速度很快&#xff0c;但是当使用GPU进行推理时&#xff0c;初始化往往要花费几秒甚至更长时间。其他框架例如MNN有载入cache的方式来进行加速&#xff0c;NCNN目前没有相关接口来实现加速&#xff0c;那么NCNN是否也可以加载cache来实现加速呢&#xff1f;…

程序员的数字化工作台:理解不关机背后的逻辑与需求

目录 程序员为什么不喜欢关电脑&#xff1f; 电脑对程序员的重要性&#xff1a; 工作流程与需求&#xff1a; 数据安全与备份&#xff1a; 即时性与响应&#xff1a; 个人习惯等方面&#xff1a; 程序员为什么不喜欢关电脑&#xff1f; 电脑对程序员的重要性&#xff1a;…

龙测科技荣获2023年度技术生态构建奖

本月&#xff0c;由极客传媒举办的“有被Q到”2024 InfoQ 极客传媒合作伙伴年会顺利举办&#xff0c;龙测科技喜获2023年度技术生态构建奖。 InfoQ是首批将Node.js、HTML5、Docker等技术全面引入中国的技术媒体之一&#xff0c;秉承“扎根社区、服务社区、引领社区”的理念&…

Redis(十三)缓存双写一致性策略

文章目录 概述示例 缓存双写一致性缓存按照操作来分&#xff0c;细分2种读写缓存&#xff1a;同步直写策略读写缓存&#xff1a;异步缓写策略双检加锁策略 数据库和缓存一致性更新策略先更新数据库&#xff0c;再更新缓存先更新缓存&#xff0c;再更新数据库先删除缓存&#xf…

解决国内无法访问OpenAI API的三种方式

前言 在全球数字化的浪潮中&#xff0c;人工智能API成为了推动创新的关键工具。然而&#xff0c;由于网络限制&#xff0c;不是所有用户都能直接访问这些资源。国内就不能直接访问OpenAI官网&#xff0c;也就不能直接访问OpenAI API&#xff0c;这时候需要去寻找OpenAI的代理方…

DevExpress WinForms中文教程 - 如何创建可访问的WinForms应用?(二)

为用户创建易访问的Windows Forms应用程序不仅是最佳实践的体现&#xff0c;还是对包容性和以用户为中心的设计承诺。在应用程序开发生命周期的早期考虑与可访问性相关的需求可以节省长期运行的时间(因为它将决定设计决策和代码实现)。 一个可访问的WinForms应用程序提供了各种…

Python循环语句——for循环的基础语法

一、引言 在Python编程的世界中&#xff0c;for循环无疑是一个强大的工具。它为我们提供了一种简洁、高效的方式来重复执行某段代码&#xff0c;从而实现各种复杂的功能。无论你是初学者还是资深开发者&#xff0c;掌握for循环的用法都是必不可少的。在本文中&#xff0c;我们…

EasyRecovery2024永久免费版电脑数据恢复软件下载

EasyRecovery数据恢复软件是一款非常好用且功能全面的工具&#xff0c;它能帮助用户恢复各种丢失或误删除的数据。以下是关于EasyRecovery的详细功能介绍以及下载步骤&#xff1a; EasyRecovery-mac最新版本下载:https://wm.makeding.com/iclk/?zoneid50201 EasyRecovery-win…

2 月 7 日算法练习- 数据结构-树状数组

树状数组 lowbit 在学习树状数组之前&#xff0c;我们需要了解lowbit操作&#xff0c;这是一种位运算操作&#xff0c;用于计算出数字的二进制表达中的最低位的1以及后面所有的0。 写法很简单&#xff1a; int lowbit&#xff08;int x&#xff09;&#xff5b;return x &am…

基于SpringBoot+Vue的实验室管理系统

末尾获取源码作者介绍&#xff1a;大家好&#xff0c;我是墨韵&#xff0c;本人4年开发经验&#xff0c;专注定制项目开发 更多项目&#xff1a;CSDN主页YAML墨韵 学如逆水行舟&#xff0c;不进则退。学习如赶路&#xff0c;不能慢一步。 目录 一、项目简介 二、开发技术与环…

vHierarchy

与其他层次结构资产不同,vHierarchy是: -极简:没有噱头或视觉杂乱 - 可定制:任何功能都可以禁用 - 优化:无编辑器延迟 - 安全:没有隐藏的游戏对象,卸载后不会搞乱你的项目 特点: 组件迷你地图 - 见右侧列出的组件 - 按住Alt键并单击组件图标,打开组件编辑器弹出窗口 自…

RCS系统之:机器人状态

在设计RCS系统平台时&#xff0c;机器人总共设计状态有&#xff1a; 离线模式&#xff1b; 如图&#xff0c;18号机器人呈灰黑色&#xff0c;表示机器人没有上电状态 工作模式&#xff1b; 如图&#xff0c;10号机器人成绿色&#xff0c;表示机器人处于工作模式&#xff0c;等…

###C语言程序设计-----C语言学习(10)#函数再探

前言&#xff1a;感谢您的关注哦&#xff0c;我会持续更新编程相关知识&#xff0c;愿您在这里有所收获。如果有任何问题&#xff0c;欢迎沟通交流&#xff01;期待与您在学习编程的道路上共同进步。 目录 一. 基础知识的学习 1.不返回结果函数 2.局部变量 3.全局变量 4.…

linux中的gdb调试

gdb是在程序运行的结果与预期不符合时&#xff0c;可以使用gdb进行调试 注意&#xff1a;使用gdb调试时要在编译上加-g参数 gcc -g -c hello.c 启动gdb调试&#xff1a; gdb file 对gdb进行调试 设置运行参数&#xff1a; set args 可指定运行参数 show args 可以查…

【DC-9靶场渗透】

文章目录 前言 一、确定靶机地址 二、信息收集 三、寻找漏洞 四、进一步漏洞挖掘 五、关键文件 六、ssh爆破 七、提权 总结 前言 马上过年了&#xff0c;年前再做一下DC靶场最后一个靶机。 一、确定靶机地址 1、可使用arp-scan命令 靶机地址为&#xff1a;172.16.10…

编译原理与技术(三)——语法分析(六)自底向上-SLR分析

上一节介绍了LR分析&#xff0c;LR分析包含许多方法&#xff0c;本节介绍的简单的LR方法&#xff08;SLR&#xff09;就是其中之一。 一、活前缀 二、LR分析的特点 三、 简单的LR方法&#xff08;SLR&#xff09; &#xff08;一&#xff09;LR(0)项目 &#xff08;二&#x…

ES6扩展运算符——三个点(...)用法详解

目录 1 含义 2 替代数组的 apply 方法 3 扩展运算符的应用 &#xff08; 1 &#xff09;合并数组 &#xff08; 2 &#xff09;与解构赋值结合 &#xff08; 3 &#xff09;函数的返回值 &#xff08; 4 &#xff09;字符串 &#xff08; 5 &#xff09;实现了 Iter…