Spring Cloud provides tools for developers to quickly build common patterns in distributed systems. This guide covers essential Spring Cloud components and best practices for building resilient microservices architectures.
Key features of Spring Cloud:
// Eureka Server Application
@SpringBootApplication
@EnableEurekaServer
public class EurekaServerApplication {
public static void main(String[] args) {
SpringApplication.run(EurekaServerApplication.class, args);
}
}
// application.yml
server:
port: 8761
eureka:
client:
registerWithEureka: false
fetchRegistry: false
server:
waitTimeInMsWhenSyncEmpty: 0
// Service Application
@SpringBootApplication
@EnableDiscoveryClient
public class ServiceApplication {
public static void main(String[] args) {
SpringApplication.run(ServiceApplication.class, args);
}
}
// application.yml
spring:
application:
name: order-service
eureka:
client:
serviceUrl:
defaultZone: http://localhost:8761/eureka/
instance:
preferIpAddress: true
// Config Server Application
@SpringBootApplication
@EnableConfigServer
public class ConfigServerApplication {
public static void main(String[] args) {
SpringApplication.run(ConfigServerApplication.class, args);
}
}
// application.yml
server:
port: 8888
spring:
cloud:
config:
server:
git:
uri: https://github.com/your-org/config-repo
searchPaths: '{application}'
default-label: main
// Config Client Application
@SpringBootApplication
@EnableConfigurationProperties
public class ServiceApplication {
public static void main(String[] args) {
SpringApplication.run(ServiceApplication.class, args);
}
}
// Configuration Properties
@ConfigurationProperties(prefix = "service")
@Component
public class ServiceProperties {
private String message;
private int retryAttempts;
// Getters and setters
}
// Using Configuration
@RestController
@RefreshScope
public class ServiceController {
@Value("${service.message}")
private String message;
@GetMapping("/message")
public String getMessage() {
return message;
}
}
// Circuit Breaker Configuration
resilience4j.circuitbreaker:
instances:
orderService:
registerHealthIndicator: true
slidingWindowSize: 10
minimumNumberOfCalls: 5
permittedNumberOfCallsInHalfOpenState: 3
automaticTransitionFromOpenToHalfOpenEnabled: true
waitDurationInOpenState: 5s
failureRateThreshold: 50
eventConsumerBufferSize: 10
// Service Implementation
@Service
public class OrderService {
private final PaymentClient paymentClient;
@CircuitBreaker(name = "orderService", fallbackMethod = "fallback")
public OrderResponse processOrder(Order order) {
return paymentClient.processPayment(order);
}
private OrderResponse fallback(Order order, Exception ex) {
return new OrderResponse("Payment service unavailable");
}
}
// Retry Configuration
resilience4j.retry:
instances:
orderService:
maxAttempts: 3
waitDuration: 1s
enableExponentialBackoff: true
exponentialBackoffMultiplier: 2
// Service with Retry
@Service
public class OrderService {
@Retry(name = "orderService", fallbackMethod = "fallback")
public OrderResponse processOrder(Order order) {
return paymentClient.processPayment(order);
}
private OrderResponse fallback(Order order, Exception ex) {
return new OrderResponse("Service temporarily unavailable");
}
}
// Gateway Application
@SpringBootApplication
public class GatewayApplication {
public static void main(String[] args) {
SpringApplication.run(GatewayApplication.class, args);
}
}
// Route Configuration
spring:
cloud:
gateway:
routes:
- id: order_service
uri: lb://order-service
predicates:
- Path=/api/orders/**
filters:
- name: CircuitBreaker
args:
name: orderService
fallbackUri: forward:/fallback
- id: payment_service
uri: lb://payment-service
predicates:
- Path=/api/payments/**
filters:
- name: RequestRateLimiter
args:
redis-rate-limiter.replenishRate: 10
redis-rate-limiter.burstCapacity: 20
@Component
public class AuthenticationFilter implements GlobalFilter {
@Override
public Mono<Void> filter(ServerWebExchange exchange,
GatewayFilterChain chain) {
String token = exchange.getRequest()
.getHeaders()
.getFirst("Authorization");
if (token == null || !isValidToken(token)) {
exchange.getResponse().setStatusCode(HttpStatus.UNAUTHORIZED);
return exchange.getResponse().setComplete();
}
return chain.filter(exchange);
}
private boolean isValidToken(String token) {
// Token validation logic
return true;
}
}
// Dependencies
implementation 'org.springframework.cloud:spring-cloud-starter-sleuth'
implementation 'org.springframework.cloud:spring-cloud-sleuth-zipkin'
// Application Configuration
spring:
application:
name: order-service
sleuth:
sampler:
probability: 1.0
zipkin:
base-url: http://localhost:9411
// Service Implementation
@Service
public class OrderService {
private final Logger log = LoggerFactory.getLogger(OrderService.class);
@Autowired
private PaymentClient paymentClient;
public OrderResponse processOrder(Order order) {
log.info("Processing order: {}", order.getId());
PaymentResponse payment = paymentClient.processPayment(order);
log.info("Payment processed: {}", payment.getId());
return new OrderResponse(order, payment);
}
}
@Service
public class OrderProcessor {
private final Tracer tracer;
public void processOrder(Order order) {
Span span = tracer.nextSpan()
.name("process-order")
.tag("orderId", order.getId())
.start();
try (Tracer.SpanInScope ws = tracer.withSpanInScope(span)) {
// Process order
validateOrder(order);
calculateTotal(order);
applyDiscounts(order);
} catch (Exception e) {
span.tag("error", e.getMessage());
throw e;
} finally {
span.finish();
}
}
}
// Load Balancer Configuration
spring:
cloud:
loadbalancer:
ribbon:
enabled: false
configurations:
order-service:
enabled: true
healthCheck:
path: /actuator/health
interval: 10s
// Service Client
@Configuration
public class WebClientConfig {
@LoadBalanced
@Bean
public WebClient.Builder loadBalancedWebClientBuilder() {
return WebClient.builder();
}
}
@Service
public class OrderClient {
private final WebClient.Builder webClientBuilder;
public OrderClient(@LoadBalanced WebClient.Builder builder) {
this.webClientBuilder = builder;
}
public Mono<OrderResponse> getOrder(String orderId) {
return webClientBuilder.build()
.get()
.uri("http://order-service/api/orders/" + orderId)
.retrieve()
.bodyToMono(OrderResponse.class);
}
}
Spring Cloud provides a comprehensive suite of tools for building distributed systems in Java. While it introduces some complexity, the benefits of having battle-tested implementations of common distributed system patterns make it an excellent choice for microservices architectures.
Remember to carefully consider your requirements and start with the components you need most. As your system grows, you can gradually incorporate more Spring Cloud features to address specific challenges in your distributed architecture.