Enterprise Java

Multi-Tenancy in Spring Boot: Sharding vs. Schema Isolation

As applications grow, multi-tenancy becomes a key architectural concern, especially for SaaS platforms serving multiple customers. Multi-tenancy allows multiple tenants (organizations or users) to share the same application while keeping their data isolated.

In this article, we’ll explore two common approaches to multi-tenancy in Spring Boot:

  1. Schema-Based Isolation – Each tenant has a separate schema within the same database.
  2. Database Sharding (Shared Database Model) – All tenants share a single database, with tenant-specific partitioning.

We’ll also cover best practices and implementation strategies for both models.

1. Understanding Multi-Tenancy

Multi-tenancy is essential for SaaS applications that need to serve multiple customers while optimizing resource usage. The key challenge is how to isolate tenant data while maintaining efficiency.

The two common approaches are:

  1. Schema-Based Isolation: Each tenant has a separate schema (e.g., tenant_1.orders, tenant_2.orders).
  2. Database Sharding (Shared Database with Tenant Column): A single database with tenant-specific identifiers (e.g., orders table with tenant_id column).

Each approach has trade-offs in terms of performance, scalability, and complexity.

2. Approach 1: Schema-Based Isolation

2.1 How It Works

Each tenant gets its own database schema while sharing the same database instance. This ensures strong data isolation but requires schema management.

Example structure:

1
2
3
tenant_1.orders 
tenant_2.orders 
tenant_3.orders 

2.2 Implementation in Spring Boot

We use Hibernate Multi-Tenancy to dynamically switch schemas based on the incoming request.

Step 1: Define a Tenant Identifier Resolver

Spring Boot needs to identify the tenant from incoming requests. This can be done using a request header or a JWT token.

01
02
03
04
05
06
07
08
09
10
11
12
13
14
@Component
public class CurrentTenantIdentifierResolver implements CurrentTenantIdentifierResolver {
    private static final String DEFAULT_TENANT = "public";
 
    @Override
    public String resolveCurrentTenantIdentifier() {
        return TenantContext.getCurrentTenant() != null ? TenantContext.getCurrentTenant() : DEFAULT_TENANT;
    }
 
    @Override
    public boolean validateExistingCurrentSessions() {
        return true;
    }
}

Step 2: Configure Multi-Tenant Data Source

Modify the DataSource configuration to switch schemas dynamically.

01
02
03
04
05
06
07
08
09
10
11
12
13
14
15
16
17
18
19
20
@Configuration
public class MultiTenantConfig {
    @Bean
    public DataSource dataSource() {
        Map<Object, Object> targetDataSources = new HashMap<>();
        targetDataSources.put("tenant_1", createDataSource("jdbc:mysql://localhost:3306/tenant_1"));
        targetDataSources.put("tenant_2", createDataSource("jdbc:mysql://localhost:3306/tenant_2"));
 
        return new AbstractRoutingDataSource() {
            @Override
            protected Object determineCurrentLookupKey() {
                return TenantContext.getCurrentTenant();
            }
        };
    }
 
    private DataSource createDataSource(String url) {
        return DataSourceBuilder.create().url(url).username("user").password("password").build();
    }
}

Step 3: Set Tenant Context Per Request

Intercept incoming requests and set the tenant context.

01
02
03
04
05
06
07
08
09
10
@Component
public class TenantFilter extends OncePerRequestFilter {
    @Override
    protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain chain)
            throws ServletException, IOException {
        String tenantId = request.getHeader("X-Tenant-ID");
        TenantContext.setCurrentTenant(tenantId);
        chain.doFilter(request, response);
    }
}

Now, requests with X-Tenant-ID: tenant_1 will automatically switch to the tenant_1 schema.

2.3 Pros and Cons of Schema-Based Isolation

Strong Data Isolation – Each tenant’s data is fully separate.
Better Compliance – Meets regulatory requirements like GDPR.
Operational Overhead – Managing multiple schemas increases complexity.
Scaling Issues – Large tenant numbers may impact performance.

3. Approach 2: Database Sharding (Shared Database Model)

3.1 How It Works

Instead of using separate schemas, all tenants share the same tables, but each row is tagged with a tenant_id.

Example table structure:

idtenant_idorder_details
1tenant_1Order A
2tenant_2Order B

3.2 Implementation in Spring Boot

We modify Hibernate to automatically add the tenant filter to every query.

Step 1: Configure a Hibernate Tenant Filter

01
02
03
04
05
06
07
08
09
10
11
@FilterDef(name = "tenantFilter", parameters = @ParamDef(name = "tenantId", type = "string"))
@Filter(name = "tenantFilter", condition = "tenant_id = :tenantId")
@Entity
public class Order {
    @Id
    private Long id;
     
    private String orderDetails;
     
    private String tenantId;
}

Step 2: Apply the Filter on Every Request

Before executing queries, we set the current tenant dynamically.

01
02
03
04
05
06
07
08
09
10
11
@Component
public class HibernateTenantInterceptor {
    @PersistenceContext
    private EntityManager entityManager;
 
    @Transactional
    public void applyTenantFilter() {
        Session session = entityManager.unwrap(Session.class);
        session.enableFilter("tenantFilter").setParameter("tenantId", TenantContext.getCurrentTenant());
    }
}

Now, every query automatically filters results based on the tenant_id.

3.3 Pros and Cons of Database Sharding

Easy to Scale – Single database can handle thousands of tenants.
Simpler Management – No need to create new schemas for each tenant.
Weaker Data Isolation – Accidental queries without tenant filters can expose data.
Performance Bottlenecks – Large databases require indexing and partitioning.

4. Choosing the Right Multi-Tenancy Strategy

FeatureSchema-Based IsolationDatabase Sharding
Isolation LevelStrongWeaker (tenant ID filtering)
ComplexityHigh (managing schemas)Lower (shared DB)
ScalabilityMedium (limited by DB connections)High (partitioning possible)
Compliance NeedsBetter for GDPR & regulationsRiskier for compliance

If strong isolation and compliance are priorities, Schema-Based Isolation is the best choice. If scalability and efficiency are more important, Database Sharding is often preferable.

5. Final Thoughts

Multi-tenancy in Spring Boot can be implemented using schema-based isolation for better security or database sharding for scalability. The choice depends on your business requirements, compliance needs, and operational capacity.

Further Reading

Do you want to know how to develop your skillset to become a Java Rockstar?
Subscribe to our newsletter to start Rocking right now!
To get you started we give you our best selling eBooks for FREE!
1. JPA Mini Book
2. JVM Troubleshooting Guide
3. JUnit Tutorial for Unit Testing
4. Java Annotations Tutorial
5. Java Interview Questions
6. Spring Interview Questions
7. Android UI Design
and many more ....
I agree to the Terms and Privacy Policy

Eleftheria Drosopoulou

Eleftheria is an Experienced Business Analyst with a robust background in the computer software industry. Proficient in Computer Software Training, Digital Marketing, HTML Scripting, and Microsoft Office, they bring a wealth of technical skills to the table. Additionally, she has a love for writing articles on various tech subjects, showcasing a talent for translating complex concepts into accessible content.
Subscribe
Notify of
guest


This site uses Akismet to reduce spam. Learn how your comment data is processed.

0 Comments
Oldest
Newest Most Voted
Inline Feedbacks
View all comments
Back to top button