SpringBoot实现多数据源,集成mybatis和JPA

前言:

使用2个数据库,数据库A:phm  数据库B:mcs 。

在项目中主要使用hibernate实现全自动ORM,但是在复杂的业务中,需要使用mybatis来实现业务需求。

一、入门

1、添加依赖

         <!-- 整合mybatis --><dependency><groupId>org.mybatis.spring.boot</groupId><artifactId>mybatis-spring-boot-starter</artifactId><version>1.1.1</version></dependency><!--    JPA 依赖     --><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-data-jpa</artifactId></dependency>

1、多数据源配置

spring:#druid多数据源配置datasource:health:#健康管理数据库配置username: rootpassword: rootjdbc-url: jdbc:mysql://localhost:3306/PHM724?serverTimezone=UTC&useSSL=falsedriver-class-name: com.mysql.cj.jdbc.Drivermcs:#状态数据库配置username: rootpassword: rootjdbc-url: jdbc:mysql://localhost:3306/PHM724DB?serverTimezone=UTC&useSSL=falsedriver-class-name: com.mysql.cj.jdbc.Driver
#mybatis配置
mybatis:mapper-locations: classpath:/mapper/phm/*.xml,classpath:/mapper/mcs/*.xml configuration:map-underscore-to-camel-case: true #开启驼峰映射

2、创建配置类来配置多个数据源

通过NamedParameterJdbcTemplate 对JdbcTemplate的扩展

/*** @Author:suntingting* @Date:2023/7/31 17:01* @Desc: 创建一个配置类来配置多个数据源* @Filename:DataSourceConfig*/
@Configuration
public class DataSourceConfig {@Bean(name = "healthDataSource")@Qualifier("healthDataSource")@ConfigurationProperties(prefix = "spring.datasource.health")//来设置每个数据源的配置参数,来自于yml@Primary //设置主要数据源public DataSource healthDataSource() {return DataSourceBuilder.create().build();}@Bean(name = "mcsDataSource")@Qualifier("mcsDataSource")@ConfigurationProperties(prefix = "spring.datasource.mcs") //来设置每个数据源的配置参数,来自于ymlpublic DataSource mcsDataSource() {return DataSourceBuilder.create().build();}/*** 可以方便地替代JdbcTemplate,用于执行带有命名参数的SQL语句。* NamedParameterJdbcTemplate是对JdbcTemplate的扩展,* 它允许我们使用命名参数而不是?占位符来设置SQL语句的参数。* 使用命名参数可以使SQL语句更加易读和易于维护,而不需要关注参数的位置。* @param dataSource* @return*/@Bean(name = "healthJdbcTemplate")@Qualifier("healthJdbcTemplate")@Primarypublic NamedParameterJdbcTemplate healthJdbcTemplate(@Qualifier("healthDataSource") DataSource dataSource) {return new NamedParameterJdbcTemplate(dataSource);}@Bean(name = "mcsJdbcTemplate")@Qualifier("mcsJdbcTemplate")public NamedParameterJdbcTemplate mcsJdbcTemplate(@Qualifier("mcsDataSource") DataSource dataSource) {return new NamedParameterJdbcTemplate(dataSource);}}

3、mybatis集成配置

/*** @Author:suntingting* @Date:2023/7/31 17:01* @Desc: 配置 MyBatis 的health数据源 和 SqlSessionFactory* @Filename:HealthDBConfig*/
@Configuration
@MapperScan(basePackages = {"com.sinux.health.system.dao.phmDao.mapper"}, sqlSessionTemplateRef  = "healthSqlSessionTemplate")
public class HealthDBConfig {@Autowired@Qualifier("healthDataSource")private DataSource healthDataSource;@Bean(name = "healthSessionFactory")public SqlSessionFactory healthSessionFactory() throws Exception{SqlSessionFactoryBean factoryBean = new SqlSessionFactoryBean();factoryBean.setDataSource(healthDataSource);Resource[] mapperLocations = new PathMatchingResourcePatternResolver().getResources("classpath:mapper/phm/*.xml");// 配置 MyBatis Mapper 扫描路径factoryBean.setMapperLocations(mapperLocations);//用于设置MyBatis的配置文件的位置factoryBean.setConfigLocation(new PathMatchingResourcePatternResolver().getResource("classpath:config/phmDB/mybatis-config.xml"));return factoryBean.getObject();}@Bean(name = "healthTransactionManager")public DataSourceTransactionManager healthDataSourceTransactionManager(@Qualifier("healthDataSource") DataSource dataSource){return new DataSourceTransactionManager(dataSource);}@Bean(name="healthSqlSession")public SqlSession healthSqlSession(@Qualifier("healthSessionFactory")SqlSessionFactory sqlSessionFactory){return sqlSessionFactory.openSession();}@Bean(name = "healthSqlSessionTemplate")public SqlSessionTemplate healthSqlSessionTemplate( @Qualifier("healthSessionFactory") SqlSessionFactory sqlSessionFactory) throws Exception{SqlSessionTemplate template = new SqlSessionTemplate(sqlSessionFactory);return template;}}

/*** @Author:suntingting* @Date:2023/7/31 17:01* @Desc: 数据库 MSC 的配置* @Filename:MCSDBConfig*/
@Configuration
@MapperScan(basePackages = {"com.sinux.health.system.dao.mcsDao.mapper"}, sqlSessionTemplateRef  = "mcsSqlSessionTemplate")
public class MCSDBConfig {@Autowired@Qualifier("mcsDataSource")private DataSource mcsDataSource;@Bean(name = "mcsSessionFactory")public SqlSessionFactory mcsSessionFactory() throws Exception{SqlSessionFactoryBean factoryBean = new SqlSessionFactoryBean();factoryBean.setDataSource(mcsDataSource);Resource[] mapperLocations = new PathMatchingResourcePatternResolver().getResources("classpath:mapper/mcs/*.xml");factoryBean.setMapperLocations(mapperLocations);factoryBean.setConfigLocation(new PathMatchingResourcePatternResolver().getResource("classpath:config/mcsDB/mybatis-config.xml"));return factoryBean.getObject();}@Bean(name = "mcsTransactionManager")public DataSourceTransactionManager mcsDataSourceTransactionManager(@Qualifier("mcsDataSource") DataSource dataSource){return new DataSourceTransactionManager(dataSource);}@Bean(name="mcsSqlSession")public SqlSession mcsSqlSession(@Qualifier("mcsSessionFactory")SqlSessionFactory sqlSessionFactory){return sqlSessionFactory.openSession();}@Bean(name = "mcsSqlSessionTemplate")public SqlSessionTemplate mcsSqlSessionTemplate() throws Exception{SqlSessionTemplate template = new SqlSessionTemplate(mcsSessionFactory());return template;}}

4、jpa配置

/**** @Author:suntingting* @Date:2023/8/1 15:01* @Desc: 数据源1 health 配置类* 配置对应的映射类和repository、或者mapper和mappper.xml的完整路径* 如何取连接数据库* 配置实体扫描以及事务管理* @Filename:HealthDBJPAConfig*/
@Configuration
@EnableTransactionManagement
@EnableJpaRepositories(basePackages = {"com.sinux.health.system.dao.phmDao.jpa"},entityManagerFactoryRef = "entityManagerFactoryHealth",transactionManagerRef = "transactionManagerHealth")
public class HealthDBJPAConfig {@Autowired@Qualifier("healthDataSource")private DataSource healthDataSource; //health数据源注入@Resourceprivate JpaProperties jpaProperties;@Resourceprivate HibernateProperties hibernateProperties;/***  EntityManagerFactory类似于Hibernate的SessionFactory,mybatis的SqlSessionFactory*  总之,在执行操作之前,我们总要获取一个EntityManager,这就类似于Hibernate的Session,*  mybatis的sqlSession.* @param builder* @return*/@Bean(name = "entityManagerHealth")@Primarypublic EntityManager entityManagerHealth(EntityManagerFactoryBuilder builder) {
//        return entityManagerFactoryHealth(builder).getObject().createEntityManager();return SharedEntityManagerCreator.createSharedEntityManager(entityManagerFactoryHealth(builder).getObject());}@Bean(name = "entityManagerFactoryHealth") //实体工厂@Primarypublic LocalContainerEntityManagerFactoryBean entityManagerFactoryHealth(EntityManagerFactoryBuilder builder) {Map<String, Object> properties = hibernateProperties.determineHibernateProperties(jpaProperties.getProperties(), new HibernateSettings());LocalContainerEntityManagerFactoryBean entityManagerFactoryBean = builder.dataSource(healthDataSource).properties(properties).packages("com.sinux.health.system.domain.phmDB") // JPA 实体类所在的包路径.persistenceUnit("healthPersistenceUnit").build();return entityManagerFactoryBean;}/***  配置事物管理器* @param builder* @return*/@Bean(name = "transactionManagerHealth")@Primarypublic PlatformTransactionManager transactionManagerHealth(EntityManagerFactoryBuilder builder) {return new JpaTransactionManager(entityManagerFactoryHealth(builder).getObject());}}

**** @Author:suntingting* @Date:2023/8/1 15:01* @Desc: 数据源1 mcs 配置类* 配置对应的映射类和repository、或者mapper和mappper.xml的完整路径* @Filename:MCSDBJPAConfig*/
@Configuration
@EnableTransactionManagement
@EnableJpaRepositories(basePackages = {"com.sinux.health.system.dao.mcsDao.jpa"}, //这个数据源对应的repositoryentityManagerFactoryRef = "entityManagerFactoryMcs",transactionManagerRef = "transactionManagerMcs")
public class MCSDBJPAConfig {@Autowired@Qualifier("mcsDataSource") //value要和DataSourceConfig的值一致private DataSource mcsDataSource;@Autowiredprivate JpaProperties jpaProperties;@Autowiredprivate HibernateProperties hibernateProperties;@Bean(name = "entityManagerMcs")public EntityManager entityManagerMcs(EntityManagerFactoryBuilder builder) {
//        return entityManagerFactoryMcs(builder).getObject().createEntityManager();//Mark 必须用SharedEntityManagerCreator,不然会报懒加载异常return SharedEntityManagerCreator.createSharedEntityManager(entityManagerFactoryMcs(builder).getObject());}@Bean(name = "entityManagerFactoryMcs")public LocalContainerEntityManagerFactoryBean entityManagerFactoryMcs(EntityManagerFactoryBuilder builder) {Map<String, Object> properties = hibernateProperties.determineHibernateProperties(jpaProperties.getProperties(), new HibernateSettings());LocalContainerEntityManagerFactoryBean entityManagerFactoryBean = builder.dataSource(mcsDataSource).properties(properties).packages("com.sinux.health.system.domain.mcsDB") //设置实体类所在位置.persistenceUnit("mcsPersistenceUnit").build();return entityManagerFactoryBean;}@Bean(name = "transactionManagerMcs")public PlatformTransactionManager transactionManagerMcs(EntityManagerFactoryBuilder builder) {return new JpaTransactionManager(entityManagerFactoryMcs(builder).getObject());}}

二、遇到的问题

问题1:

No MyBatis mapper was found in '[com.sinux.health.system.dao.mcsDao.mapper]' package. Please check your configuration. 

原因:配置了XML ,但是dao里面没有添加文件

问题2:

The bean 'userDao', defined in com.sinux.health.system.dao.phmDao.mapper.UserDao defined in @EnableJpaRepositories declared on HealthDBJPAConfig, could not be registered. A bean with that name has already been defined in file [D:\sinux_2023\project\phm\724_3\code\PHMServer\target\classes\com\sinux\health\system\dao\phmDao\mapper\UserDao.class] and overriding is disabled.
 

原因:重复注入了bean

问题3:

Caused by: java.lang.IllegalStateException: Cannot convert value of type 'org.mybatis.spring.SqlSessionTemplate' to required type 'org.apache.ibatis.session.SqlSessionFactory' for property 'sqlSessionFactory': no matching editors or conversion strategy found

原因:配置文件有错误

问题4:如果报某个Bean找不到

原因:你需要在resource中的mapper中添加xml文件

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

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

相关文章

Windows同时安装两个版本的JDK并随时切换,以JDK6和JDK8为例,并解决相关存在的问题(亲测有效)

Windows同时安装两个版本的JDK并随时切换&#xff0c;以JDK6和JDK8为例&#xff0c;并解决相关存在的问题&#xff08;亲测有效&#xff09; 1.下载不同版本JDK 这里给出JDK6和JDK的百度网盘地址&#xff0c;具体安装过程&#xff0c;傻瓜式安装即可。 链接&#xff1a;http…

【Linux】用户相关内容

如果命令ll 出现以上信息&#xff0c;UID为具体的数字&#xff0c;代表之前UID为502的用户被删除了。 更改目录或文件所属用户和所属组 在Linux中&#xff0c;创建一个文件时&#xff0c;该文件的拥有者都是创建该文件的用户。 更改所属用户 chown 用户名 文件名/目录名 更…

VisualStudioWindows下 远程调试

前置条件 1、调试方与被调试方&#xff0c;以下简称调试方为A&#xff0c;被调试方为B。A与B双方能相互ping通 2、B需要运行RemoteDebugger服务&#xff0c;该程序位于C:\Program Files\Microsoft Visual Studio\2022\Community\Common7\IDE\Remote Debugger下。 我这里是安装…

基于总线加锁和缓存锁(CPU实现原子操作的两种方式)

总线锁 总线锁就是使用处理器提供的一个 LOCK&#xff03;信号&#xff0c;当一个处理器在总线上输出此信号时&#xff0c;其他处理器的请求将被阻塞住&#xff0c;那么该处理器可以独占共享内存。 CPU和内存之间的通信被锁&#xff01;&#xff01; 如果多个 处 理器同 时对 …

windows下的txt文档,传到ubuntu后,每行后面出现^M,怎么处理?

问题背景&#xff1a;windows下pycharm生成的txt文档&#xff0c;传到ubuntu后&#xff0c;每行后面出现^M 用vim打开显示 使用cat -A filename显示如下 参考https://www.lmlphp.com/user/16697/article/item/579325/给出的几种方法 方法一、dos2unix filename。服务器没装…

配置IPv6 over IPv4手动隧道示例

组网需求 如图1所示&#xff0c;两台IPv6主机分别通过SwitchA和SwitchC与IPv4骨干网络连接&#xff0c;客户希望两台IPv6主机能通过IPv4骨干网互通。 图1 配置IPv6 over IPv4手动隧道组网图 配置思路 配置IPv6 over IPv4手动隧道的思路如下&#xff1a; 配置IPv4网络。配置接…

iptables防火墙、filter表控制、扩展匹配、使用iptables配置网络型防火墙、NAT原理、配置SNAT

day05 day05iptables防火墙filter表filter中的三条链环境准备iptables操作验证FORWARD链准备环境配置FORWARD链NAT配置SNAT iptables iptables有多种功能&#xff0c;每一种功能都用一张表来实现最常用的功能是防火墙和NAT从RHEL7开始&#xff0c;默认的防火墙为firewalld&a…

fiddler 手机抓包(含https) 完整流程

第一部分&#xff1a;下载并安装fiddler 一.使用任一浏览器搜索【fiddler下载安装】&#xff0c;并下载fiddler 安装包。 二.fiddler安装包下载成功后&#xff0c;将下载的fiddler压缩包解压到自定义文件夹【fiddler】或者解压到当前文件夹下&#xff0c;双击文件夹中的【fidd…

一起学算法(链表篇)

1.链表的概念 对于顺序存储的结构最大的缺点就是插入和排序的时候需要移动大量的元素&#xff0c;所以链表的出生由此而来 先上代码&#xff1a; // 链表 public class LinkedList<T extends Comparable> {// 结点类class Node {T ele; // 当前结点上的元素内容Node ne…

台式机/工控机通过网线共享笔记本电脑无线网络linux系统下 usb网卡的驱动安装

一、台式机/工控机通过网线共享笔记本电脑无线网络 1、 将台式机通过网线和笔记本连接。 2、 将笔记本的“本地连接”和“无线网络连接”的ipv4均设置为自动获取。 4.修改台式机的IP地址为如下&#xff08;对应笔记本信息&#xff09; IP地址为192.168.XXX.12 子网掩码为255.2…

flask

flask 介绍 # python 界的web框架 -Django&#xff1a;大而全&#xff0c;快速开发&#xff0c;公司内部项目 -Flask&#xff1a;小而精&#xff0c;不具备web开发好多功能&#xff0c;丰富的第三方插件 -FastApi&#xff1a;异步框架&#xff0c;主要为了做前后端…

接口/Web自动化测试如何做?框架如何搭建封装?

目录&#xff1a;导读 前言一、Python编程入门到精通二、接口自动化项目实战三、Web自动化项目实战四、App自动化项目实战五、一线大厂简历六、测试开发DevOps体系七、常用自动化测试工具八、JMeter性能测试九、总结&#xff08;尾部小惊喜&#xff09; 前言 自动化测试怎么做…

区块链赋能新时代司法体系,中移链打造可信存证服务

近期&#xff0c;某百万级粉丝网红的法律维权之路引发社会关注。其在面对网络造谣行为时积极搜集证据&#xff0c;使用区块链技术将相关信息上链保全&#xff0c;然后将造谣者全部起诉&#xff0c;一系列操作被广大网友喻为是教科书式网络维权。 科技在发展&#xff0c;时代在…

Windows7+内网, 安装高版本nodejs,使用vite+vue3+typescript开发项目

前言&#xff1a;vite只支持高版本的nodejs&#xff0c;而高版本的nodejs只支持windows8及以上&#xff0c;且vite还对浏览器版本有兼容问题。以下均为vite官网截图 1、安装好低版本的nodejs win7系统建议安装13.及以下&#xff0c;我的是12.12.0这个版本。nodejs低版本官网下载…

JavaScript(四)DOM及CSS操作

1、DOM简介 DocumentType: Html的声明标签 <!DOCTYPE html> <html lang"en"> <head><meta charset"UTF-8"><meta name"viewport" content"widthdevice-width, initial-scale1.0"><title>Docume…

网络:SecureCRT介绍

1. 使用Tab键补全时出现^I&#xff0c;如下操作

【万字长文】SpringBoot整合MyBatis搭建MySQL多数据源完整教程(提供Gitee源码)

前言&#xff1a;在我往期的博客介绍了2种关于如何使用SpringBoot搭建多数据源操作&#xff0c;本期博客我参考的是目前主流的框架&#xff0c;把最后一种整合多数据源的方式以博客的形式讲解完&#xff0c;整合的过程比较传统和复杂&#xff0c;不过我依旧会把每个实体类的思路…

利用鸿鹄可观测性监控Istio Ingress网关

一、需求描述 在上一篇《利用Vector和鸿鹄搭建微服务应用的可观测性平台》中&#xff0c;阐述了微服务的基本概念、优点及如何利用鸿鹄来处理分布式应用的日志。本文将进一步讨论微服务架构面临的问题、服务网格及鸿鹄处理Istio Gateway的独特优势。 1.1 微服务架构面临的挑战 …

基于SpringBoot+Vue的地方废物回收机构管理系统设计与实现(源码+LW+部署文档等)

博主介绍&#xff1a; 大家好&#xff0c;我是一名在Java圈混迹十余年的程序员&#xff0c;精通Java编程语言&#xff0c;同时也熟练掌握微信小程序、Python和Android等技术&#xff0c;能够为大家提供全方位的技术支持和交流。 我擅长在JavaWeb、SSH、SSM、SpringBoot等框架…

企业生产管理的核心工作是什么?

作为管理者&#xff0c;一谈到生产管理&#xff0c;你可能会想到很多生产过程中的问题&#xff1a; 产量无法实时统计&#xff1b; 计划不能跟踪进度&#xff1b; 质量追溯无法实现...... 等等一系列核心问题。 结合这些核心痛点&#xff0c;分享一套符合现在生产的智能化解决…