• 来看下这篇文章,教你如何实现一个SpringBoot的Mybatis分库分表组件


    如何设计这个组件?

    在做这个组件之前,我想应该考滤如下几个问题

    • 我们不是对所有的插入的数据进行分库分表,我应该有一个标记来标记哪些插入的操作要进行分库分表。
    • 插入的数据应该分到哪张表?分库的时候我应该如何让数据更新散列的分到不同的表中。

    对于第一个问题,因为这个组件是做的一个Spring一个分库分表的组件,我们大可使用SpringAop的特性来解决这个问题,比如:我自定义一个注解,只要在Mybatis的接口上标记了这个注解,在通过Spring Aop完美解决,那么在插入的时候我就需要分库分表的操作。

    对于第二个问题,我可以采用Hash散列的方式来处理,在Java中的HashMap类中的put方法,我们完全可以借鉴这种思路。我想了解过HashMap源码的同鞋可能更加的清楚一些,在HashMap类中有一个hash的方扰动方法,这个方法中他把key的hash值进行了一个高半位和低半位的混合异或运算。这个便更好的增加随机性,更好的让数据均匀的散列。

    可以看下下面这张图(图片来源:虫洞栈) 在使用了扰动函数后,数据分配的更加的均匀,这个可以更好的减少了hash碰撞。所以在解决第二个问题的时候,我们可以把这种Hash散列运用到数据库路由上。

    代码实现

    那我们先来解决第一个问题。如何让程序知道,我们在某个数据库操作的时候需要进行分库分表,这里涉及到知识有自定义注解和Spring AOP相关的(对这两点不太清楚的可以看下这篇文章:链接)

    1. project
    2. └─src
    3. └─main
    4. ├─java
    5. │ └─com
    6. │ └─yqs
    7. │ └─db
    8. │ └─router
    9. │ ├─annotation
    10. │ ├─config
    11. │ ├─dynamic
    12. │ ├─strategy
    13. │ │ └─impl
    14. │ └─util
    15. └─resources
    16. └─META-INF
    17. 复制代码

    先来大致的分下包:

    • annotation 这个包下就是和注解相关的一些文件
    • config starter的自动配置类
    • dynamic 数据源的切换相关
    • stategy 计算被分到哪个库那个表策略相关的(这里用到的策略模式,在扩展功能时也很方便)
    • util 一些工具包,这里后面再说

    注解讲解

    先来看下在自定义注解中用到的元注解

    • Retention 标记当前注解的生命周期
    • Target 当前注解可以标记在哪些地方

    Retention

    注解有3种不同的生命周期 Class、Source、Runtime

    1. 注解只保留在源代码中,当把Java文件编辑成Class字节码的时候,此注解消失。
    2. 注解只保留在Class字节码中,当JVM在加载Class文件的时候,此注解消失。
    3. 注解在运行期间一直保留。

    这个枚举类中就对应了上面说的三种生命周期

    类型描述
    CLASS注解只保留在Class字节码中,当JVM在加载Class文件的时候
    SOURCE注解只保留在源代码中
    RUNTIME注解在运行期间一直保留

    Target

    Target和上面说的那个注解一样,都是Java的元注解,Target注解标记当前注解可以标记在哪些位置,这里只看本文章用到的注解,注解也可以标记在不同的地方,比如 类、方法、字段、构造方法。

    1. @Target({ElementType.TYPE,ElementType.METHOD})
    2. 复制代码

    我想你一定在代码见过如上代码,此代码表明,当前的注解可以作用在方法,类上。加在其它的位置就会出现语法的错误。

    在项目中使用此组件配置文件

    我想在做这个项目之前应该先了解下这个组件的配置文件是什么样子的,这样在看后面的文章的时候可能更容易理解一些

    1. spring.datasource.driver-class-name=com.mysql.jdbc.Driver
    2. spring.datasource.username=root
    3. spring.datasource.password=123456
    4. spring.datasource.url=jdbc:mysql://ip:port/vipuser?useSSL=false
    5. server.port=8080
    6. mybatis.mapper-locations=classpath:mapper/*.xml
    7. # 有几个库
    8. db-router.db.datasource.dbCount=3
    9. # 每一个库里有几个表
    10. # 这里所说的表是相同的表比如有一个user表,
    11. # 然后会多复制出几个相同的表比如命名成 user_01,user_02,user_03,user_04
    12. db-router.db.datasource.tbCount=4
    13. # 这个配置你可以理解成默认的数据源是哪一个
    14. db-router.db.datasource.default=db00
    15. # 这个配置是除了默认的数据源外的数据源
    16. db-router.db.datasource.list=db01,db02
    17. db-router.db.datasource.db00.driver-class-name=com.mysql.jdbc.Driver
    18. db-router.db.datasource.db00.url=jdbc:mysql://ip:port/vipuser?useSSL=false
    19. db-router.db.datasource.db00.username=root
    20. db-router.db.datasource.db00.password=123456
    21. db-router.db.datasource.db01.driver-class-name=com.mysql.jdbc.Driver
    22. db-router.db.datasource.db01.url=jdbc:mysql://ip:port/vipuser?useSSL=false
    23. db-router.db.datasource.db01.username=root
    24. db-router.db.datasource.db01.password=123456
    25. db-router.db.datasource.db02.driver-class-name=com.mysql.jdbc.Driver
    26. db-router.db.datasource.db02.url=jdbc:mysql://ip:port/vipuser?useSSL=false
    27. db-router.db.datasource.db02.username=root
    28. db-router.db.datasource.db02.password=123456
    29. 复制代码

    实现自定义注解

    首页,我们上面说过要根据存入数据库的数据来计算将数据分配到哪个库哪张表里面。所以在定义这个注解的时候,我需要一个注解内的参数用来表明,根据哪个字段的数据计算所分配的库表。

    1. @Documented
    2. @Retention(RetentionPolicy.RUNTIME)
    3. @Target({ElementType.TYPE,ElementType.METHOD})
    4. public @interface DBRouter {
    5. /**
    6. * 需要进行分表分库的字段
    7. * 通过此字段来计算分到哪个表哪个库
    8. * @return
    9. */
    10. String key() default "";
    11. }
    12. 复制代码

    因为当前这个注解的生命周期需要一直留,即使是在运行期,所以这里的Retention使用的是RetentionPolicy.RUNTIME

    因为这次写的这个分库分表的组件是针对方法的,所以在这个**Target**使用的是ElementType.METHOD。

    这里的key方法,就是需要指定需要根据某个字段来计算库表。

    关于自定义注解的这里其实就挺简单的,主要就是创建了一个类,其他的并没有做什么。

    这里还需要用到一个自定义注解,通过这个注解来标名当前所执行的这个SQL是否需要分表的操作,这个注解就是启到一个标识的作用,对此并没有针对于他的AOP切面类。这个将会在后面所说的Mybatis的拦截中用到

    1. @Documented
    2. @Retention(RetentionPolicy.RUNTIME)
    3. @Target({ElementType.TYPE,ElementType.METHOD})
    4. public @interface DBRouterStrategy {
    5. boolean splitTable() default false;
    6. }
    7. 复制代码

    先来些准备工作

    说到这里,这个里的准备工作是说的啥呢?

    试想下我们所计算数据应该分到哪个库哪个表的逻辑是在切面类中计算的,所以在创建这个切面类的时候,我们至少应该知道有几个库几个表,还有就是需要计算的策略,这个组件中计算的策略是使用的策略模式,当然你也可以将这个计算库表的逻辑写到切面类中,这样做反而不好,第一:逻辑混乱,第二:不易扩展,如果我想要再新增一种策略的话需要还需要修改切面类。所以这里我就干脆使用策略模式。

    先来创建一个路由的配置类,这个类中保存有几张表,有几个库,还有就是需要一个路由字段

    1. public class DBRouterConfig {
    2. /**
    3. * 分库数量
    4. */
    5. private int dbCount;
    6. /**
    7. * 分表数量
    8. */
    9. private int tbCount;
    10. /**
    11. * 路由字段
    12. */
    13. private String routerKey;
    14. public DBRouterConfig() {
    15. }
    16. public DBRouterConfig(int dbCount, int tbCount, String routerKey) {
    17. this.dbCount = dbCount;
    18. this.tbCount = tbCount;
    19. this.routerKey = routerKey;
    20. }
    21. //.....get/set
    22. }
    23. 复制代码

    上面这些代码我想应该没有什么需要解释的了。

    接下来我应该还需要一种策略,这个策略关系到了数据会分到哪个库哪个表里面,先来一个接口,用来规范所有的策略里应该有哪些方法。

    1. public interface IDBRouterStrategy {
    2. /**
    3. * 路由计算
    4. * @param dbKeyAttr
    5. */
    6. void doRouter(String dbKeyAttr);
    7. /**
    8. * 手动设置分库路由
    9. * @param dbIdx
    10. */
    11. void setDBKey(int dbIdx);
    12. /**
    13. * 手动设置分表路由
    14. * @param tbIdx
    15. */
    16. void setTBKey(int tbIdx);
    17. /**
    18. * 获取分库数
    19. * @return
    20. */
    21. int dbCount();
    22. /**
    23. * 获取分表库
    24. * @return
    25. */
    26. int tbCount();
    27. /**
    28. * 清除路由
    29. */
    30. void clear();
    31. }
    32. 复制代码

    接定好接口后,我就应该实现一种计算的策略, 这个策略就用前面说的参考HashMap的那种策略就可以了。

    1. public class DBRouterStrategyHashCode implements IDBRouterStrategy {
    2. private DBRouterConfig dbRouterConfig;
    3. public DBRouterStrategyHashCode(DBRouterConfig dbRouterConfig) {
    4. this.dbRouterConfig = dbRouterConfig;
    5. }
    6. @Override
    7. public void doRouter(String dbKeyAttr) {
    8. //总表数
    9. int size = dbRouterConfig.getDbCount() * dbRouterConfig.getTbCount();
    10. int idx = (size - 1) & (dbKeyAttr.hashCode() ^ (dbKeyAttr.hashCode()) >>> 16);
    11. int dbIdx = idx / dbRouterConfig.getTbCount() + 1;
    12. int tbIdx = idx - dbRouterConfig.getTbCount() * (dbIdx - 1);
    13. DBContextHolder.setDbKey(String.format("%02d",dbIdx));
    14. DBContextHolder.setTbKey(String.format("%03d",tbIdx));
    15. logger.debug("数据库路由 dbIdx:{} tbIdx:{}", dbIdx, tbIdx);
    16. }
    17. @Override
    18. public void clear() {
    19. DBContextHolder.clearDBKey();
    20. DBContextHolder.clearTBKey();
    21. }
    22. }
    23. 复制代码

    先来看这个doRouter方法就好,这个类中最重要的就是这个方法,他就是用来计算数据将要分到哪里的。

    这个方法的逻辑就是先计算出一共有多少张表。你可以将这个一共有多少张表的数量想像成HashMap中桶的数量。

    然后根据所传入这个的dbKeyAttr进行扰动计算然后再和表的总数进行与的运算,这样将得到的结果就是我们所要放入库的位置。

    当然,计算得到的这个数并不能直接的使用,因为我们表或库的数量是在1开始的,所以这里还要单独的计算出一个值。

    最后将这个值存入DBContextHolder中。

    对了,这里还用到的一个DBContextHolder这个类中主要就是存放了计算后的库位置和表位置,这个类就就是使用了ThreadLocal来存下

    1. public class DBContextHolder {
    2. private static final ThreadLocal<String> dbKey = new ThreadLocal<String>();
    3. private static final ThreadLocal<String> tbKey = new ThreadLocal<String>();
    4. public static void setDbKey(String dbKeyIdx){
    5. dbKey.set(dbKeyIdx);
    6. }
    7. public static String getDBKey(){
    8. return dbKey.get();
    9. }
    10. public static void setTbKey(String dbKeyIdx){
    11. tbKey.set(dbKeyIdx);
    12. }
    13. public static String getTBKey(){
    14. return tbKey.get();
    15. }
    16. public static void clearDBKey(){
    17. dbKey.remove();
    18. }
    19. public static void clearTBKey(){
    20. tbKey.remove();
    21. }
    22. }
    23. 复制代码

    这个类大家看下就好,没有什么难度,就是一堆set get clear啥的,ThreadLocal最基本的API

    上面的准备工作完成后,下面就来实现切面类的代码。

    如何让注解生效呢?

    我在上面单纯的创建了一个注解类,把他标记到了方法,这样运行而来并没有什么用。如何让他生效呢?这里就需要引入Spring中AOP相关的模块。

    Tip:AOP模块在整个Spring中占有很高的地位,大家有时间可以针对性的看下AOP相关的文章。

    首先需要在项目中引入SpringAop相关的包,缺少了他们,我们并不能很好的完成这个项目。

    1. <dependency>
    2. <groupId>org.springframework.boot</groupId>
    3. <artifactId>spring-boot-starter</artifactId>
    4. </dependency>
    5. <dependency>
    6. <groupId>org.springframework.boot</groupId>
    7. <artifactId>spring-boot-starter-aop</artifactId>
    8. </dependency>
    9. 复制代码

    有了前面这些步骤的铺垫,也就可以开始写让注解生效的代码了。首先我们需要一个**切入点**,这个切入点的作用在于,当某一个方法标记上这个注解的时候,AOP会对这个方法进行增强。说白了就是动态代理。

    1. @Aspect
    2. public class DBRouterJoinPoint {
    3. private DBRouterConfig dbRouterConfig;
    4. private IDBRouterStrategy dbRouterStrategy;
    5. public DBRouterJoinPoint(DBRouterConfig dbRouterConfig, IDBRouterStrategy dbRouterStrategy) {
    6. this.dbRouterConfig = dbRouterConfig;
    7. this.dbRouterStrategy = dbRouterStrategy;
    8. }
    9. @Pointcut("@annotation(com.yqs.db.router.annotation.DBRouter)")
    10. public void aopPoint(){}
    11. @Around("aopPoint() && @annotation(dbRouter)")
    12. public Object doRouter(ProceedingJoinPoint jp, DBRouter dbRouter) throws Throwable{
    13. //计算分到某个库或表的字段
    14. String fieldKey = dbRouter.key();
    15. if(StringUtils.isBlank(fieldKey) && StringUtils.isBlank(dbRouterConfig.getRouterKey()) ){
    16. logger.error("annotation DBRouter key is null");
    17. throw new RuntimeException("annotation DBRouter key is null");
    18. }
    19. fieldKey = StringUtils.isNotBlank(fieldKey) ? fieldKey : dbRouterConfig.getRouterKey();
    20. //路由属性
    21. String dbKeyAttr = getAttrValue(fieldKey,jp.getArgs());
    22. dbRouterStrategy.doRouter(dbKeyAttr);
    23. try{
    24. return jp.proceed();
    25. }finally {
    26. dbRouterStrategy.clear();
    27. }
    28. }
    29. private String getAttrValue(String attr, Object[] args) {
    30. if (1 == args.length) {
    31. Object arg = args[0];
    32. if(arg instanceof String){
    33. return arg.toString();
    34. }
    35. }
    36. String filedValue = null;
    37. for(Object arg : args){
    38. try{
    39. if(StringUtils.isNotBlank(filedValue)){
    40. break;
    41. }
    42. filedValue = BeanUtils.getProperty(arg,attr);
    43. }catch (Exception e){
    44. logger.error("获取路由属性值失败 attr:{}", attr, e);
    45. }
    46. }
    47. return filedValue;
    48. }
    49. }
    50. 复制代码

    类中的getAttrValue方法主要就是用来获取字段中的数据的。

    比如有一个User类,字段有username。

    那这个方法的作用就是将这个User对象中的username的值获取出来。后面在计算分到库表位置的也候就是通过这个获取到的值进行hash计算的。

    然后获取到这个值后传入到dbRouterStrategy#doRouter方法中将库位置和表位置计算出来保存到DBContextHolder中。

    加载配置文件中的配置

    现在我们这个组件的进度已经完成了核心的代码,在这些核心代码使用的前提是需要将配置文件中的配置加载到内存中,这样在计算出哪个库哪个表后,我们才可以把数据插入到数据库里面。

    Tip:配置文件的格式已经在上面列了出来。在看这节的时候大家可以参考着配置文件的格式来看这节内容。

    到了这里加载配置文件的时候,我现在遇到了一个问题,如何在SpringBoot项目启动成功时将配置文件中组件的配置加载到内存呢?

    解决这个问题,我们可以通过SpringBoot给我们提供的扩展点来实现。在SpringBoot中有一个EnvironmentAware接口,当一个让Spring来管理的Bean实现了这个接口的时候,在SpringBoot启动成功时,便会回调这个类中的setEnvironment方法,在这个方法的environment参数中便可以获取到配置文件的信息。所以,遇到的这个问题可以通过这种方式解决。

    1. public class DataSourceAutoConfig implements EnvironmentAware {
    2. /**
    3. * 数据库列表的分割符
    4. */
    5. private static final String DATA_SOURCE_SPLIT_CHAR = ",";
    6. /**
    7. * 数据源配置组
    8. */
    9. private Map<String, Map<String, Object>> dataSourceMap = new HashMap<>();
    10. /**
    11. * 默认数据源配置
    12. */
    13. private Map<String, Object> defaultDataSourceConfig;
    14. private int dbCount;
    15. /**
    16. * 分表数量
    17. */
    18. private int tbCount;
    19. /**
    20. * 路由字段
    21. */
    22. private String routerKey;
    23. @Override
    24. public void setEnvironment(Environment environment) {
    25. String prefix = "db-router.db.datasource.";
    26. //获取数据库的数量
    27. dbCount = Integer.valueOf(environment.getProperty(prefix + "dbCount"));
    28. //获取表的数量
    29. tbCount = Integer.valueOf(environment.getProperty(prefix + "tbCount"));
    30. //获取出数据源列表
    31. String dataSource = environment.getProperty(prefix + "list");
    32. //如果数据源列表是空的,则停止往下执行
    33. assert dataSource != null;
    34. //获取数据源的配置
    35. for(String dbInfo : dataSource.split(DATA_SOURCE_SPLIT_CHAR)){
    36. Map<String, Object> dataSourceProps = PropertyUtil.handle(environment, prefix + dbInfo, Map.class);
    37. dataSourceMap.put(dbInfo,dataSourceProps);
    38. }
    39. //获取出默认的数据源
    40. String defaultDataSource = environment.getProperty(prefix + "default");
    41. defaultDataSourceConfig = PropertyUtil.handle(environment,prefix + defaultDataSource, Map.class);
    42. }
    43. }
    44. 复制代码

    这些代码里面还自定义了一个工具类**PropertyUtil**因为在获取数据源配置的时候,通过PropertyUtil#handle就直接把当前这个数据源信息获取出来并转成了Map.

    在SpringBoot中1.x的版本和2.x的版本获取的方式不一样,这里我只完成了2.x的版本获取配置的方式。1.x版本的结构我也写好了,只不过没有完善,感兴趣的可以自已完善下

    1. public class PropertyUtil {
    2. /**
    3. * 此标记为SpringBoot的大版本号如:1.x和2.x
    4. * 在加载属性的时候SpringBoot1.x和2.x使用的方法有些差异
    5. * 在获取属性的时候根据此版本号来区分代码
    6. */
    7. private static int springBootVersion = 1;
    8. static {
    9. try{
    10. Class.forName("org.springframework.boot.bind.RelaxedPropertyResolver");
    11. }catch (ClassNotFoundException e) {
    12. springBootVersion = 2;
    13. }
    14. }
    15. /**
    16. * Spring Boot 1.x和2.x使用的加载属性的代码有差异在这里区分
    17. * @param environment
    18. * @param path
    19. * @param clazz
    20. * @return
    21. * @param
    22. */
    23. public static <T> T handle(Environment environment,String path,Class<T> clazz){
    24. switch (springBootVersion){
    25. case 1:
    26. return (T)v1(environment,path);
    27. case 2:
    28. return (T)v2(environment,path,clazz);
    29. }
    30. return null;
    31. }
    32. /**
    33. * Spring Boot 1.x使用的方法
    34. * @param environment
    35. * @param path
    36. * @return
    37. */
    38. private static Object v1(final Environment environment,final String path){
    39. return null;
    40. }
    41. /**
    42. * Spring Boot 2.x使用的方法
    43. * @param environment
    44. * @param path
    45. * @return
    46. */
    47. private static Object v2(final Environment environment,final String path,final Class<?> targetClass){
    48. try {
    49. Class<?> binderClass = Class.forName("org.springframework.boot.context.properties.bind.Binder");
    50. Method getMethod = binderClass.getDeclaredMethod("get", Environment.class);
    51. Method bindMethod = binderClass.getDeclaredMethod("bind", String.class, Class.class);
    52. Object bindObject = getMethod.invoke(null, environment);
    53. String prefixParam = path.endsWith(".") ? path.substring(0,path.length() - 1) : path;
    54. Object bindResultObject = bindMethod.invoke(bindObject, prefixParam, targetClass);
    55. Method resultGetMethod = bindResultObject.getClass().getDeclaredMethod("get");
    56. return resultGetMethod.invoke(bindResultObject);
    57. } catch (ClassNotFoundException | NoSuchMethodException | InvocationTargetException | IllegalAccessException e) {
    58. throw new RuntimeException(e);
    59. }
    60. }
    61. }
    62. 复制代码

    以上代码就完成了在SpringBoot启动的时候加载配置文件的功能

    到此DataSourceAutoConfig类中的代码还没有写完。这个里面还有一些创建数据库 事务对象的创建操作。这些东西我们在下一节在细细道来。

    完善自动配置类的代码

    大家可以想下,代码咱们写到里,似乎还缺少一些关键的东西。

    具体缺少啥 ,咱们来分析一下,在配置文件中,我们写了多个数据库的配置,肯定需要将这配置的多个数据库给创建出多个数据源,然后在保存数据计算出库的位置,然后来回切换数据源,达到保存到指定的数据库里面。

    在DataSourceAutoConfig#setEnvironment的方法中已经把相关的数据库的配置保存在了Map中,所以我只需要通过这个Map把数据源创建出来即可。

    1. @Bean
    2. public DataSource dataSource(){
    3. Map<Object,Object> targetDataSource = new HashMap<>();
    4. for(String dbInfo : dataSourceMap.keySet()){
    5. Map<String, Object> objMap = dataSourceMap.get(dbInfo);
    6. targetDataSource.put(dbInfo,new DriverManagerDataSource(
    7. objMap.get("url").toString(),
    8. objMap.get("username").toString(),
    9. objMap.get("password").toString()
    10. ));
    11. }
    12. //设置默认数据源
    13. DynamicDataSource defaultDataSource = new DynamicDataSource();
    14. defaultDataSource.setTargetDataSources(targetDataSource);
    15. defaultDataSource.setDefaultTargetDataSource(new DriverManagerDataSource(
    16. defaultDataSourceConfig.get("url").toString(),
    17. defaultDataSourceConfig.get("username").toString(),
    18. defaultDataSourceConfig.get("password").toString()
    19. ));
    20. return defaultDataSource;
    21. }
    22. 复制代码

    在DynamicDataSource对象中需要设置默认的数据源和目标数据源(你可以将这个理解成除了默认数据源外其它有哪些数据源)

    这些代码中用到一个类DynamicDataSource,这个类是由我自定义的他主要的作用就是用来数据源的切换。而这个自定义的类继承自AbstractRoutingDataSource类,这个是spring.jdbc中提供的一个,他的作用在于在执行DML操作之前可以根据规则来使用哪一个数据源。在执行DML之前会回调这个类中的determineCurrentLookupKey方法来切换数据源。

    1. public class DynamicDataSource extends AbstractRoutingDataSource {
    2. private Logger logger = LoggerFactory.getLogger(DynamicDataSource.class);
    3. @Override
    4. protected Object determineCurrentLookupKey() {
    5. logger.info("切换数据源:{}","db" + DBContextHolder.getDBKey());
    6. return "db" + DBContextHolder.getDBKey();
    7. }
    8. }
    9. 复制代码

    这个自动配置类中还需要创建出其它的对象,这里一块就贴出来吧,

    1. @Bean(name = "db-router-point")
    2. @ConditionalOnMissingBean
    3. public DBRouterJoinPoint point(DBRouterConfig dbRouterConfig, IDBRouterStrategy dbRouterStrategy){
    4. return new DBRouterJoinPoint(dbRouterConfig,dbRouterStrategy);
    5. }
    6. @Bean
    7. public DBRouterConfig dbRouterConfig(){
    8. return new DBRouterConfig(dbCount,tbCount,routerKey);
    9. }
    10. @Bean
    11. public Interceptor plugin(){
    12. return new DynamicMybatisPlugin();
    13. }
    14. @Bean
    15. public IDBRouterStrategy dbRouterStrategy(DBRouterConfig dbRouterConfig){
    16. return new DBRouterStrategyHashCode(dbRouterConfig);
    17. }
    18. 复制代码

    这里分别创建出了 切面类、路由配置类、路由策略、还有一个Mybaits的插件对象

    其它的那个几倒是没有什么可解释的,这里来说下Mybaits的插件对象。

    在上面我们通过自定义的DynamicDataSource类实现了数据源的切换,现在我没还缺一个表的切换。因为这个组件是和Mybatis配合使用的,所有这里我们可以使用Mybatis的扩展点来实现,通过Mybaits的拦截器就可以实现这个功能。

    1. @Intercepts({@Signature(type = StatementHandler.class,method = "prepare",args = {Connection.class,Integer.class})})
    2. public class DynamicMybatisPlugin implements Interceptor {
    3. private Pattern pattern = Pattern.compile("(from|into|update)[\\s]{1,}(\\w{1,})", Pattern.CASE_INSENSITIVE);
    4. @Override
    5. public Object intercept(Invocation invocation) throws Throwable {
    6. //获取到语句处理程序
    7. StatementHandler statementHandler = (StatementHandler)invocation.getTarget();
    8. MetaObject metaObject = MetaObject.forObject(statementHandler, SystemMetaObject.DEFAULT_OBJECT_FACTORY, SystemMetaObject.DEFAULT_OBJECT_WRAPPER_FACTORY, new DefaultReflectorFactory());
    9. MappedStatement mappedStatement = (MappedStatement)metaObject.getValue("delegate.mappedStatement");
    10. //获取自定义注解判断是否进行分表操作
    11. String id = mappedStatement.getId();
    12. String className = id.substring(0, id.lastIndexOf("."));
    13. Class<?> clazz = Class.forName(className);
    14. DBRouterStrategy dbRouterStrategy = clazz.getAnnotation(DBRouterStrategy.class);
    15. if(null == dbRouterStrategy || !dbRouterStrategy.splitTable()){
    16. return invocation.proceed();
    17. }
    18. //获取SQL语句
    19. BoundSql boundSql = statementHandler.getBoundSql();
    20. String sql = boundSql.getSql();
    21. //替换表名
    22. Matcher matcher = pattern.matcher(sql);
    23. String tableName = null;
    24. if(matcher.find()){
    25. tableName = matcher.group().trim();
    26. }
    27. assert null != tableName;
    28. //将原来的表名替换成计算后的表名
    29. String replaceSql = matcher.replaceAll(tableName + "_" + DBContextHolder.getTBKey());
    30. //通过反射修改SQL
    31. Field sqlField = boundSql.getClass().getDeclaredField("sql");
    32. sqlField.setAccessible(true);
    33. sqlField.set(boundSql,replaceSql);
    34. sqlField.setAccessible(false);
    35. return invocation.proceed();
    36. }
    37. }
    38. 复制代码

    这个拦截器的主要作用就是通过拦截StatementHandler,来实现在执行SQL之前把sql中的表名给替换掉,就完成了表的切换。

    到此,相关的代码就完成了开发,在引入咱们写的这个组件的时候,我希望他可以自动的配置,所以这里我还需要再加一个东西。来请他在SpringBoot启动的时候完成自动的配置

    在resource目录下创建一个META-INF文件下创建一个spring.factories文件.

    1. org.springframework.boot.autoconfigure.EnableAutoConfiguration=com.yqs.db.router.config.DataSourceAutoConfig
    2. 复制代码

    为什么加了这个东西就可以实现自动配置,这里和Java中的SPI机制相似,但是还不能说他就是Java中的SPI,有兴趣的可以查下相关资料。

    到此,我想这个组件就已经开发完成了。大家就可以打包在写一个DEMO引入下测试下了。

  • 相关阅读:
    Python Cartopy地图投影【3】
    Linux C语言进阶-D15递归函数和函数指针
    Creator 2.4.x 分享游戏图片
    纳米二氧化硅/分解酶/聚己内酯复合微球/银纳米颗粒修饰二氧化硅微球SERS基底的应用
    vue中babel-plugin-component按需引入和element-ui 的主题定制,支持发布,上线
    最廉价的5.1家庭影院系统解决方案
    【JAVA】CSS3:3D、过渡、动画、布局、伸缩盒
    MYSQL 存储引擎篇
    米家小白智能摄像机 JTSXJ01CM 刷机教程
    使用数据增强从头开始训练卷积神经网络(CNN)
  • 原文地址:https://blog.csdn.net/m0_71777195/article/details/127688362