XML-based configuration is indeed becoming less common, with Java-based configuration being preferred in modern Spring Boot applications. Let's update the approach for Spring Boot 3.3.3 using Java configuration.
Here's how to set up EhCache without XML, configure multiple caches, and follow industry standards:
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-cache</artifactId>
</dependency>
<dependency>
<groupId>org.ehcache</groupId>
<artifactId>ehcache</artifactId>
</dependency>
import org.ehcache.config.builders.*;
import org.ehcache.jsr107.Eh107Configuration;
import org.springframework.cache.annotation.EnableCaching;
import org.springframework.cache.jcache.JCacheCacheManager;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import javax.cache.Caching;
import javax.cache.spi.CachingProvider;
import java.util.concurrent.TimeUnit;
@Configuration
@EnableCaching
public class CacheConfig {
@Bean
public JCacheCacheManager cacheManager() {
CachingProvider cachingProvider = Caching.getCachingProvider();
javax.cache.CacheManager cacheManager = cachingProvider.getCacheManager();
// Configure multiple caches
createCache(cacheManager, "userCache", String.class, Object.class, 100, 10, 3600);
createCache(cacheManager, "productCache", Long.class, Object.class, 500, 50, 7200);
return new JCacheCacheManager(cacheManager);
}
private void createCache(javax.cache.CacheManager cacheManager, String name,
Class<?> keyType, Class<?> valueType,
long heapEntries, long offHeapMB, long ttlSeconds) {
cacheManager.createCache(name,
Eh107Configuration.fromEhcacheCacheConfiguration(
CacheConfigurationBuilder.newCacheConfigurationBuilder(keyType, valueType,
ResourcePoolsBuilder.newResourcePoolsBuilder()
.heap(heapEntries)
.offheap(offHeapMB, MemoryUnit.MB))
.withExpiry(ExpiryPolicyBuilder.timeToLiveExpiration(
Duration.ofSeconds(ttlSeconds)))
.build()));
}
}
Note:
This configuration does the following:
JCacheCacheManager
bean.userCache
and productCache
) with different settings.createCache
to reduce code duplication.import org.springframework.cache.annotation.Cacheable;
import org.springframework.stereotype.Service;
@Service
public class UserService {
@Cacheable(value = "userCache", key = "#id")
public User getUserById(String id) {
// Your logic to fetch the user
}
}
@Service
public class ProductService {
@Cacheable(value = "productCache", key = "#id")
public Product getProductById(Long id) {
// Your logic to fetch the product
}
}
Industry Standard Practices for Implementing Cache: