数据源

类型

  • javax.sql.DataSource

  • javax.sql.XADataSource

  • org.springframework.jdbc.datasource.embedded,EnbeddedDataSource

Spring Boot 中的数据源

单数据源(官方推荐微服务使用单数据源)

  • 数据库连接池

    • Apache Commons DBCP

    • Tomcat DBCP

多数据源

实际生产中很可能会出现.

事务

  • Spring 中的事务通过PlatformTransactionManagere 管理, 使用 AOP 实现, 具体实现类是 TransactionInterceptor.

  • 事务传播(propagation)与保护点(savepoint): 二者密切相关.

Spring Boot 使用JDBC

单数据源

  1. 配置:
spring.datasource.driver-class-name=com.mysql.cj.jdbc.Driver
spring.datasource.url=jdbc:mysql://localhost:3306/product?serverTimezone=Hongkong&useUnicode=true&characterEncoding=utf8&useSSL=false
spring.datasource.username=xlx
spring.datasource.password=xlx

注意serverTimezone的配置, 亚洲一般配置为 Hongkong.

  1. 访问类注入DataSource
@Repository
public class ProductRepository { @Autowired
private DataSource dataSource;
...
}

多数据源配置

  1. 配置
spring.ds1.name=master
spring.ds1.driver-class-name=com.mysql.cj.jdbc.Driver
spring.ds1.url=jdbc:mysql://localhost:3306/product?serverTimezone=Hongkong&useUnicode=true&characterEncoding=utf8&useSSL=false
spring.ds1.username=xlx
spring.ds1.password=xlx spring.ds2.name=slave
spring.ds2.driver-class-name=com.mysql.cj.jdbc.Driver
spring.ds2.url=jdbc:mysql://localhost:3306/product?serverTimezone=Hongkong&useUnicode=true&characterEncoding=utf8&useSSL=false
spring.ds2.username=xlx
spring.ds2.password=xlx
  1. 继承 AbstractRoutingDataSource 抽象类并实现方法determineCurrentLookupKey()

这个类就是需要使用的数据源类型.

public class DynamicDataSource extends AbstractRoutingDataSource {
@Override
protected Object determineCurrentLookupKey() {
return DbTypeContextHolder.get();
}
}

查看 AbstractRoutingDataSource 的源码可以发现, 其定义了一个 Map<Object, Object> targetDataSources; 用来保存多数据源, 而上面重写的方法返回的就是需要使用的数据源的key.

public enum DBType {
MASTER,
SLAVE
}
  1. 定义 DbTypeContextHolder 其中使用一个 ThreadLocal 来保存key, 三个方法都必不可少. 分别用来获取, 设置, 清除.
@Slf4j
public class DbTypeContextHolder { private final static ThreadLocal<DBType> holder = new ThreadLocal<DBType>(); private final static ThreadLocal<Boolean> alwaysWrite = new ThreadLocal<Boolean>(); public static DBType get() {
if (alwaysWrite.get() != null && alwaysWrite.get()) {
log.info("将强制使用Write");
return DBType.MASTER;
}
log.info("获取到: "+holder.get().name());
return holder.get();
} public static void set(DBType dbType) {
log.info("设置为: "+dbType.name());
holder.set(dbType);
} public static void clean() {
log.info("清除...");
holder.remove();
} public static void setAlwaysWrite() {
log.info("设置强制Write");
alwaysWrite.set(true);
} public static void cleanAlwaysWrite() {
log.info("清除强制Write");
clean();
alwaysWrite.remove();
} }
  1. 定义数据源配置类 MultiDataSourceConfiguration
@Configuration
public class MultiDataSourceConfiguration { @Autowired
Environment environment; @Bean
public DataSource getDynamicDataSource(){
DynamicDataSource dynamicDataSource = new DynamicDataSource();
Map<Object,Object> map = new HashMap<>(); for (int i = 1; i < 3 ; i++) {
String name = environment.getProperty("spring.ds"+String.valueOf(i)+".name");
if (name==null) break;
DataSource dataSource = DataSourceBuilder.create()
.driverClassName(environment.getProperty("spring.ds"+String.valueOf(i)+".driver-class-name"))
.username(environment.getProperty("spring.ds"+String.valueOf(i)+".username"))
.url(environment.getProperty("spring.ds"+String.valueOf(i)+".url"))
.password(environment.getProperty("spring.ds"+String.valueOf(i)+".password"))
.build();
if (name.trim().toUpperCase().equals("MASTER")){
dynamicDataSource.setDefaultTargetDataSource(dataSource);
map.put(DBType.MASTER,dataSource);
}else{
map.put(DBType.SLAVE,dataSource);
}
} dynamicDataSource.setTargetDataSources(map);
return dynamicDataSource;
}
}
  1. 检查是否可用
public Boolean save(Product product) throws SQLException {
System.out.println("save product : "+product);
DbTypeContextHolder.set(DBType.MASTER);
System.out.println(dataSource.getConnection());
DbTypeContextHolder.clean(); DbTypeContextHolder.set(DBType.SLAVE);
System.out.println(dataSource.getConnection());
DbTypeContextHolder.clean();
return true;
}

结果如下,说明是两个不同的数据源:

HikariProxyConnection@1667860231 wrapping com.mysql.cj.jdbc.ConnectionImpl@78794b01
HikariProxyConnection@556437990 wrapping com.mysql.cj.jdbc.ConnectionImpl@314c0916
  1. 自动切换

可以定义切面来自动切换数据源. 比如普通的读写分离.

读写分离是通过定义在仓储层方法上的规则来实现, 同时也定义了在服务层必须使用写库来读取数据的方式.

除此之外, 如果使用 @Transactional , 因为其也是通过AOP方式实现, 所以与自动切换的AOP存在顺序关系, 为了能在 @Transactional 事务前设置好数据源, 需要增加 @Order(0) .

@Aspect
@Component
@Order(0)
public class DataSourceAspect { // 必须使用写库的
@Pointcut("execution(* com.xlx.product.repository.repo..*.save*(..)) || execution(* com.xlx.product.repository.repo..*.insert*(..)) || execution(* com.xlx.product.repository.repo..*.update*(..))")
public void write(){} @Before("write()")
public void beforeWrite(JoinPoint joinPoint){
System.out.println("beforeWrite()"+joinPoint.getSignature().getName());
DbTypeContextHolder.set(DBType.MASTER);
} @After("write()")
public void afterWrite(JoinPoint joinPoint){
DbTypeContextHolder.clean();
} // 必须使用读库的
@Pointcut("execution(* com.xlx.product.repository.repo..*.get*(..))|| execution(* com.xlx.product.repository.repo..*.select*(..))||execution(* com.xlx.product.repository.repo..*.count*(..))")
public void read(){} @Before("read()")
public void beforeRead(JoinPoint joinPoint){
DbTypeContextHolder.set(DBType.SLAVE);
} @After("read()")
public void afterRead(JoinPoint joinPoint){
DbTypeContextHolder.clean();
} // 服务层有注解的方法特殊处理
@Pointcut("@annotation(org.springframework.transaction.annotation.Transactional)" +
"||@annotation(com.xlx.product.repository.annotation.DBTypeAnnotation)")
public void readWrite(){} @Before("readWrite()")
public void before(JoinPoint joinPoint){
MethodSignature methodSignature = (MethodSignature)joinPoint.getSignature();
if(methodSignature.getMethod().isAnnotationPresent(Transactional.class)) DbTypeContextHolder.set(DBType.MASTER);
if(methodSignature.getMethod().isAnnotationPresent(DBTypeAnnotation.class)) DbTypeContextHolder.setAlwaysWrite();
} @After("readWrite()")
public void after(JoinPoint joinPoint){
DbTypeContextHolder.clean();
DbTypeContextHolder.cleanAlwaysWrite();
} }
/**
* 放置在方法上的注解, 用来指定使用的数据源类型, 默认使用主数据源
*/
@Target({ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface DBTypeAnnotation { @AliasFor("values")
DBType dbType() default DBType.MASTER; @AliasFor("dbType")
DBType values() default DBType.MASTER;
}
  1. service 和 controller
@Service
@Slf4j
public class ProductService { @Autowired
ProductRepository repository; public String findAndSave(){
log.info("findAndSave() 方法开始.....");
String rs = testFunc();
log.info("findAndSave() 方法结束.....");
return rs;
} @DBTypeAnnotation
public String findAndSaveWithWrite(){
log.info("findAndSaveWithWrite() 方法开始.....");
String rs = testFunc();
log.info("findAndSaveWithWrite() 方法结束.....");
return rs;
} private String testFunc() {
List<Product> productList = repository.selectAll();
repository.saveProduct(productList.get(0));
productList = repository.selectAll();
repository.saveProduct(productList.get(0));
return "ok";
} }
@RestController
public class ProductController { @Autowired
ProductService productService; @GetMapping("/product/findAndSave")
public String findAndSave()throws SQLException {
return productService.findAndSave();
} @GetMapping("/product/findAndSaveWithWrite")
public String findAndSaveWithWrite()throws SQLException {
return productService.findAndSaveWithWrite();
}
}

Spring Boot系列(三) Spring Boot 之 JDBC的更多相关文章

  1. Spring框架系列(2) - Spring简单例子引入Spring要点

    上文中我们简单介绍了Spring和Spring Framework的组件,那么这些Spring Framework组件是如何配合工作的呢?本文主要承接上文,向你展示Spring Framework组件 ...

  2. Spring框架系列(6) - Spring IOC实现原理详解之IOC体系结构设计

    在对IoC有了初步的认知后,我们开始对IOC的实现原理进行深入理解.本文将帮助你站在设计者的角度去看IOC最顶层的结构设计.@pdai Spring框架系列(6) - Spring IOC实现原理详解 ...

  3. Spring框架系列(8) - Spring IOC实现原理详解之Bean实例化(生命周期,循环依赖等)

    上文,我们看了IOC设计要点和设计结构:以及Spring如何实现将资源配置(以xml配置为例)通过加载,解析,生成BeanDefination并注册到IoC容器中的:容器中存放的是Bean的定义即Be ...

  4. Spring框架系列(12) - Spring AOP实现原理详解之JDK代理实现

    上文我们学习了SpringAOP Cglib动态代理的实现,本文主要是SpringAOP JDK动态代理的案例和实现部分.@pdai Spring框架系列(12) - Spring AOP实现原理详解 ...

  5. Spring框架系列(7) - Spring IOC实现原理详解之IOC初始化流程

    上文,我们看了IOC设计要点和设计结构:紧接着这篇,我们可以看下源码的实现了:Spring如何实现将资源配置(以xml配置为例)通过加载,解析,生成BeanDefination并注册到IoC容器中的. ...

  6. Spring框架系列(9) - Spring AOP实现原理详解之AOP切面的实现

    前文,我们分析了Spring IOC的初始化过程和Bean的生命周期等,而Spring AOP也是基于IOC的Bean加载来实现的.本文主要介绍Spring AOP原理解析的切面实现过程(将切面类的所 ...

  7. Spring框架系列(10) - Spring AOP实现原理详解之AOP代理的创建

    上文我们介绍了Spring AOP原理解析的切面实现过程(将切面类的所有切面方法根据使用的注解生成对应Advice,并将Advice连同切入点匹配器和切面类等信息一并封装到Advisor).本文在此基 ...

  8. Spring框架系列(11) - Spring AOP实现原理详解之Cglib代理实现

    我们在前文中已经介绍了SpringAOP的切面实现和创建动态代理的过程,那么动态代理是如何工作的呢?本文主要介绍Cglib动态代理的案例和SpringAOP实现的原理.@pdai Spring框架系列 ...

  9. 【Spring Boot&&Spring Cloud系列】Spring Boot中使用NoSql数据库Redis

    github地址:https://github.com/AndyFlower/Spring-Boot-Learn/tree/master/spring-boot-nosql-redis 一.加入依赖到 ...

随机推荐

  1. JavaEE高级-SpringMVC学习笔记

    *SpringMVC概述 - Spring为展示层提供的基于MVC设计理念的优秀Web框架,是目前最主流的MVC框架之一 - Spring3.0后全面超越Struts2,成为最优秀的MVC框架 - S ...

  2. Linux学习--第七天--用户和用户组

    用户和用户组 usermod -a -G groupname username // 将已有用户添加到已有用户组 /etc/passwd michael:x:500:500:CentOS:/home/ ...

  3. Codeforces 934 最长不递减子序列 多项式系数推导

    A B C 给你一个长度为N的01串 你可以翻转一次任意[L,R]的区间 问你最长的不递减序列为多少长 处理出1的前缀和 和2的后缀和 然后N^2 DP 处理出 [L,R]区间的最长不递增序列 #in ...

  4. Qt中添加自定义信号和槽带来的一些问题

    背景: 自己定义了一个类,并在类中添加了槽函数 class XImage : public QWidget { public: XImage(QWidget *p = 0); //重载绘制方法 upd ...

  5. shell练习--PAT题目1001:卡拉兹(Callatz)猜想(失败案例)

    卡拉兹(Callatz)猜想: 对任何一个正整数 n,如果它是偶数,那么把它砍掉一半:如果它是奇数,那么把 ( 砍掉一半.这样一直反复砍下去,最后一定在某一步得到 n=1.卡拉兹在 1950 年的世界 ...

  6. JDK,JRE与JVM浅析

    JAVA的两个特性: 1, 开源-指的是源代码免费 2,跨平台(可移植性好) 跨平台:是指跨操作系统 JVM(java virtual machine,java虚拟机) JVM就像是两国谈判时的使者充 ...

  7. [USACO10HOL]牛的政治Cow Politics

    农夫约翰的奶牛住在N ( <= N <= ,)片不同的草地上,标号为1到N.恰好有N-1条单位长度的双向道路,用各种各样的方法连接这些草地.而且从每片草地出发都可以抵达其他所有草地.也就是 ...

  8. [洛谷2257]YY的GCD 题解

    整理题目转化为数学语言 题目要我们求: \[\sum_{i=1}^n\sum_{i=1}^m[gcd(i,j)=p]\] 其中 \[p\in\text{质数集合}\] 这样表示显然不是很好,所以我们需 ...

  9. BP神经网络设计

    1.网络层数 大部分单个隐藏层即可 2.输入层神经元个数 输入变量的个数通常都是由问题的外部描述所确定的.例如,如果有4个外部变量作为网络的输入,那么网络就有4个输入.但是,这是不是意味着输入层的神经 ...

  10. bootstrap-multiselect 设置单选无效(设置单选依然是复选框)

    bootstrap-multiselect 的使用介绍:https://www.cnblogs.com/landeanfen/p/5013452.html bootstrap-multiselect ...