- tutorialQ Newsletter
- Posts
- Building Reactive Microservices: A Step-by-Step Guide
Building Reactive Microservices: A Step-by-Step Guide
From Monolith to Microservices: A Reactive Approach

Reactive Microservices
Transitioning from a monolithic architecture to microservices is a significant step for any organization. Reactive microservices offer a way to build highly responsive, resilient, and scalable applications. This guide will walk you through the process of transforming a monolithic application into a set of reactive microservices using the latest version of Java.
Why Reactive Microservices?
Reactive microservices leverage reactive programming principles to handle high concurrency, provide resilience, and ensure scalability. Key benefits include:
- Responsiveness: By handling requests asynchronously, reactive microservices provide quick responses even under heavy load. 
- Resilience: Reactive systems isolate failures and recover gracefully. 
- Scalability: Non-blocking operations enable better resource utilization, allowing systems to scale efficiently. 
Step 1: Understanding the Monolith
Before breaking down the monolith, it’s essential to understand its structure. A typical monolithic application has a single codebase with tightly coupled components.
public class MonolithicApp {
    public static void main(String[] args) {
        UserService userService = new UserService();
        OrderService orderService = new OrderService(userService);
        Order order = orderService.createOrder("user123", "product456");
        System.out.println(order);
    }
}Step 2: Identify Microservice Candidates
Analyze the monolithic application to identify components that can be separated into individual microservices. Common candidates include user management, order processing, and inventory management.
Step 3: Design the Microservices
Domain-Driven Design (DDD)
Use Domain-Driven Design (DDD) principles to identify and model the core domains and subdomains of your application. Each microservice should align with a specific domain or subdomain, encapsulating its own business logic and data.
Example:
- User Service: Manages user accounts and profiles. 
- Order Service: Handles order creation, processing, and management. 
- Product Service: Manages product catalog and inventory. 
Step 4: Implement Reactive Programming Principles
User Service Example
Using Spring WebFlux, we can build a reactive User Service. WebFlux is built on Project Reactor, which provides a powerful and flexible reactive programming model.
User Model and Service Implementation
The User model is a simple POJO (Plain Old Java Object) representing the user entity. The UserService class manages the lifecycle of User objects in a concurrent hash map.
// User.java
public class User {
    private String id;
    private String name;
    // getters and setters
}
// UserService.java
@Service
public class UserService {
    private final Map<String, User> users = new ConcurrentHashMap<>();
    public Mono<User> getUserById(String id) {
        return Mono.justOrEmpty(users.get(id));
    }
    public Mono<User> createUser(User user) {
        users.put(user.getId(), user);
        return Mono.just(user);
    }
}User Controller
 The UserController class handles HTTP requests and interacts with the UserService. It leverages the reactive capabilities of Spring WebFlux to return Mono objects, which represent a single asynchronous value. 
// UserController.java
@RestController
@RequestMapping("/users")
public class UserController {
    private final UserService userService;
    public UserController(UserService userService) {
        this.userService = userService;
    }
    @GetMapping("/{id}")
    public Mono<ResponseEntity<User>> getUser(@PathVariable String id) {
        return userService.getUserById(id)
                .map(ResponseEntity::ok)
                .defaultIfEmpty(ResponseEntity.notFound().build());
    }
    @PostMapping
    public Mono<User> createUser(@RequestBody User user) {
        return userService.createUser(user);
    }
}Application Entry Point
 The main application class is annotated with @SpringBootApplication, which triggers component scanning and auto-configuration. 
// Application.java
@SpringBootApplication
public class UserServiceApplication {
    public static void main(String[] args) {
        SpringApplication.run(UserServiceApplication.class, args);
    }
}Order Service Example
The Order Service will interact with the User Service asynchronously using WebClient, a reactive web client included in Spring WebFlux.
Order Model and Service Implementation
The Order model represents an order entity. The OrderService class uses WebClient to make non-blocking HTTP requests to the User Service to retrieve user information.
// Order.java
public class Order {
    private String orderId;
    private String userId;
    private String productId;
    // getters and setters
}
// OrderService.java
@Service
public class OrderService {
    private final WebClient webClient;
    public OrderService(WebClient.Builder webClientBuilder) {
        this.webClient = webClientBuilder.baseUrl("http://localhost:8080").build();
    }
    public Mono<Order> createOrder(String userId, String productId) {
        return webClient.get()
                .uri("/users/{id}", userId)
                .retrieve()
                .bodyToMono(User.class)
                .map(user -> {
                    Order order = new Order();
                    order.setUserId(user.getId());
                    order.setProductId(productId);
                    order.setOrderId(UUID.randomUUID().toString());
                    return order;
                });
    }
}Order Controller
The OrderController class handles HTTP requests and interacts with the OrderService to process orders.
// OrderController.java
@RestController
@RequestMapping("/orders")
public class OrderController {
    private final OrderService orderService;
    public OrderController(OrderService orderService) {
        this.orderService = orderService;
    }
    @PostMapping
    public Mono<Order> createOrder(@RequestParam String userId, @RequestParam String productId) {
        return orderService.createOrder(userId, productId);
    }
}
// Application.java
@SpringBootApplication
public class OrderServiceApplication {
    public static void main(String[] args) {
        SpringApplication.run(OrderServiceApplication.class, args);
    }
}Step 5: Implement Inter-Service Communication
Reactive microservices often need to communicate with each other. We use WebClient in Spring WebFlux for non-blocking HTTP requests.
@Bean
public WebClient.Builder webClientBuilder() {
    return WebClient.builder();
}Step 6: Handle Backpressure and Resilience
 Implement backpressure to handle scenarios where the producer is faster than the consumer. Use Project Reactor’s Flux and Mono to manage data flow and resilience. 
Circuit Breaker
Use Resilience4j to implement a circuit breaker, ensuring that your services can gracefully handle failures.
// OrderService.java
@Service
public class OrderService {
    private final WebClient webClient;
    private final CircuitBreaker circuitBreaker;
    public OrderService(WebClient.Builder webClientBuilder, CircuitBreakerRegistry circuitBreakerRegistry) {
        this.webClient = webClientBuilder.baseUrl("http://localhost:8080").build();
        this.circuitBreaker = circuitBreakerRegistry.circuitBreaker("userService");
    }
    public Mono<Order> createOrder(String userId, String productId) {
        return Mono.fromCallable(() -> circuitBreaker.executeSupplier(() ->
                webClient.get()
                        .uri("/users/{id}", userId)
                        .retrieve()
                        .bodyToMono(User.class)
                        .block()))
                .map(user -> {
                    Order order = new Order();
                    order.setUserId(user.getId());
                    order.setProductId(productId);
                    order.setOrderId(UUID.randomUUID().toString());
                    return order;
                });
    }
}Step 7: Deploy and Monitor
Deploy your microservices using container orchestration platforms like Kubernetes. Implement monitoring to track the health and performance of your services.
Monitoring with Micrometer and Prometheus
// Add dependencies for micrometer and prometheus
dependencies {
    implementation 'io.micrometer:micrometer-core'
    implementation 'io.micrometer:micrometer-registry-prometheus'
}
// Application.java
@SpringBootApplication
public class MonitoringApplication {
    public static void main(String[] args) {
        SpringApplication.run(MonitoringApplication.class, args);
    }
}Advanced Topics
Event-Driven Architecture
Reactive microservices often benefit from event-driven architecture, where services communicate through events rather than direct HTTP calls. This decouples services, allowing for greater flexibility and scalability.
Example: Using Kafka for Event-Driven Communication
// KafkaProducerConfig.java
@Configuration
public class KafkaProducerConfig {
    @Bean
    public ProducerFactory<String, Order> producerFactory() {
        Map<String, Object> configProps = new HashMap<>();
        configProps.put(ProducerConfig.BOOTSTRAP_SERVERS_CONFIG, "localhost:9092");
        configProps.put(ProducerConfig.KEY_SERIALIZER_CLASS_CONFIG, StringSerializer.class);
        configProps.put(ProducerConfig.VALUE_SERIALIZER_CLASS_CONFIG, JsonSerializer.class);
        return new DefaultKafkaProducerFactory<>(configProps);
    }
    @Bean
    public KafkaTemplate<String, Order> kafkaTemplate() {
        return new KafkaTemplate<>(producerFactory());
    }
}
// KafkaConsumerConfig.java
@Configuration
public class KafkaConsumerConfig {
    @Bean
    public ConsumerFactory<String, Order> consumerFactory() {
        Map<String, Object> configProps = new HashMap<>();
        configProps.put(ConsumerConfig.BOOTSTRAP_SERVERS_CONFIG, "localhost:9092");
        configProps.put(ConsumerConfig.GROUP_ID_CONFIG, "group_id");
        configProps.put(ConsumerConfig.KEY_DESERIALIZER_CLASS_CONFIG, StringDeserializer.class);
        configProps.put(ConsumerConfig.VALUE_DESERIALIZER_CLASS_CONFIG, JsonDeserializer.class);
        configProps.put(JsonDeserializer.TRUSTED_PACKAGES, "*");
        return new DefaultKafkaConsumerFactory<>(configProps);
    }
    @Bean
    public ConcurrentKafkaListenerContainerFactory<String, Order> kafkaListenerContainerFactory() {
        ConcurrentKafkaListenerContainerFactory<String, Order> factory = new ConcurrentKafkaListenerContainerFactory<>();
        factory.setConsumerFactory(consumerFactory());
        return factory;
    }
}
// OrderProducer.java
@Service
public class OrderProducer {
    private final KafkaTemplate<String, Order> kafkaTemplate;
    public OrderProducer(KafkaTemplate<String, Order> kafkaTemplate) {
        this.kafkaTemplate = kafkaTemplate;
    }
    public void sendOrder(Order order) {
        kafkaTemplate.send("orders", order);
    }
}
// OrderConsumer.java
@Service
public class OrderConsumer {
    @KafkaListener(topics = "orders", groupId = "group_id")
    public void consume(Order order) {
        System.out.println("Consumed order: " + order);
    }
}Design Patterns and Best Practices
1. Single Responsibility Principle (SRP)
Each microservice should have a single responsibility, encapsulating a specific business capability. This promotes maintainability and scalability.
2. Circuit Breaker Pattern
Use the circuit breaker pattern to prevent cascading failures and allow the system to recover gracefully. This is particularly important in a distributed environment where services depend on each other.
// OrderService.java
@Service
public class OrderService {
    private final WebClient webClient;
    private final CircuitBreaker circuitBreaker;
    public OrderService(WebClient.Builder webClientBuilder, CircuitBreakerRegistry circuitBreakerRegistry) {
        this.webClient = webClientBuilder.baseUrl("http://localhost:8080").build();
        this.circuitBreaker = circuitBreakerRegistry.circuitBreaker("userService");
    }
    public Mono<Order> createOrder(String userId, String productId) {
        return Mono.fromCallable(() -> circuitBreaker.executeSupplier(() ->
                webClient.get()
                        .uri("/users/{id}", userId)
                        .retrieve()
                        .bodyToMono(User.class)
                        .block()))
                .map(user -> {
                    Order order = new Order();
                    order.setUserId(user.getId());
                    order.setProductId(productId);
                    order.setOrderId(UUID.randomUUID().toString());
                    return order;
                });
    }
}3. Event Sourcing
Event sourcing is a design pattern where state changes are logged as a sequence of events. This allows for a full history of state changes, making it easy to recreate the state at any point in time.
// EventStore.java
public class EventStore {
    private final List<Event> events = new ArrayList<>();
    public void save(Event event) {
        events.add(event);
    }
    public List<Event> getEvents() {
        return new ArrayList<>(events);
    }
}4. CQRS (Command Query Responsibility Segregation)
CQRS is a pattern that separates the responsibility of handling commands (writes) and queries (reads). This separation allows for more scalable and maintainable systems.
public class Command {
    public string Data { get; set; }
}
public class Query {
    public string Criteria { get; set; }
}
public interface ICommandHandler<T> {
    void Handle(T command);
}
public interface IQueryHandler<T, R> {
    R Handle(T query);
}
public class CommandHandler : ICommandHandler<Command> {
    public void Handle(Command command) {
        // Handle the command
    }
}
public class QueryHandler : IQueryHandler<Query, string> {
    public string Handle(Query query) {
        // Handle the query and return result
        return "Result";
    }
}5. Saga Pattern
The Saga pattern is a way to manage distributed transactions across multiple services. It breaks down a transaction into a series of smaller steps, each managed by a service, with compensating transactions to handle failures.
Example:
- Order Service: Starts the saga by creating an order. 
- Inventory Service: Reserves product inventory. 
- Payment Service: Processes payment. 
- Order Service: Finalizes the order. 
If any step fails, compensating transactions are triggered to roll back the changes.
Conclusion
Building reactive microservices involves understanding reactive principles, decoupling components, and ensuring resilience and scalability. By transitioning from a monolith to a reactive microservices architecture, you can create applications that are better suited to handle the demands of modern, high-concurrency environments. This guide provides a foundation for building such systems using the latest version of Java and reactive programming frameworks. Embracing reactive programming can significantly enhance the performance, maintainability, and responsiveness of your applications.
