我的编程空间,编程开发者的网络收藏夹
学习永远不晚

如何在Spring中使用MyBatis实现数据的读写分离

短信预约 -IT技能 免费直播动态提醒
省份

北京

  • 北京
  • 上海
  • 天津
  • 重庆
  • 河北
  • 山东
  • 辽宁
  • 黑龙江
  • 吉林
  • 甘肃
  • 青海
  • 河南
  • 江苏
  • 湖北
  • 湖南
  • 江西
  • 浙江
  • 广东
  • 云南
  • 福建
  • 海南
  • 山西
  • 四川
  • 陕西
  • 贵州
  • 安徽
  • 广西
  • 内蒙
  • 西藏
  • 新疆
  • 宁夏
  • 兵团
手机号立即预约

请填写图片验证码后获取短信验证码

看不清楚,换张图片

免费获取短信验证码

如何在Spring中使用MyBatis实现数据的读写分离

如何在Spring中使用MyBatis实现数据的读写分离?很多新手对此不是很清楚,为了帮助大家解决这个难题,下面小编将为大家详细讲解,有这方面需求的人可以来学习下,希望你能有所收获。

其实现原理如下:

  1. 通过Spring AOP对dao层接口进行拦截,并对需要指定数据源的接口在ThradLocal中设置其数据源类型及名称

  2. 通过MyBatsi的插件,对根据更新或者查询操作在ThreadLocal中设置数据源(dao层没有指定的情况下)

  3. 继承AbstractRoutingDataSource类。

在此直接写死使用HikariCP作为数据源

其实现步骤如下:

  1. 定义其数据源配置文件并进行解析为数据源

  2. 定义AbstractRoutingDataSource类及其它注解

  3. 定义Aop拦截

  4. 定义MyBatis插件

  5. 整合在一起

1.配置及解析类

其配置参数直接使用HikariCP的配置,其具体参数可以参考HikariCP。

在此使用yaml格式,名称为datasource.yaml,内容如下:

dds: write:  jdbcUrl: jdbc:mysql://localhost:3306/order  password: liu123  username: root  maxPoolSize: 10  minIdle: 3  poolName: master read:  - jdbcUrl: jdbc:mysql://localhost:3306/test   password: liu123   username: root   maxPoolSize: 10   minIdle: 3   poolName: slave1  - jdbcUrl: jdbc:mysql://localhost:3306/test2   password: liu123   username: root   maxPoolSize: 10   minIdle: 3   poolName: slave2

定义该配置所对应的Bean,名称为DBConfig,内容如下:

@Component@ConfigurationProperties(locations = "classpath:datasource.yaml", prefix = "dds")public class DBConfig {  private List<HikariConfig> read;  private HikariConfig write;  public List<HikariConfig> getRead() {    return read;  }  public void setRead(List<HikariConfig> read) {    this.read = read;  }  public HikariConfig getWrite() {    return write;  }  public void setWrite(HikariConfig write) {    this.write = write;  }}

把配置转换为DataSource的工具类,名称:DataSourceUtil,内容如下:

import com.zaxxer.hikari.HikariConfig;import com.zaxxer.hikari.HikariDataSource;import javax.sql.DataSource;import java.util.ArrayList;import java.util.List;public class DataSourceUtil {  public static DataSource getDataSource(HikariConfig config) {    return new HikariDataSource(config);  }  public static List<DataSource> getDataSource(List<HikariConfig> configs) {    List<DataSource> result = null;    if (configs != null && configs.size() > 0) {      result = new ArrayList<>(configs.size());      for (HikariConfig config : configs) {        result.add(getDataSource(config));      }    } else {      result = new ArrayList<>(0);    }    return result;  }}

2.注解及动态数据源

定义注解@DataSource,其用于需要对个别方法指定其要使用的数据源(如某个读操作需要在master上执行,但另一读方法b需要在读数据源的具体一台上面执行)

@Retention(RetentionPolicy.RUNTIME)@Target(ElementType.METHOD)public @interface DataSource {    DataSourceType type() default DataSourceType.WRITE;    String name() default "";}

定义数据源类型,分为两种:READ,WRITE,内容如下:

public enum DataSourceType {  READ, WRITE;}

定义保存这此共享信息的类DynamicDataSourceHolder,在其中定义了两个ThreadLocal和一个map,holder用于保存当前线程的数据源类型(读或者写),pool用于保存数据源名称(如果指定),其内容如下:

import java.util.Map;import java.util.concurrent.ConcurrentHashMap;public class DynamicDataSourceHolder {  private static final Map<String, DataSourceType> cache = new ConcurrentHashMap<>();  private static final ThreadLocal<DataSourceType> holder = new ThreadLocal<>();  private static final ThreadLocal<String> pool = new ThreadLocal<>();  public static void putToCache(String key, DataSourceType dataSourceType) {    cache.put(key,dataSourceType);  }  public static DataSourceType getFromCach(String key) {    return cache.get(key);  }  public static void putDataSource(DataSourceType dataSourceType) {    holder.set(dataSourceType);  }  public static DataSourceType getDataSource() {    return holder.get();  }  public static void putPoolName(String name) {    if (name != null && name.length() > 0) {      pool.set(name);    }  }  public static String getPoolName() {    return pool.get();  }  public static void clearDataSource() {    holder.remove();    pool.remove();  }}

动态数据源类为DynamicDataSoruce,其继承自AbstractRoutingDataSource,可以根据返回的key切换到相应的数据源,其内容如下:

import com.zaxxer.hikari.HikariDataSource;import org.springframework.jdbc.datasource.lookup.AbstractRoutingDataSource;import javax.sql.DataSource;import java.util.HashMap;import java.util.List;import java.util.Map;import java.util.concurrent.ConcurrentHashMap;import java.util.concurrent.ThreadLocalRandom;public class DynamicDataSource extends AbstractRoutingDataSource {  private DataSource writeDataSource;  private List<DataSource> readDataSource;  private int readDataSourceSize;  private Map<String, String> dataSourceMapping = new ConcurrentHashMap<>();  @Override  public void afterPropertiesSet() {    if (this.writeDataSource == null) {      throw new IllegalArgumentException("Property 'writeDataSource' is required");    }    setDefaultTargetDataSource(writeDataSource);    Map<Object, Object> targetDataSource = new HashMap<>();    targetDataSource.put(DataSourceType.WRITE.name(), writeDataSource);    String poolName = ((HikariDataSource)writeDataSource).getPoolName();    if (poolName != null && poolName.length() > 0) {      dataSourceMapping.put(poolName,DataSourceType.WRITE.name());    }    if (this.readDataSource == null) {      readDataSourceSize = 0;    } else {      for (int i = 0; i < readDataSource.size(); i++) {        targetDataSource.put(DataSourceType.READ.name() + i, readDataSource.get(i));        poolName = ((HikariDataSource)readDataSource.get(i)).getPoolName();        if (poolName != null && poolName.length() > 0) {          dataSourceMapping.put(poolName,DataSourceType.READ.name() + i);        }      }      readDataSourceSize = readDataSource.size();    }    setTargetDataSources(targetDataSource);    super.afterPropertiesSet();  }  @Override  protected Object determineCurrentLookupKey() {    DataSourceType dataSourceType = DynamicDataSourceHolder.getDataSource();    String dataSourceName = null;    if (dataSourceType == null ||dataSourceType == DataSourceType.WRITE || readDataSourceSize == 0) {      dataSourceName = DataSourceType.WRITE.name();    } else {      String poolName = DynamicDataSourceHolder.getPoolName();      if (poolName == null) {        int idx = ThreadLocalRandom.current().nextInt(0, readDataSourceSize);        dataSourceName = DataSourceType.READ.name() + idx;      } else {        dataSourceName = dataSourceMapping.get(poolName);      }    }    DynamicDataSourceHolder.clearDataSource();    return dataSourceName;  }  public void setWriteDataSource(DataSource writeDataSource) {    this.writeDataSource = writeDataSource;  }  public void setReadDataSource(List<DataSource> readDataSource) {    this.readDataSource = readDataSource;  }}

3.AOP拦截

如果在相应的dao层做了自定义配置(指定数据源),则在些处理。解析相应方法上的@DataSource注解,如果存在,并把相应的信息保存至上面的DynamicDataSourceHolder中。在此对com.hfjy.service.order.dao包进行做拦截。内容如下:

import com.hfjy.service.order.anno.DataSource;import com.hfjy.service.order.wr.DynamicDataSourceHolder;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.aspectj.lang.annotation.Pointcut;import org.aspectj.lang.reflect.MethodSignature;import org.springframework.stereotype.Component;import java.lang.reflect.Method;@Aspect@Componentpublic class DynamicDataSourceAspect {  @Pointcut("execution(public * com.hfjy.service.order.dao.*.*(*))")  public void dynamic(){}  @Before(value = "dynamic()")  public void beforeOpt(JoinPoint point) {    Object target = point.getTarget();    String methodName = point.getSignature().getName();    Class<?>[] clazz = target.getClass().getInterfaces();    Class<?>[] parameterType = ((MethodSignature)point.getSignature()).getMethod().getParameterTypes();    try {      Method method = clazz[0].getMethod(methodName,parameterType);      if (method != null && method.isAnnotationPresent(DataSource.class)) {        DataSource datasource = method.getAnnotation(DataSource.class);        DynamicDataSourceHolder.putDataSource(datasource.type());        String poolName = datasource.name();        DynamicDataSourceHolder.putPoolName(poolName);        DynamicDataSourceHolder.putToCache(clazz[0].getName() + "." + methodName, datasource.type());      }    } catch (Exception e) {      e.printStackTrace();    }  }  @After(value = "dynamic()")  public void afterOpt(JoinPoint point) {    DynamicDataSourceHolder.clearDataSource();  }}

4.MyBatis插件

如果在dao层没有指定相应的要使用的数据源,则在此进行拦截,根据是更新还是查询设置数据源的类型,内容如下:

import org.apache.ibatis.executor.Executor;import org.apache.ibatis.mapping.MappedStatement;import org.apache.ibatis.mapping.SqlCommandType;import org.apache.ibatis.plugin.*;import org.apache.ibatis.session.ResultHandler;import org.apache.ibatis.session.RowBounds;import java.util.Properties;@Intercepts({    @Signature(type = Executor.class, method = "update", args = {MappedStatement.class, Object.class}),    @Signature(type = Executor.class, method = "query", args = {MappedStatement.class, Object.class,        RowBounds.class, ResultHandler.class})})public class DynamicDataSourcePlugin implements Interceptor {  @Override  public Object intercept(Invocation invocation) throws Throwable {    MappedStatement ms = (MappedStatement)invocation.getArgs()[0];    DataSourceType dataSourceType = null;    if ((dataSourceType = DynamicDataSourceHolder.getFromCach(ms.getId())) == null) {      if (ms.getSqlCommandType().equals(SqlCommandType.SELECT)) {        dataSourceType = DataSourceType.READ;      } else {        dataSourceType = DataSourceType.WRITE;      }      DynamicDataSourceHolder.putToCache(ms.getId(), dataSourceType);    }    DynamicDataSourceHolder.putDataSource(dataSourceType);    return invocation.proceed();  }  @Override  public Object plugin(Object target) {    if (target instanceof Executor) {      return Plugin.wrap(target, this);    } else {      return target;    }  }  @Override  public void setProperties(Properties properties) {  }}

5.整合

在里面定义MyBatis要使用的内容及DataSource,内容如下:

import com.hfjy.service.order.wr.DBConfig;import com.hfjy.service.order.wr.DataSourceUtil;import com.hfjy.service.order.wr.DynamicDataSource;import org.apache.ibatis.session.SqlSessionFactory;import org.mybatis.spring.SqlSessionFactoryBean;import org.mybatis.spring.annotation.MapperScan;import org.springframework.beans.factory.annotation.Qualifier;import org.springframework.context.annotation.Bean;import org.springframework.context.annotation.Configuration;import org.springframework.core.io.ClassPathResource;import org.springframework.core.io.support.PathMatchingResourcePatternResolver;import org.springframework.jdbc.datasource.DataSourceTransactionManager;import javax.annotation.Resource;import javax.sql.DataSource;@Configuration@MapperScan(value = "com.hfjy.service.order.dao", sqlSessionFactoryRef = "sqlSessionFactory")public class DataSourceConfig {  @Resource  private DBConfig dbConfig;  @Bean(name = "dataSource")  public DynamicDataSource dataSource() {    DynamicDataSource dataSource = new DynamicDataSource();    dataSource.setWriteDataSource(DataSourceUtil.getDataSource(dbConfig.getWrite()));    dataSource.setReadDataSource(DataSourceUtil.getDataSource(dbConfig.getRead()));    return dataSource;  }  @Bean(name = "transactionManager")  public DataSourceTransactionManager dataSourceTransactionManager(@Qualifier("dataSource") DataSource dataSource) {    return new DataSourceTransactionManager(dataSource);  }  @Bean(name = "sqlSessionFactory")  public SqlSessionFactory sqlSessionFactory(@Qualifier("dataSource") DataSource dataSource) throws Exception {    SqlSessionFactoryBean sessionFactoryBean = new SqlSessionFactoryBean();    sessionFactoryBean.setConfigLocation(new ClassPathResource("mybatis-config.xml"));    sessionFactoryBean.setMapperLocations(new PathMatchingResourcePatternResolver()        .getResources("classpath*:mapper/*.xml"));    sessionFactoryBean.setDataSource(dataSource);    return sessionFactoryBean.getObject();  }}

看完上述内容是否对您有帮助呢?如果还想对相关知识有进一步的了解或阅读更多相关文章,请关注编程网行业资讯频道,感谢您对编程网的支持。

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

如何在Spring中使用MyBatis实现数据的读写分离

下载Word文档到电脑,方便收藏和打印~

下载Word文档

猜你喜欢

如何在Spring中使用MyBatis实现数据的读写分离

如何在Spring中使用MyBatis实现数据的读写分离?很多新手对此不是很清楚,为了帮助大家解决这个难题,下面小编将为大家详细讲解,有这方面需求的人可以来学习下,希望你能有所收获。其实现原理如下:通过Spring AOP对dao层接口进行
2023-05-31

在spring中使用mybatis实现对mysql数据库进行读写分离

这期内容当中小编将会给大家带来有关在spring中使用mybatis实现对mysql数据库进行读写分离,文章内容丰富且以专业的角度为大家分析和叙述,阅读完这篇文章希望大家可以有所收获。前言 在网站的用户达到一定规模后,数据库因为
2023-05-31

【Spring】如何实现多数据源读写分离?

作者个人研发的在高并发场景下,提供的简单、稳定、可扩展的延迟消息队列框架,具有精准的定时任务和延迟队列处理功能。

怎么在java中利用spring实现读写分离

怎么在java中利用spring实现读写分离?相信很多没有经验的人对此束手无策,为此本文总结了问题出现的原因和解决方法,通过这篇文章希望你能解决这个问题。1. 背景我们一般应用对数据库而言都是“读多写少”,也就说对数据库读取数据的压力比较
2023-05-30

Python中如何实现MySQL的读写分离读写以提高性能?(在Python中如何配置MySQL实现读写分离读写?)

Python实现MySQL读写分离,将数据库划分为读写和只读服务器,提高性能和可用性。步骤包括:创建专用连接、使用游标、确定操作类型、选择适当连接和游标、执行数据库操作、关闭连接。优点包括提高性能、增加可用性、数据一致性。缺点是延迟和配置复杂性。
Python中如何实现MySQL的读写分离读写以提高性能?(在Python中如何配置MySQL实现读写分离读写?)
2024-04-02

Linux下如何使用MaxScale实现数据库读写分离

这篇文章主要介绍Linux下如何使用MaxScale实现数据库读写分离,文中介绍的非常详细,具有一定的参考价值,感兴趣的小伙伴们一定要看完!MaxScale是maridb开发的一个mysql数据中间件,其配置简单,能够实现读写分离,并且可以
2023-06-27

Spring+Mybatis 实现aop数据库读写分离与多数据库源配置操作

在数据库层面大都采用读写分离技术,就是一个Master数据库,多个Slave数据库。Master库负责数据更新和实时数据查询,Slave库当然负责非实时数据查询。因为在实际的应用中,数据库都是读多写少(读取数据的频率高,更新数据的频率相对较
2023-05-31

SpringBoot使用JPA如何实现读写分离

今天就跟大家聊聊有关SpringBoot使用JPA如何实现读写分离,可能很多人都不太了解,为了让大家更加了解,小编给大家总结了以下内容,希望大家根据这篇文章可以有所收获。JPA是什么JPA(Java Persistence API)是Sun
2023-05-31

Node.js Sequelize如何实现数据库的读写分离

一、前言 在构建高并发的Web应用时,除了应用层要采取负载均衡方案外,数据库也要支持高可用和高并发性。使用较多的数据库优化方案是:通过主从复制(Master-Slave)的方式来同步数据,再通过读写分离(MySQL-Proxy)来提升数据库
2022-06-04

如何将Spring的动态数据源进行读写分离

这篇文章给大家介绍如何将Spring的动态数据源进行读写分离,内容非常详细,感兴趣的小伙伴们可以参考借鉴,希望对大家能有所帮助。一、创建基于ThreadLocal的动态数据源容器,保证数据源的线程安全性package com.bounter
2023-05-31

Java程序员干货学习笔记—Spring结合MyBatis实现数据库读写分离

随着系统用户访问量的不断增加,数据库的频繁访问将成为我们系统的一大瓶颈之一。由于项目前期用户量不大,我们实现单一的数据库就能完成。但是后期单一的数据库根本无法支撑庞大的项目去访问数据库,那么如何解决这个问题呢?实际的应用中,数据库都是读多写
2023-06-02

编程热搜

  • Python 学习之路 - Python
    一、安装Python34Windows在Python官网(https://www.python.org/downloads/)下载安装包并安装。Python的默认安装路径是:C:\Python34配置环境变量:【右键计算机】--》【属性】-
    Python 学习之路 - Python
  • chatgpt的中文全称是什么
    chatgpt的中文全称是生成型预训练变换模型。ChatGPT是什么ChatGPT是美国人工智能研究实验室OpenAI开发的一种全新聊天机器人模型,它能够通过学习和理解人类的语言来进行对话,还能根据聊天的上下文进行互动,并协助人类完成一系列
    chatgpt的中文全称是什么
  • C/C++中extern函数使用详解
  • C/C++可变参数的使用
    可变参数的使用方法远远不止以下几种,不过在C,C++中使用可变参数时要小心,在使用printf()等函数时传入的参数个数一定不能比前面的格式化字符串中的’%’符号个数少,否则会产生访问越界,运气不好的话还会导致程序崩溃
    C/C++可变参数的使用
  • css样式文件该放在哪里
  • php中数组下标必须是连续的吗
  • Python 3 教程
    Python 3 教程 Python 的 3.0 版本,常被称为 Python 3000,或简称 Py3k。相对于 Python 的早期版本,这是一个较大的升级。为了不带入过多的累赘,Python 3.0 在设计的时候没有考虑向下兼容。 Python
    Python 3 教程
  • Python pip包管理
    一、前言    在Python中, 安装第三方模块是通过 setuptools 这个工具完成的。 Python有两个封装了 setuptools的包管理工具: easy_install  和  pip , 目前官方推荐使用 pip。    
    Python pip包管理
  • ubuntu如何重新编译内核
  • 改善Java代码之慎用java动态编译

目录