Microservices – Overview and Design Patterns

Microservices have gained significant popularity in recent years as an architectural style for designing and building software systems. They promote the decomposition of complex applications into small, loosely coupled, and independently deployable services. Here’s an explanation of microservices, along with design patterns, benefits, and challenges associated with their implementation.

Microservices are a way of structuring software applications as a collection of small, autonomous services that can be developed, deployed, and scaled independently. Each microservice focuses on a specific business capability and communicates with other services through lightweight mechanisms such as APIs (Application Programming Interfaces). Microservices are typically organized around business domains, and each service is responsible for a single function or feature.

Microservices Design Patterns

Several design patterns have emerged to help architects and developers design effective microservices-based systems. Some popular patterns include:

1. Service Decomposition: This pattern involves breaking down a monolithic application into smaller services based on business capabilities. It enables independent development, deployment, and scalability of individual services.

2. API Gateway: The API Gateway pattern provides a single entry point for clients to access multiple microservices. It handles routing, aggregation, authentication, and other cross-cutting concerns, simplifying the client’s interaction with the system.

3. Service Registry and Discovery: Microservices often need to locate and communicate with each other. The Service Registry pattern involves maintaining a centralized registry of available services, while the Service Discovery pattern enables services to locate and dynamically adapt to changes in service locations.

4. Circuit Breaker: The Circuit Breaker pattern helps prevent cascading failures in a microservices environment. It provides fault tolerance by monitoring service availability and intelligently failing fast if a service is unresponsive, reducing the impact on the system.

5. Event-Driven Architecture: Microservices can communicate asynchronously through events. The Event-Driven Architecture pattern enables loose coupling between services by publishing and subscribing to events, facilitating scalability, extensibility, and real-time processing.

Benefits of Microservices:

Microservices offer several benefits that contribute to the popularity of this architectural style:

1. Scalability: Each microservice can be independently scaled based on demand, allowing for efficient resource utilization.

2. Flexibility and Agility: Microservices enable teams to independently develop and deploy services, allowing faster iteration, easy adoption of new technologies, and improved time-to-market.

3. Fault Isolation: Since microservices are decoupled, a failure in one service doesn’t bring down the entire system, enhancing fault tolerance and system resilience.

4. Modularity and Reusability: Microservices promote modular design, making it easier to understand, maintain, and reuse code. Teams can work on different services simultaneously without conflicts.

5. Technology Diversity: Microservices allow using different technologies and programming languages for each service, enabling teams to choose the best tools for specific business requirements.

Challenges with Microservices

While microservices offer numerous benefits, they also present certain challenges that organizations need to address:

1. Complexity: Microservices introduce a higher level of complexity compared to monolithic architectures, requiring additional efforts in service orchestration, inter-service communication, and data consistency.

2. Distributed System Challenges: Microservices rely on network communication, which introduces latency and adds complexity to handling failures, eventual consistency, and maintaining transactional integrity.

3. Operational Overhead: Managing a large number of microservices and their deployments can be challenging, requiring efficient monitoring, logging, debugging, and infrastructure management practices.

4. Data Management: Maintaining data consistency and ensuring proper data access across different services can be complex, requiring careful design considerations such as event sourcing, distributed caching, and data replication strategies.

5. Service Dependencies: Microservices often have dependencies on other services, which can introduce versioning challenges, API compatibility issues, and the need for robust contract testing and service version management.

It’s important to consider these challenges and have appropriate strategies and tooling in place to mitigate their impact when adopting a microservices architecture.

Overall, microservices provide a scalable, flexible, and modular approach to building software systems. By leveraging design patterns and addressing the associated challenges, organizations can harness the benefits of microservices and deliver robust, highly maintainable, and scalable applications.

Lambda Expressions

Lambda expressions were introduced in Java 8 as a key feature to support functional programming in the Java programming language. A lambda expression is an anonymous function, allowing you to write more concise and expressive code. Here’s an explanation of lambda expressions and their benefits:

What is a Lambda Expression? A lambda expression is a compact block of code that represents an anonymous function. It is characterized by its conciseness and its ability to be used as a parameter for functional interfaces. Lambda expressions provide a more readable and expressive way to write code, particularly when working with collections, streams, and functional programming constructs.

Syntax of Lambda Expressions: The syntax of a lambda expression consists of three parts:

  1. Parameter list: It represents the input parameters for the lambda expression. If there are no parameters, you can leave the parentheses empty. For example: (int a, int b)
  2. Arrow token (->): It separates the parameter list from the body of the lambda expression. It indicates that the lambda expression is defining a function. For example: ->
  3. Function body: It represents the code that is executed when the lambda expression is invoked. It can be a single expression or a block of statements enclosed in curly braces. For example: a + b or { return a + b; }

Benefits of Lambda Expressions: Lambda expressions bring several benefits to Java programming:

  1. Concise and Readable Code: Lambda expressions allow you to express functionality in a more compact and readable form, reducing boilerplate code and increasing code clarity.
  2. Improved Code Reusability: By using lambda expressions, you can pass behavior as an argument to methods, making code more reusable and enabling higher-order functions.
  3. Enhanced Collection Processing: Lambda expressions work seamlessly with the Stream API, allowing you to perform operations on collections with a declarative and functional programming style. This simplifies the processing of large data sets, such as filtering, mapping, sorting, and reducing elements.
  4. Better Encapsulation: Lambda expressions help encapsulate behavior within a specific context, reducing the need for creating separate classes or implementing functional interfaces explicitly.
  5. Support for Functional Interfaces: Lambda expressions are used in conjunction with functional interfaces, which are interfaces with a single abstract method. Functional interfaces serve as the type for lambda expressions and provide a way to define and pass behavior easily.

Examples of Lambda Expressions: Here are a few examples to illustrate the usage of lambda expressions:

  1. Sorting with Comparators:

List<String> names = Arrays.asList("John", "Alice", "Bob"); 
Collections.sort(names, (s1, s2) -> s1.compareTo(s2));
  • Filtering with Predicates:

List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5); 
List<Integer> evenNumbers = numbers.stream() .filter(n -> n % 2 == 0) .collect(Collectors.toList());
  • Mapping with Function:

List<String> names = Arrays.asList("John", "Alice", "Bob"); 
List<Integer> nameLengths = names.stream() .map(name -> name.length()) .collect(Collectors.toList());

Lambda expressions provide a powerful and concise way to express behavior in Java. They have revolutionized the way code is written and have become an integral part of modern Java programming, particularly in functional programming and stream processing scenarios.

Asynchronous communication between microservices – Part I

Here we want that the two microservices communicate with each other asynchronously. First service will make some changes in its own database, then passes some message to a queue in the message broker. The other service will be notified and reads the message and will make changes in its own database based on the passed message.  We have two microservices order-service and the other one is product-service.

The advantage of having asynchronous communication is even if the other service is down, the first service sends the message to the queue and when the other service is up and running again, it will read the message from the queue and then process the message.

Prerequisites:

  1. You must have installation of Rabbit MQ and MySQL database. To download RabbitMQ, visit: https://www.rabbitmq.com/download.html
  2. Go to the rabbitmq_server-3.8.3\sbin directory and double-click on rabbitmq-server.bat. You will see the output similar to as shown below:

3. Start MySQL and create databases ordersdb and productsdb.

mysql>create database ordersdb;
mysql>create database productsdb;

Create Order Microservice

Step 1: Open https://start.spring.io/ and create a project using the following configuration:

Click on Generate to download the project zip file.

Step 2: Open the project in any IDE like Eclipse or Spring Tool Suite. Check the OrderServiceApplication class:

package com.techiepitch.order;

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;

@SpringBootApplication
public class OrderServiceApplication {

	public static void main(String[] args) {
		SpringApplication.run(OrderServiceApplication.class, args);
	}

}

Step 3: Put the configuration for Rabbit MQ and MySQL database in the application.properties file:

server.port=9090
spring.datasource.url=jdbc:mysql://localhost:3306/shoppingdb
spring.datasource.username=root
spring.datasource.password=admin
spring.jpa.hibernate.ddl-auto=update
spring.jpa.properties.hibernate.dialect=org.hibernate.dialect.MySQL5Dialect
spring.jpa.properties.hibernate.globally_quoted_identifiers=true
spring.rabbitmq.host=localhost
spring.rabbitmq.port=5672
spring.rabbitmq.username:guest
spring.rabbitmq.password:guest
order.queue.name=orderQueue
product.queue.name=productQueue
fanout.order.exchange=order-exchange
fanout.product.exchange=product-exchange

Step 4: Create the following packages:

Step 5: Create the class OrderServiceMessage in the package com.techiepitch.order.configuration.bean:

package com.techiepitch.order.configuration.bean;

public class OrderServiceMessage {
	
	private Integer orderId;	

	private Integer productId;
	
	private Integer quantity;

	public OrderServiceMessage() {
	}	

	public OrderServiceMessage(Integer orderId, Integer productId, Integer quantity) {
		this.orderId = orderId;
		this.productId = productId;
		this.quantity = quantity;
	}
	
	public Integer getOrderId() {
		return orderId;
	}
	
	public void setOrderId(Integer orderId) {
		this.orderId = orderId;
	}

	public Integer getProductId() {
		return productId;
	}

	public void setProductId(Integer productId) {
		this.productId = productId;
	}
	
	public Integer getQuantity() {
		return quantity;
	}

	public void setQuantity(Integer quantity) {
		this.quantity = quantity;
	}	

}

Step 6: Create the class ProductServiceMessage in the package com.techiepitch.order.configuration.bean:

package com.techiepitch.order.configuration.bean;

public class ProductServiceMessage {
	
	private Integer orderId;
	
	private boolean approved;
	
	private String message;
	
	private Integer availableQuantity;
	
	public ProductServiceMessage() {
	}

	public ProductServiceMessage(Integer orderId, boolean approved, String message, Integer availableQuantity) {
		this.orderId = orderId;
		this.approved = approved;
		this.message = message;
		this.availableQuantity = availableQuantity;
	}

	public Integer getOrderId() {
		return orderId;
	}

	public void setOrderId(Integer orderId) {
		this.orderId = orderId;
	}

	public boolean isApproved() {
		return approved;
	}

	public void setApproved(boolean approved) {
		this.approved = approved;
	}

	public String getMessage() {
		return message;
	}

	public void setMessage(String message) {
		this.message = message;
	}

	public Integer getAvailableQuantity() {
		return availableQuantity;
	}

	public void setAvailableQuantity(Integer availableQuantity) {
		this.availableQuantity = availableQuantity;
	}

}

Step 7: Create class QueueProducer in the package com.techiepitch.order.configuration:

package com.techiepitch.order.configuration;

import org.springframework.amqp.rabbit.core.RabbitTemplate;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.stereotype.Component;

import com.techiepitch.order.configuration.bean.OrderServiceMessage;
import com.fasterxml.jackson.databind.ObjectMapper;

@Component
public class QueueProducer {

	 @Value("${fanout.order.exchange}")
	 private String fanoutOrderExchange;

	 private final RabbitTemplate rabbitTemplate;

	 @Autowired
	 public QueueProducer(RabbitTemplate rabbitTemplate) {
		 super();
		 this.rabbitTemplate = rabbitTemplate;
	 }

	 public void produce(String msg) throws Exception {
		 rabbitTemplate.setExchange(fanoutOrderExchange);
		 rabbitTemplate.convertAndSend(msg);
	 }

	 public void produce(OrderServiceMessage message) throws Exception {
		 rabbitTemplate.setExchange(fanoutOrderExchange);
		 rabbitTemplate.convertAndSend(new ObjectMapper().writeValueAsString(message));
	 }	

}

Step 8: Create the class Order in the package com.techiepitch.order.entity:

package com.techiepitch.order.entity;

import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;

@Entity
public class Order {

	@Column(name = "order_id")
	@Id
	@GeneratedValue(strategy=GenerationType.AUTO)
	private Integer orderId;	
	
	@Column(name = "product_id")
	private Integer productId;
	
	private Integer quantity;
	
	private String status;

	public Integer getOrderId() {
		return orderId;
	}

	public void setOrderId(Integer orderId) {
		this.orderId = orderId;
	}

	public Integer getProductId() {
		return productId;
	}

	public void setProductId(Integer productId) {
		this.productId = productId;
	}

	public Integer getQuantity() {
		return quantity;
	}

	public void setQuantity(Integer quantity) {
		this.quantity = quantity;
	}

	public String getStatus() {
		return status;
	}

	public void setStatus(String status) {
		this.status = status;
	}
}

Step 9: Create the interface OrderRepository in the package com.techiepitch.order.repository:

package com.techiepitch.order.repository;

import org.springframework.data.jpa.repository.JpaRepository;
import com.techiepitch.order.entity.Order;

public interface OrderRepository extends JpaRepository<Order, Integer> {
}

Step 10: Create the class OrderController in the package com.techiepitch.order.controller:

package com.techiepitch.order.controller;

import java.util.Optional;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
import com.fasterxml.jackson.databind.ObjectMapper;
import com.techiepitch.order.configuration.QueueProducer;
import com.techiepitch.order.configuration.bean.OrderServiceMessage;
import com.techiepitch.order.configuration.bean.ProductServiceMessage;
import com.techiepitch.order.entity.Order;
import com.techiepitch.order.repository.OrderRepository;

@RestController
@RequestMapping("/orders")
@Component
public class OrderController {

	Logger logger = LoggerFactory.getLogger(OrderController.class);

	@Autowired
	private OrderRepository orderRepository;

	@Autowired
	private QueueProducer queueProducer;

	@PostMapping("/createorder")
	public Order createOrder(@RequestBody Order order) {

		Order createdOrder = orderRepository.save(order);

		Integer orderId = order.getOrderId();
		Integer productId = order.getProductId();
		Integer quantity = order.getQuantity();
		try {
			queueProducer.produce(new OrderServiceMessage(orderId, productId, quantity));
		} catch (Exception exception) {
			logger.error(exception.getMessage());
		}

		return createdOrder;
	}

	public void receiveMessage(String message) throws Exception {
		logger.debug("Received =>" + message);
		processMessage(message);
	}

	private void processMessage(String msg) throws Exception {

		ProductServiceMessage message = new ObjectMapper().readValue(msg, ProductServiceMessage.class);
		logger.debug("OrderId::" + message.getOrderId());

		if (message.getOrderId() != null) {
			Optional<Order> order = orderRepository.findById(message.getOrderId());
			if (order.isPresent()) {
				Order selectedOrder = order.get();
				if (message.isApproved()) {
					selectedOrder.setStatus("Order Approved");
				} else {
					selectedOrder.setStatus("Order Rejected");
				}
				orderRepository.save(selectedOrder);
			}
		}
	}
}

Step 11: Create the class RabbitMQConfiguration in the package com.techiepitch.order.configuration:

package com.techiepitch.order.configuration;

import org.springframework.amqp.core.Binding;
import org.springframework.amqp.core.BindingBuilder;
import org.springframework.amqp.core.FanoutExchange;
import org.springframework.amqp.core.Queue;
import org.springframework.amqp.rabbit.connection.ConnectionFactory;
import org.springframework.amqp.rabbit.listener.SimpleMessageListenerContainer;
import org.springframework.amqp.rabbit.listener.adapter.MessageListenerAdapter;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import com.techiepitch.order.controller.OrderController;

@Configuration
public class RabbitMQConfiguration {

	private static final String LISTENER_METHOD = "receiveMessage";

	@Value("${fanout.order.exchange}")
	private String fanoutOrderExchange;

	@Value("${order.queue.name}")
	private String orderQueueName;

	@Value("${fanout.product.exchange}")
	private String fanoutProductExchange;

	@Value("${product.queue.name}")
	private String productQueueName;

	@Bean
	Queue orderQueue() {
		return new Queue(orderQueueName, true);
	}

	@Bean
	Queue productQueue() {
		return new Queue(productQueueName, true);
	}

	@Bean
	FanoutExchange orderExchange() {
		return new FanoutExchange(fanoutOrderExchange);
	}

	@Bean
	FanoutExchange productExchange() {
		return new FanoutExchange(fanoutProductExchange);
	}

	@Bean
	Binding bindingOrder(Queue orderQueue, FanoutExchange orderExchange) {
		return BindingBuilder.bind(orderQueue).to(orderExchange);
	}

	@Bean
	Binding bindingProduct(Queue productQueue, FanoutExchange productExchange) {
		return BindingBuilder.bind(productQueue).to(productExchange);
	}

	@Bean
	SimpleMessageListenerContainer listenerContainer(ConnectionFactory connectionFactory,
			MessageListenerAdapter listenerAdapter) {
		SimpleMessageListenerContainer listenerContainer = new SimpleMessageListenerContainer();
		listenerContainer.setConnectionFactory(connectionFactory);
		listenerContainer.setQueueNames(productQueueName);
		listenerContainer.setMessageListener(listenerAdapter);
		return listenerContainer;
	}

	@Bean
	MessageListenerAdapter listenerAdapter(OrderController consumer) {
		return new MessageListenerAdapter(consumer, LISTENER_METHOD);
	}

}