Search Suggest

Spring Boot Multiple DataSource Configuration Example


Introduction

Often, you will need to connect to more than one data source. Sometimes, this is for security reasons.
An example of this is the storage of credit card information. You may wish to store the data elements in multiple data sources. If one of the data sources is compromised the data retrieved is useless without the data from other data sources.
In this article, we will configure multiple data sources in Spring Boot and JPA.

Project Setup

Databases

We will use MySQL for our database server.
The credit card scenario described above, will use the following three databases:
  1. Member database(memberdb): Stores personal details of cardholders which include their full name and member id.
  2. Cardholder database(cardholderdb): Stores cardholder details which include the member id and credit card number.
  3. Card database(carddb): Stores the credit card information which includes the owner’s full name and the credit card expiration date.
Since we are spreading the credit card data across three databases, all three would need to be compromised for a security risk.
NOTE: This scenario is for an example of using multiple data sources with Spring Boot. This article is not a security recommendation.

Dependencies

To support MySQL, our classpath must include the MySQL database connector dependency.
Here is the list of Maven dependencies.
  1. <dependencies>
  2. <dependency>
  3. <groupId>org.springframework.boot</groupId>
  4. <artifactId>spring-boot-starter-data-jpa</artifactId>
  5. </dependency>
  6. <dependency>
  7. <groupId>mysql</groupId>
  8. <artifactId>mysql-connector-java</artifactId>
  9. <scope>runtime</scope>
  10. </dependency>
  11. <dependency>
  12. <groupId>org.projectlombok</groupId>
  13. <artifactId>lombok</artifactId>
  14. <optional>true</optional>
  15. </dependency>
  16. <dependency>
  17. <groupId>org.springframework.boot</groupId>
  18. <artifactId>spring-boot-starter-test</artifactId>
  19. <scope>test</scope>
  20. </dependency>
  21. <dependency>
  22. <groupId>commons-dbcp</groupId>
  23. <artifactId>commons-dbcp</artifactId>
  24. <version>${commons.dbcp.version}</version>
  25. </dependency>
  26. </dependencies>

Packaging

The project packaging structure is very important when dealing with multiple data sources.
The data models or entities belonging to a certain datastore must be placed in their unique packages.
This packaging strategy also applies to the JPA repositories.
Credit Card sample application packaging structure.
As you can see above, we have defined a unique package for each of the models and repositories.
We have also created Java configuration files for each of our data sources:
  • guru.springframework.multipledatasources.configuration.CardDataSourceConfiguration
  • guru.springframework.multipledatasources.configuration.CardHolderDataSourceConfiguration
  • guru.springframework.multipledatasources.configuration.MemberDataSourceConfiguration
Each data source configuration file will contain its data source bean definition including the entity manager and transaction manager bean definitions.

Database Connection Settings

Since we are configuring three data sources we need three sets of configurations in the application.propertiesfile.
Here is the code of the application.properties file.
  1. #Store card holder personal details
  2. app.datasource.member.url=jdbc:mysql://localhost:3306/memberdb?createDatabaseIfNotExist=true
  3. app.datasource.member.username=root
  4. app.datasource.member.password=P@ssw0rd#
  5. app.datasource.member.driverClassName=com.mysql.cj.jdbc.Driver
  6. #card number (cardholder id, cardnumber)
  7. app.datasource.cardholder.url=jdbc:mysql://localhost:3306/cardholderdb?createDatabaseIfNotExist=true
  8. app.datasource.cardholder.username=root
  9. app.datasource.cardholder.password=P@ssw0rd#
  10. app.datasource.cardholder.driverClassName=com.mysql.cj.jdbc.Driver
  11. #expiration date (card id, expiration month, expiration year)
  12. app.datasource.card.url=jdbc:mysql://localhost:3306/carddb?createDatabaseIfNotExist=true
  13. app.datasource.card.username=root
  14. app.datasource.card.password=P@ssw0rd#
  15. app.datasource.card.driverClassName=com.mysql.cj.jdbc.Driver
  16. spring.jpa.hibernate.ddl-auto=update
  17. spring.jpa.generate-ddl=true
  18. spring.jpa.show-sql=true
  19. spring.jpa.database=mysql

Data Source Configuration

It is important to note that during the configuration of multiple data sources, one data source instance must be marked as the primary data source.
Else the application will fail to start-up because Spring will detect more than one data source of the same type.

Steps

In this example, we will mark the member data source as our primary data source.
Here are the data source configuration steps.
  1. Data source bean definition
  2. Entities
  3. Entity Manager Factory bean definition
  4. Transaction Management
  5. Spring Data JPA Repository custom settings

Data Source Bean Definition

To create a data source bean we need to instantiate the org.springframework.boot.autoconfigure.jdbc.DataSourceProperties  class using the data source key specified in the application.properties file. We are going to use this DataSourceProperties object to get a data source builder object.
The data source builder object uses the database properties found in the application.properties file to create a data source object.
The following code shows the bean definitions of our data sources.

Primary Data Source

  1. @Bean
  2. @Primary
  3. @ConfigurationProperties("app.datasource.member")
  4. public DataSourceProperties memberDataSourceProperties() {
  5. return new DataSourceProperties();
  6. }
  7. @Bean
  8. @Primary
  9. @ConfigurationProperties("app.datasource.member.configuration")
  10. public DataSource memberDataSource() {
  11. return memberDataSourceProperties().initializeDataSourceBuilder()
  12. .type(HikariDataSource.class).build();
  13. }

Secondary Data Sources

  1. /*cardholder data source */
  2. @Bean
  3. @ConfigurationProperties("app.datasource.cardholder")
  4. public DataSourceProperties cardHolderDataSourceProperties() {
  5. return new DataSourceProperties();
  6. }
  7. @Bean
  8. @ConfigurationProperties("app.datasource.cardholder.configuration")
  9. public DataSource cardholderDataSource() {
  10. return cardHolderDataSourceProperties().initializeDataSourceBuilder()
  11. .type(BasicDataSource.class).build();
  12. }
  13. /*card data source*/
  14. @Bean
  15. @ConfigurationProperties("app.datasource.card")
  16. public DataSourceProperties cardDataSourceProperties() {
  17. return new DataSourceProperties();
  18. }
  19. @Bean
  20. @ConfigurationProperties("app.datasource.card.configuration")
  21. public DataSource cardDataSource() {
  22. return cardDataSourceProperties().initializeDataSourceBuilder()
  23. .type(BasicDataSource.class).build();
  24. }

Entities

Since we are going to store MemberCard, and Cardholder objects we must declare them as JPA entities using @Entity annotation. These entities will be mapped to relational database tables by JPA.
We must tell Spring which tables belong to a certain data source. There are two ways of achieving this. You can use the ‘schema‘ field of the @Table annotation as indicated in the code snippet below at line 2.
  1. @Entity
  2. @Table(name = "member", schema = "memberdb")
  3. @Data
  4. public class Member {
  5. @Id
  6. @GeneratedValue(strategy = GenerationType.AUTO)
  7. private Long id;
  8. private String name;
  9. private String memberId;
  10. }
Or you may link the entities to their data source is via the org.springframework.boot.orm.jpa.EntityManagerFactoryBuilder class method packages(). We can pass the packages or classes to be scanned for @Entity annotations in this method.
Spring will use this setting to map these entities to tables which will be created in the data source set through the datasource() method of this EMF builder class.
See code snippet in the next section.

Entity Manager Factory Bean Definition

Our application will be using Spring Data JPA for data access through its repository interfaces that abstract us from the EM(Entity Manager). We use the EMF bean to obtain instances of EMs which interact with the JPA entities.
Since, we have three data sources we need to create an EM for each data source.
This is done by providing the EMF builder class with reference to the data source and location of entities.
In our example, we will define this EMF using the org.springframework.orm.jpa.LocalContainerEntityManagerFactoryBean class like this.
  1. /*Primary Entity manager*/
  2. @Primary
  3. @Bean(name = "memberEntityManagerFactory")
  4. public LocalContainerEntityManagerFactoryBean memberEntityManagerFactory(EntityManagerFactoryBuilder builder) {
  5. return builder
  6. .dataSource(memberDataSource())
  7. .packages(Member.class)
  8. .build();
  9. }
  10. /*Secondary Entity Managers*/
  11. @Bean(name = "cardHolderEntityManagerFactory")
  12. public LocalContainerEntityManagerFactoryBean cardHolderEntityManagerFactory(
  13. EntityManagerFactoryBuilder builder) {
  14. return builder
  15. .dataSource(cardholderDataSource())
  16. .packages(CardHolder.class)
  17. .build();
  18. }
  19. @Bean(name = "cardEntityManagerFactory")
  20. public LocalContainerEntityManagerFactoryBean cardEntityManagerFactory(
  21. EntityManagerFactoryBuilder builder) {
  22. return builder
  23. .dataSource(cardDataSource())
  24. .packages(Card.class)
  25. .build();
  26. }

Transaction Management

The bean definition of a transaction manager requires a reference to the entity manager factory bean. We will to use the @Qualifier annotation to auto-wire the entity manager specific to the data source’ s transaction manager.
A transaction manager is needed for each data source.
The following is a snippet of code showing the member data source transaction manager bean definition.
  1. @Primary
  2. @Bean
  3. public PlatformTransactionManager memberTransactionManager(
  4. final @Qualifier("memberEntityManagerFactory") LocalContainerEntityManagerFactoryBean memberEntityManagerFactory) {
  5. return new JpaTransactionManager(memberEntityManagerFactory.getObject());
  6. }

JPA Repository Configuration

Since we are going to have multiple data sources we must provide the specific information for each data source repository using Spring’ s @EnableJpaRepositoriesannotation. In this annotation, we are going to set the reference to an entity manager, the repositories location and the reference to the transaction manager.
Below is the ‘member’ data source’s JPA repository settings.
  1. @Configuration
  2. @EnableTransactionManagement
  3. @EnableJpaRepositories(basePackages = "guru.springframework.multipledatasources.repository.member",
  4. entityManagerFactoryRef = "memberEntityManagerFactory",
  5. transactionManagerRef= "memberTransactionManager"
  6. )
  7. public class MemberDataSourceConfiguration { .... }
Line number 3
basePackages: We use this field to set the base package of our repositories. For instance, for the member data source, it must point to the package guru.springframework.multipledatasources.repository.member
Line number 4:
entityManagerFactoryRef: We use this field to reference the entity manager factory bean defined in the data source configuration file. It is important to take note of the fact that the entityManagerFactoryRef value must match the bean name (if specified via the name field of the @Bean annotation else will default to method name) of the entity manager factory defined in the configuration file.
Line number 5:
transactionManagerRef: This field references the transaction manager defined in the data source configuration file. Again it is important to ensure that the transactionManagerRef  value matches with the bean name of the transaction manager factory.

Complete Data Source Configuration File

Below is the complete data source configuration for our primary data source(member database). The complete card and cardholder configuration files are available on GitHub. They are similar to this one except that they are secondary data sources.
  1. @Configuration
  2. @EnableTransactionManagement
  3. @EnableJpaRepositories(basePackages = "guru.springframework.multipledatasources.repository.member",
  4. entityManagerFactoryRef = "memberEntityManagerFactory",
  5. transactionManagerRef= "memberTransactionManager"
  6. )
  7. public class MemberDataSourceConfiguration {
  8. @Bean
  9. @Primary
  10. @ConfigurationProperties("app.datasource.member")
  11. public DataSourceProperties memberDataSourceProperties() {
  12. return new DataSourceProperties();
  13. }
  14. @Bean
  15. @Primary
  16. @ConfigurationProperties("app.datasource.member.configuration")
  17. public DataSource memberDataSource() {
  18. return memberDataSourceProperties().initializeDataSourceBuilder()
  19. .type(HikariDataSource.class).build();
  20. }
  21. @Primary
  22. @Bean(name = "memberEntityManagerFactory")
  23. public LocalContainerEntityManagerFactoryBean memberEntityManagerFactory(EntityManagerFactoryBuilder builder) {
  24. return builder
  25. .dataSource(memberDataSource())
  26. .packages(Member.class)
  27. .build();
  28. }
  29. @Primary
  30. @Bean
  31. public PlatformTransactionManager memberTransactionManager(
  32. final @Qualifier("memberEntityManagerFactory") LocalContainerEntityManagerFactoryBean memberEntityManagerFactory) {
  33. return new JpaTransactionManager(memberEntityManagerFactory.getObject());
  34. }
  35. }
Important Points to note:
entity manager factory bean: Please make sure that you are referencing the correct data source when creating the entity manager factory bean otherwise you will get unexpected results.
transaction manager bean: To ensure that you have provided the correct entity manager factory reference for the transaction manager, you may use the @Qualifier annotation.
For example, the transaction manager of the ‘member’ data source will be using the entity manager factory bean with the name “memberEntityManagerFactory”.

Testing our application

After running the application, the schemas will be updated.
In this example, only one table for each datasource is created.
Credit card Sample Application Databases

Spring Boot Test Class

The test class in the code snippet below contains test methods for each data source.
In each method, we are creating an object and persisting it to the database using the Spring Data JPA repository.
To verify, we check if that data is present in the database.
  1. @RunWith(SpringRunner.class)
  2. @SpringBootTest
  3. public class MultipledatasourcesApplicationTests {
  4. /*
  5. * We will be using mysql databases we configured in our properties file for our tests
  6. * Make sure your datasource connections are correct otherwise the test will fail
  7. * */
  8. @Autowired
  9. private MemberRepository memberRepository;
  10. @Autowired
  11. private CardHolderRepository cardHolderRepository;
  12. @Autowired
  13. private CardRepository cardRepository;
  14. private Member member;
  15. private Card card;
  16. private CardHolder cardHolder;
  17. @Before
  18. public void initializeDataObjects(){
  19. member = new Member();
  20. member.setMemberId("M001");
  21. member.setName("Maureen Mpofu");
  22. cardHolder = new CardHolder();
  23. cardHolder.setCardNumber("4111111111111111");
  24. cardHolder.setMemberId(member.getMemberId());
  25. card = new Card();
  26. card.setExpirationMonth(01);
  27. card.setExpirationYear(2020);
  28. card.setName(member.getName());
  29. }
  30. @Test
  31. public void shouldSaveMemberToMemberDB() {
  32. Member savedMember =memberRepository.save(member);
  33. Optional<Member> memberFromDb= memberRepository.findById(savedMember.getId());
  34. assertTrue(memberFromDb.isPresent());
  35. }
  36. @Test
  37. public void shouldSaveCardHolderToCardHolderDB() {
  38. CardHolder savedCardHolder =cardHolderRepository.save(cardHolder);
  39. Optional<CardHolder> cardHolderFromDb= cardHolderRepository.findById(savedCardHolder.getId());
  40. assertTrue(cardHolderFromDb.isPresent());
  41. }
  42. @Test
  43. public void shouldSaveCardToCardDB() {
  44. Card savedCard = cardRepository.save(card);
  45. Optional<Card> cardFromDb= cardRepository.findById(savedCard.getId());
  46. assertTrue(cardFromDb.isPresent());
  47. }
  48. }
Our test cases passed and the database tables recorded the data persisted via the application(indicated by the screenshots below).

Member Database

Member Database

Card Database

Card database

CardHolder Database

Cardholder database

Conclusion

When dealing with just one datasource and Spring Boot, data source configuration is simple. Spring Boot can provide a lot of auto configuration.
However, if you need to connect to multiple datasources with Spring Boot, additional configuration is needed.
You need to provide configuration data to Spring Boot, customized for each data source.
The source code of our sample application is available on GitHub.  Please update the datasource to your own needs.



Reference:


إرسال تعليق