Mysql主从+springboot+mybatis实践篇

本文涉及的产品
RDS MySQL Serverless 基础系列,0.5-2RCU 50GB
云数据库 RDS MySQL,集群系列 2核4GB
推荐场景:
搭建个人博客
RDS MySQL Serverless 高可用系列,价值2615元额度,1个月
简介: Mysql主从+springboot+mybatis实践篇

Mysql主从+springboot+mybatis实践篇

注意: 代码连接在文章末尾。

本次主要是按照上一个主从配置过后的数据库进行和springboot的连接实践操作。

环境配置

环境配置过程分为三个步骤

  1. 相关依赖引入
<dependencies>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-web</artifactId>
        </dependency>
        <!--数据库三剑客-->
        <dependency>
            <groupId>org.mybatis.spring.boot</groupId>
            <artifactId>mybatis-spring-boot-starter</artifactId>
            <version>2.1.4</version>
        </dependency>
        <dependency>
            <groupId>mysql</groupId>
            <artifactId>mysql-connector-java</artifactId>
            <version>8.0.25</version>
        </dependency>
        <dependency>
            <groupId>com.alibaba</groupId>
            <artifactId>druid-spring-boot-starter</artifactId>
            <version>1.1.9</version>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-devtools</artifactId>
            <scope>runtime</scope>
            <optional>true</optional>
        </dependency>
        <dependency>
            <groupId>org.projectlombok</groupId>
            <artifactId>lombok</artifactId>
            <optional>true</optional>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-aop</artifactId>
        </dependency>
        <dependency>
            <groupId>org.aspectj</groupId>
            <artifactId>aspectjrt</artifactId>
            <version>1.9.6</version>
        </dependency>
        <!-- google java lib -->
        <dependency>
            <groupId>com.google.guava</groupId>
            <artifactId>guava</artifactId>
            <version>17.0</version>
        </dependency>
    </dependencies>
  1. application.yml配置文件配置。
spring:
  datasource:
    driver-class-name: com.mysql.cj.jdbc.Driver
    username: root
    password: 你的主数据库密码
    type: com.alibaba.druid.pool.DruidDataSource
    url: jdbc:mysql://主数据库IP地址:端口/test?useUnicode=true&characterEncoding=utf8&characterSetResults=utf8
  db:
    driver-class-name: com.mysql.cj.jdbc.Driver
    username: root
    password: 你的从数据库密码
    type: com.alibaba.druid.pool.DruidDataSource
    url: jdbc:mysql://从数据库ip地址:端口/test?useUnicode=true&characterEncoding=utf8&characterSetResults=utf8
mybatis:
  mapper-locations: classpath:mappers/*.xml
logging:
  level:
    com:
      example: debug

数据库相关配置文件编写

配置数据源

@Configuration
public class DruidConfig {
    /**
     * 主据源
     *
     * @return 返回数据源对象
     */
    @Primary
    @Bean(name = "writeDataSource")
    @ConfigurationProperties(prefix = "spring.datasource")
    public DataSource dataSource() {
        return DataSourceBuilder.create().type(com.alibaba.druid.pool.DruidDataSource.class).build();
    }
    /**
     * 从数据源
     *
     * @return 返回数据源对象
     */
    @Bean(name = "readDataSource")
    @ConfigurationProperties(prefix = "spring.db")
    public DataSource readDataSource0() {
        return DataSourceBuilder.create().type(com.alibaba.druid.pool.DruidDataSource.class).build();
    }
}

配置数据源路由和事务等

@Configuration
@EnableTransactionManagement(order = 2)
@MapperScan(basePackages = {"com.example.demoms.mapper"})
public class MybatisConfig
        implements TransactionManagementConfigurer, ApplicationContextAware {
    private static ApplicationContext context;
    /**
     * 数据源路由代理
     * 将数据源以map的形式放入数据源路由中,key分别为write和read,
     * 切面拦截指定方法的调用,判断是读还是写,将read或write放入ThreadLocale变量中
     * RoutingDataSource重写的determineCurrentLookupKey决定要使用哪个数据源,
     * 然后AbstractRoutingDataSource中的determineTargetDataSource的方法在map变量中将数据源取出,
     *
     * @return
     */
    @Bean
    public AbstractRoutingDataSource routingDataSourceProxy() {
        RoutingDataSource proxy = new RoutingDataSource();
        Map<Object, Object> targetDataSources = Maps.newHashMap();
        targetDataSources.put("write", context.getBean("writeDataSource", DataSource.class));
        targetDataSources.put("read", context.getBean("readDataSource", DataSource.class));
        proxy.setDefaultTargetDataSource(context.getBean("writeDataSource", DataSource.class));
        proxy.setTargetDataSources(targetDataSources);
        return proxy;
    }
    @Bean
    @ConditionalOnMissingBean
    public SqlSessionFactoryBean sqlSessionFactory() throws IOException {
        SqlSessionFactoryBean bean = new SqlSessionFactoryBean();
        bean.setDataSource(routingDataSourceProxy());
        bean.setVfs(SpringBootVFS.class);
        bean.setTypeAliasesPackage("com.example.demoms.entity");
//        Resource configResource = new ClassPathResource("mybatis/mybatis.cfg.xml");
//        bean.setConfigLocation(configResource);
        ResourcePatternResolver mapperResource = new PathMatchingResourcePatternResolver();
        Resource[] resources = mapperResource.getResources("classpath:mappers/*.xml");
        bean.setMapperLocations(resources);
        return bean;
    }
    @Override
    public PlatformTransactionManager annotationDrivenTransactionManager() {
        return new DataSourceTransactionManager(routingDataSourceProxy());
    }
    @Override
    public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
        if (context == null) {
            context = applicationContext;
        }
    }
}

数据源路由类

public class RoutingDataSource extends AbstractRoutingDataSource {
    @Override
    protected Object determineCurrentLookupKey() {
        String typeKey = DataSourceContextHolder.getJdbcType();
        if (typeKey == null) {
            return "write";
        }else {
            if(typeKey.equals("read")) return "read";
            return "write";
        }
    }
}

定义切换数据源的注解

@Target({ElementType.METHOD, ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface DynamicDataSource {
    /**
     * 数据源key值
     *
     * @return
     */
    String value() default "write";
}

定义切面,拦截定义的注解,获取ThreadLocal中的值

@Aspect
@Component
@Order(1)
public class DynamicDataSourceAspect {
    @Pointcut("@annotation(DynamicDataSource)")
    public void annotationPointcut() {
    }
    /**
     * 切换数据源
     *
     * @param point 节点
     */
    @Before("annotationPointcut()")
    public void setDataSourceType(JoinPoint point) {
        MethodSignature methodSignature =  (MethodSignature) point.getSignature();
        Method method = methodSignature.getMethod();
        DynamicDataSource annotation = method.getAnnotation(DynamicDataSource.class);
        String value = annotation.value();
        System.out.println("切面中::"+value);
        if ("write".equals(value)){
            DataSourceContextHolder.write();
        }else {
            DataSourceContextHolder.read();
        }
    }
    @After("annotationPointcut()")
    public void clear() {
        System.out.println("切面中::清除类型");
        DataSourceContextHolder.clearDbType();
    }
}

DataSourceContextHolder类

public class DataSourceContextHolder {
    private static Logger logger = LoggerFactory.getLogger(DataSourceContextHolder.class);
    private final static ThreadLocal<String> local = new ThreadLocal<>();
    public static ThreadLocal<String> getLocal() {
        return local;
    }
    public static void read() {
        logger.debug("切换至[读]数据源");
        System.out.println("切换至[读]数据源");
        local.set("read");
    }
    public static void write() {
        logger.debug("切换至[写]数据源");
        System.out.println("切换至[写]数据源");
        local.set("write");
    }
    public static String getJdbcType() {
        return local.get();
    }
    /**
     * 清理链接类型
     */
    public static void clearDbType() {
        local.remove();
    }
}

注解的使用

在service层的方法上加入@DynamicDataSource("read"),根据RoutingDataSource中的定义,如果不加注解,使用的是主数据源。

注意:以上方式在加入@Transactional注解或@LcnTransaction注解后并不能实现切换数据源,

测试

先配置好对应的mapper controller service 等。 在service的实现类中定义方法

@Override
    @DynamicDataSource("write")  //这个代表的是从写数据源里边进行数据查询
    public String getInfo() {
        return testMapper.getInfo();
    }

结果如下:

网络异常,图片无法展示
|

整体项目姐构图:

网络异常,图片无法展示
|

代码链接:https://englishcode.lanzoul.com/iphJ0019fq7e

相关实践学习
如何在云端创建MySQL数据库
开始实验后,系统会自动创建一台自建MySQL的 源数据库 ECS 实例和一台 目标数据库 RDS。
全面了解阿里云能为你做什么
阿里云在全球各地部署高效节能的绿色数据中心,利用清洁计算为万物互联的新世界提供源源不断的能源动力,目前开服的区域包括中国(华北、华东、华南、香港)、新加坡、美国(美东、美西)、欧洲、中东、澳大利亚、日本。目前阿里云的产品涵盖弹性计算、数据库、存储与CDN、分析与搜索、云通信、网络、管理与监控、应用服务、互联网中间件、移动服务、视频服务等。通过本课程,来了解阿里云能够为你的业务带来哪些帮助 &nbsp; &nbsp; 相关的阿里云产品:云服务器ECS 云服务器 ECS(Elastic Compute Service)是一种弹性可伸缩的计算服务,助您降低 IT 成本,提升运维效率,使您更专注于核心业务创新。产品详情: https://www.aliyun.com/product/ecs
相关文章
|
9天前
|
分布式计算 关系型数据库 MySQL
SpringBoot项目中mysql字段映射使用JSONObject和JSONArray类型
SpringBoot项目中mysql字段映射使用JSONObject和JSONArray类型 图像处理 光通信 分布式计算 算法语言 信息技术 计算机应用
30 8
|
10天前
|
SQL 前端开发 关系型数据库
SpringBoot使用mysql查询昨天、今天、过去一周、过去半年、过去一年数据
SpringBoot使用mysql查询昨天、今天、过去一周、过去半年、过去一年数据
40 9
|
7天前
|
关系型数据库 MySQL Linux
Linux环境下MySQL数据库自动定时备份实践
数据库备份是确保数据安全的重要措施。在Linux环境下,实现MySQL数据库的自动定时备份可以通过多种方式完成。本文将介绍如何使用`cron`定时任务和`mysqldump`工具来实现MySQL数据库的每日自动备份。
23 3
|
6天前
|
存储 监控 关系型数据库
MySQL自增ID耗尽解决方案:应对策略与实践技巧
在MySQL数据库中,自增ID(AUTO_INCREMENT)是一种特殊的属性,用于自动为新插入的行生成唯一的标识符。然而,当自增ID达到其最大值时,会发生什么?又该如何解决?本文将探讨MySQL自增ID耗尽的问题,并提供一些实用的解决方案。
13 1
|
21天前
|
NoSQL 关系型数据库 MySQL
MySQL与Redis协同作战:百万级数据统计优化实践
【10月更文挑战第21天】 在处理大规模数据集时,传统的单体数据库解决方案往往力不从心。MySQL和Redis的组合提供了一种高效的解决方案,通过将数据库操作与高速缓存相结合,可以显著提升数据处理的性能。本文将分享一次实际的优化案例,探讨如何利用MySQL和Redis共同实现百万级数据统计的优化。
54 9
|
1月前
|
前端开发 Java Apache
Springboot整合shiro,带你学会shiro,入门级别教程,由浅入深,完整代码案例,各位项目想加这个模块的人也可以看这个,又或者不会mybatis-plus的也可以看这个
本文详细讲解了如何整合Apache Shiro与Spring Boot项目,包括数据库准备、项目配置、实体类、Mapper、Service、Controller的创建和配置,以及Shiro的配置和使用。
288 1
Springboot整合shiro,带你学会shiro,入门级别教程,由浅入深,完整代码案例,各位项目想加这个模块的人也可以看这个,又或者不会mybatis-plus的也可以看这个
|
1月前
|
Java 关系型数据库 MySQL
springboot学习五:springboot整合Mybatis 连接 mysql数据库
这篇文章是关于如何使用Spring Boot整合MyBatis来连接MySQL数据库,并进行基本的增删改查操作的教程。
64 0
springboot学习五:springboot整合Mybatis 连接 mysql数据库
|
1月前
|
Java 关系型数据库 MySQL
springboot学习四:springboot链接mysql数据库,使用JdbcTemplate 操作mysql
这篇文章是关于如何使用Spring Boot框架通过JdbcTemplate操作MySQL数据库的教程。
24 0
springboot学习四:springboot链接mysql数据库,使用JdbcTemplate 操作mysql
|
1月前
|
Java 数据库连接 API
springBoot:后端解决跨域&Mybatis-Plus&SwaggerUI&代码生成器 (四)
本文介绍了后端解决跨域问题的方法及Mybatis-Plus的配置与使用。首先通过创建`CorsConfig`类并设置相关参数来实现跨域请求处理。接着,详细描述了如何引入Mybatis-Plus插件,包括配置`MybatisPlusConfig`类、定义Mapper接口以及Service层。此外,还展示了如何配置分页查询功能,并引入SwaggerUI进行API文档生成。最后,提供了代码生成器的配置示例,帮助快速生成项目所需的基础代码。
|
18天前
|
关系型数据库 MySQL Java
SpringBoot项目中mysql字段映射使用JSONObject和JSONArray类型
SpringBoot项目中mysql字段映射使用JSONObject和JSONArray类型
22 0