The @LoadBalanced annotation creates an instance of created RestTemplate load-balanced. There is no code you need to write to make the RestTemplate load-balance HTTP request it sends to an internal microservice. The RestTemplate bean will be intercepted and auto-configured by Spring Cloud. In brief, we need to use the @LoadBalanced Annotation in our configuration class while creating the Bean of RestTemplate. Below is the sample code for the same.
@Configuration
public class SampleConfig {
@LoadBalanced
@Bean
public RestTemplate restTemplate() {
return new RestTemplate();
}
}
Let’s see the whole implementation by developing 2 Microservices and 1 Service Discovery.
Developing Service Discovery
Please refer to this article and develop a service discovery: Java Spring Boot Microservices – Developing Service Discovery.
Developing address-service Step by Step
Step 1: Create a New Spring Boot Project in Spring Initializr
To create a new Spring Boot project, please refer to How to Create a Spring Boot Project in Spring Initializr and Run it in IntelliJ IDEA. For this project choose the following things
- Project: Maven
- Language: Java
- Packaging: Jar
- Java: 17
Please choose the following dependencies while creating the project.
- Spring Boot DevTools
- Spring Data JPA
- MySQL Driver
- Spring Web
- Eureka Discovery Client
Generate the project and run it in IntelliJ IDEA by referring to the above article.
Note: We have used the MySQL database in this project.
Step 2: Create Schema in MySQL Workbench and Put Some Sample Data
Go to your MySQL Workbench and create a schema named gfgmicroservicesdemo and inside that create a table called address and put some sample data as shown in the below image.
Address Table:
Here we have created 4 columns and put some sample data.
- id
- city
- state
- employee_id
Note: In the Address table, employee_id is a foreign key so create it accordingly. We are going to perform a SQL join operation in our native SQL query. So create tables carefully.
Before moving to IntelliJ IDEA let’s have a look at the complete project structure for our Microservices.
Step 3: Make Changes in Your application.properties File
Now make the following changes in your application.properties file.
spring.datasource.url=jdbc:mysql://localhost:3306/gfgmicroservicesdemospring.datasource.username=put your username herespring.datasource.password=put your password herespring.application.name=address-serviceserver.port=8081server.servlet.context-path=/address-serviceeureka.instance.metadata-map.configPath=/address-service
Step 4: Create Your Entity/Model Class
Go to the src > main > java > entity and create a class Address and put the below code. This is our model class.
Java
| packagecom.gfg.addressapp.entity; importjakarta.persistence.*; @Entity@Table(name = "address")publicclassAddress {     @Id    @GeneratedValue(strategy = GenerationType.IDENTITY)    @Column(name = "id")    privateintid;     @Column(name = "city")    privateString city;     @Column(name = "state")    privateString state;     publicintgetId() {        returnid;    }     publicvoidsetId(intid) {        this.id = id;    }     publicString getCity() {        returncity;    }     publicvoidsetCity(String city) {        this.city = city;    }     publicString getState() {        returnstate;    }     publicvoidsetState(String state) {        this.state = state;    }} | 
Step 5: Create Your Repository Interface
Go to the src > main > java > repository and create an interface AddressRepo and put the below code. This is our repository where we write code for all the database-related stuff.
Java
| packagecom.gfg.addressapp.repository; importcom.gfg.addressapp.entity.Address;importjava.util.Optional;importorg.springframework.data.jpa.repository.JpaRepository;importorg.springframework.data.jpa.repository.Query;importorg.springframework.data.repository.query.Param; @RepositorypublicinterfaceAddressRepo extendsJpaRepository<Address, Integer> {     @Query(        nativeQuery = true,        value        = "SELECT ea.id, ea.city, ea.state FROM gfgmicroservicesdemo.address ea join gfgmicroservicesdemo.employee e on e.id = ea.employee_id where ea.employee_id=:employeeId")       Optional<Address> findAddressByEmployeeId(@Param("employeeId") intemployeeId);} | 
Note: Please refer to this article to know more about JpaRepository.
Step 6: Create an AddressResponse Class
Go to the src > main > java > response and create a class AddressResponse and put the below code.
Java
| packagecom.gfg.addressapp.response; publicclassAddressResponse {     privateintid;    privateString city;    privateString state;     publicintgetId() {        returnid;    }     publicvoidsetId(intid) {        this.id = id;    }     publicString getCity() {        returncity;    }     publicvoidsetCity(String city) {        this.city = city;    }     publicString getState() {        returnstate;    }     publicvoidsetState(String state) {        this.state = state;    }} | 
Step 7: Create Your Service Class
Go to the src > main > java > service and create a class AddressService and put the below code. This is our service class where we write our business logic.
Java
| packagecom.gfg.addressapp.service; importcom.gfg.addressapp.entity.Address;importcom.gfg.addressapp.repository.AddressRepo;importcom.gfg.addressapp.response.AddressResponse;importorg.modelmapper.ModelMapper;importorg.springframework.beans.factory.annotation.Autowired;importorg.springframework.stereotype.Service; importjava.util.Optional; @ServicepublicclassAddressService {     @Autowired    privateAddressRepo addressRepo;     @Autowired    privateModelMapper mapper;     publicAddressResponse findAddressByEmployeeId(intemployeeId) {        Optional<Address> addressByEmployeeId = addressRepo.findAddressByEmployeeId(employeeId);        AddressResponse addressResponse = mapper.map(addressByEmployeeId, AddressResponse.class);        returnaddressResponse;    } } | 
Step 8: Create an Address Controller
Go to the src > main > java > controller and create a class AddressController and put the below code. Here we are going to create an endpoint “/address/{employeeId}” to find the address using employee_id. Thats why we have created a foreign key in the Address table and we have performed the SQL join operation in the native query to get our desired result.
Java
| packagecom.gfg.addressapp.controller; importcom.gfg.addressapp.response.AddressResponse;importcom.gfg.addressapp.service.AddressService;importorg.springframework.beans.factory.annotation.Autowired;importorg.springframework.http.HttpStatus;importorg.springframework.http.ResponseEntity;importorg.springframework.web.bind.annotation.GetMapping;importorg.springframework.web.bind.annotation.PathVariable;importorg.springframework.web.bind.annotation.RestController; @RestControllerpublicclassAddressController {     @Autowired    privateAddressService addressService;     @GetMapping("/address/{employeeId}")    publicResponseEntity<AddressResponse> getAddressByEmployeeId(@PathVariable("employeeId") intemployeeId) {        AddressResponse addressResponse = addressService.findAddressByEmployeeId(employeeId);        returnResponseEntity.status(HttpStatus.OK).body(addressResponse);    } } | 
Step 9: Create a Configuration Class
Go to the src > main > java > configuration and create a class AddressConfig and put the below code.
Java
| packagecom.gfg.addressapp.configuration; importcom.gfg.addressapp.service.AddressService;importorg.modelmapper.ModelMapper;importorg.springframework.context.annotation.Bean;importorg.springframework.context.annotation.Configuration; @ConfigurationpublicclassAddressConfig {     @Bean    publicModelMapper modelMapperBean() {        returnnewModelMapper();    } } | 
Note: You may refer to these two articles
Before running the Microservice below is the complete pom.xml file. Please cross-verify if you have missed some dependencies
XML
| <?xmlversion="1.0"encoding="UTF-8"?><projectxmlns="http://maven.apache.org/POM/4.0.0"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"    xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">    <modelVersion>4.0.0</modelVersion>    <parent>        <groupId>org.springframework.boot</groupId>        <artifactId>spring-boot-starter-parent</artifactId>        <version>3.0.2</version>        <relativePath/> <!-- lookup parent from repository -->    </parent>    <groupId>com.gfg.addressapp</groupId>    <artifactId>address-service</artifactId>    <version>0.0.1-SNAPSHOT</version>    <name>address-service</name>    <description>Address Service</description>    <properties>        <java.version>17</java.version>        <spring-cloud.version>2022.0.2</spring-cloud.version>    </properties>    <dependencies>        <dependency>            <groupId>org.springframework.boot</groupId>            <artifactId>spring-boot-starter-data-jpa</artifactId>        </dependency>        <dependency>            <groupId>org.springframework.boot</groupId>            <artifactId>spring-boot-starter-web</artifactId>        </dependency>         <dependency>            <groupId>org.springframework.boot</groupId>            <artifactId>spring-boot-devtools</artifactId>            <scope>runtime</scope>            <optional>true</optional>        </dependency>        <dependency>            <groupId>com.mysql</groupId>            <artifactId>mysql-connector-j</artifactId>            <scope>runtime</scope>        </dependency>        <dependency>            <groupId>org.springframework.boot</groupId>            <artifactId>spring-boot-starter-test</artifactId>            <scope>test</scope>        </dependency>        <dependency>            <groupId>org.modelmapper</groupId>            <artifactId>modelmapper</artifactId>            <version>3.1.1</version>        </dependency>         <dependency>            <groupId>org.springframework.cloud</groupId>            <artifactId>spring-cloud-starter-netflix-eureka-client</artifactId>        </dependency>     </dependencies>     <dependencyManagement>        <dependencies>            <dependency>                <groupId>org.springframework.cloud</groupId>                <artifactId>spring-cloud-dependencies</artifactId>                <version>${spring-cloud.version}</version>                <type>pom</type>                <scope>import</scope>            </dependency>        </dependencies>    </dependencyManagement>     <build>        <plugins>            <plugin>                <groupId>org.springframework.boot</groupId>                <artifactId>spring-boot-maven-plugin</artifactId>            </plugin>        </plugins>    </build>     <repositories>        <repository>            <id>netflix-candidates</id>            <name>Netflix Candidates</name>            <snapshots>                <enabled>false</enabled>            </snapshots>        </repository>    </repositories> </project> | 
Developing Employee-Service Step by Step
Step 1: Create a New Spring Boot Project in Spring Initializr
To create a new Spring Boot project, please refer to How to Create a Spring Boot Project in Spring Initializr and Run it in IntelliJ IDEA. For this project choose the following things
- Project: Maven
- Language: Java
- Packaging: Jar
- Java: 17
Please choose the following dependencies while creating the project.
- Spring Boot DevTools
- Spring Data JPA
- MySQL Driver
- Spring Web
- Eureka Discovery Client
Generate the project and run it in IntelliJ IDEA by referring to the above article.
Note: We have used the MySQL database in this project.
Step 2: Create Schema in MySQL Workbench and Put Some Sample Data
Go to your MySQL Workbench and create a schema named gfgmicroservicesdemo and inside that create a table called employee and put some sample data as shown in the below image. Here we have created 4 columns and put some sample data.
- id
- name
- age
Now we are going to fetch Employee Data from Employee Table in our Spring Boot project. To do it refer to the following steps. Before moving to IntelliJ IDEA let’s have a look at the complete project structure for our Microservices.
Step 3: Make Changes in Your application.properties File
Now make the following changes in your application.properties file.
spring.datasource.url=jdbc:mysql://localhost:3306/gfgmicroservicesdemospring.datasource.username=put your username herespring.datasource.password=put your password herespring.application.name=employee-serviceserver.port=8080# Set Your Context Path Hereserver.servlet.context-path=/employee-service
You may also refer to the below image
Step 4: Create Your Entity/Model Class
Go to the src > main > java > entity and create a class Employee and put the below code. This is our model class.
Java
| packagecom.gfg.employeaap.entity; importjakarta.persistence.*; @Entity@Table(name = "employee")publicclassEmployee {     @Id    @GeneratedValue(strategy = GenerationType.IDENTITY)    @Column(name = "id")    privateintid;     @Column(name = "name")    privateString name;     @Column(name = "email")    privateString email;     @Column(name = "age")    privateString age;     publicintgetId() {        returnid;    }     publicvoidsetId(intid) {        this.id = id;    }     publicString getName() {        returnname;    }     publicvoidsetName(String name) {        this.name = name;    }     publicString getEmail() {        returnemail;    }     publicvoidsetEmail(String email) {        this.email = email;    }     publicString getAge() {        returnage;    }     publicvoidsetAge(String age) {        this.age = age;    }} | 
Step 5: Create Your Repository Interface
Go to the src > main > java > repository and create an interface EmployeeRepo and put the below code. This is our repository where we write code for all the database-related stuff.
Java
| packagecom.gfg.employeaap.repository; importcom.gfg.employeaap.entity.Employee;importorg.springframework.data.jpa.repository.JpaRepository; @RepositorypublicinterfaceEmployeeRepo extendsJpaRepository<Employee, Integer> { } | 
Note: Please refer to this article to know more about JpaRepository.
Step 6: Create an EmployeeResponse Class
Go to the src > main > java > response and create a class EmployeeResponse and put the below code.
Java
| packagecom.gfg.employeaap.response; publicclassEmployeeResponse {     privateintid;    privateString name;    privateString email;    privateString age;     publicintgetId() {        returnid;    }     publicvoidsetId(intid) {        this.id = id;    }     publicString getName() {        returnname;    }     publicvoidsetName(String name) {        this.name = name;    }     publicString getEmail() {        returnemail;    }     publicvoidsetEmail(String email) {        this.email = email;    }     publicString getAge() {        returnage;    }     publicvoidsetAge(String age) {        this.age = age;    }} | 
Step 7: Create Your Service Class
Go to the src > main > java > service and create a class EmployeeService and put the below code. This is our service class where we write our business logic.
Java
| packagecom.gfg.employeaap.service; importcom.gfg.employeaap.entity.Employee;importcom.gfg.employeaap.repository.EmployeeRepo;importcom.gfg.employeaap.response.AddressResponse;importcom.gfg.employeaap.response.EmployeeResponse;importorg.modelmapper.ModelMapper;importorg.springframework.beans.factory.annotation.Autowired;importorg.springframework.cloud.client.loadbalancer.LoadBalancerClient;importorg.springframework.stereotype.Service;importorg.springframework.web.client.RestTemplate; importjava.util.Optional; @ServicepublicclassEmployeeService {     @Autowired    privateEmployeeRepo employeeRepo;     @Autowired    privateModelMapper mapper;     @Autowired    privateRestTemplate restTemplate;     @Autowired    privateLoadBalancerClient loadBalancerClient;     publicEmployeeResponse getEmployeeById(intid) {         Optional<Employee> employee = employeeRepo.findById(id);        EmployeeResponse employeeResponse = mapper.map(employee, EmployeeResponse.class);         AddressResponse addressResponse = restTemplate.getForObject("http://ADDRESS-SERVICE/address-service/address/{id}", AddressResponse.class, id);         employeeResponse.setAddressResponse(addressResponse);        returnemployeeResponse;    } } | 
Step 8: Create an Employee Controller
Go to the src > main > java > controller and create a class EmployeeController and put the below code. Here we are going to create an endpoint “/employees/{id}” to find an employee using id.
Java
| packagecom.gfg.employeaap.controller; importcom.gfg.employeaap.response.EmployeeResponse;importcom.gfg.employeaap.service.EmployeeService;importorg.springframework.beans.factory.annotation.Autowired;importorg.springframework.http.HttpStatus;importorg.springframework.http.ResponseEntity;importorg.springframework.web.bind.annotation.GetMapping;importorg.springframework.web.bind.annotation.PathVariable;importorg.springframework.web.bind.annotation.RestController; @RestControllerpublicclassEmployeeController {     @Autowired    privateEmployeeService employeeService;     @GetMapping("/employees/{id}")    privateResponseEntity<EmployeeResponse> getEmployeeDetails(@PathVariable("id") intid) {        EmployeeResponse employee = employeeService.getEmployeeById(id);        returnResponseEntity.status(HttpStatus.OK).body(employee);    } } | 
Step 9: Create a Configuration Class
Go to the src > main > java > configuration and create a class EmployeeConfig and put the below code.
Java
| packagecom.gfg.employeaap.configuration; importcom.gfg.employeaap.service.EmployeeService;importorg.modelmapper.ModelMapper;importorg.springframework.context.annotation.Bean;importorg.springframework.context.annotation.Configuration; @ConfigurationpublicclassEmployeeConfig {     @Bean    publicModelMapper modelMapperBean() {        returnnewModelMapper();    }         @LoadBalanced     @Bean    publicRestTemplate restTemplate() {        returnnewRestTemplate();    } } | 
Note: You may refer to these two articles
Before running the Microservice below is the complete pom.xml file. Please cross-verify if you have missed some dependencies
XML
| <?xmlversion="1.0"encoding="UTF-8"?><projectxmlns="http://maven.apache.org/POM/4.0.0"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"    xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">    <modelVersion>4.0.0</modelVersion>    <parent>        <groupId>org.springframework.boot</groupId>        <artifactId>spring-boot-starter-parent</artifactId>        <version>3.0.2</version>        <relativePath/> <!-- lookup parent from repository -->    </parent>    <groupId>com.gfg.employeaap</groupId>    <artifactId>employee-service</artifactId>    <version>0.0.1-SNAPSHOT</version>    <name>employee-service</name>    <description>Employee Service</description>    <properties>        <java.version>17</java.version>        <spring-cloud.version>2022.0.2</spring-cloud.version>    </properties>    <dependencies>        <dependency>            <groupId>org.springframework.boot</groupId>            <artifactId>spring-boot-starter-data-jpa</artifactId>        </dependency>        <dependency>            <groupId>org.springframework.boot</groupId>            <artifactId>spring-boot-starter-web</artifactId>        </dependency>         <dependency>            <groupId>org.springframework.boot</groupId>            <artifactId>spring-boot-devtools</artifactId>            <scope>runtime</scope>            <optional>true</optional>        </dependency>        <dependency>            <groupId>com.mysql</groupId>            <artifactId>mysql-connector-j</artifactId>            <scope>runtime</scope>        </dependency>        <dependency>            <groupId>org.springframework.boot</groupId>            <artifactId>spring-boot-starter-test</artifactId>            <scope>test</scope>        </dependency>        <dependency>            <groupId>org.modelmapper</groupId>            <artifactId>modelmapper</artifactId>            <version>3.1.1</version>        </dependency>        <dependency>            <groupId>org.springframework.boot</groupId>            <artifactId>spring-boot-starter-webflux</artifactId>        </dependency>        <dependency>            <groupId>io.projectreactor</groupId>            <artifactId>reactor-test</artifactId>            <scope>test</scope>        </dependency>         <dependency>            <groupId>org.springframework.cloud</groupId>            <artifactId>spring-cloud-starter-netflix-eureka-client</artifactId>        </dependency>     </dependencies>      <dependencyManagement>        <dependencies>            <dependency>                <groupId>org.springframework.cloud</groupId>                <artifactId>spring-cloud-dependencies</artifactId>                <version>${spring-cloud.version}</version>                <type>pom</type>                <scope>import</scope>            </dependency>        </dependencies>    </dependencyManagement>     <build>        <plugins>            <plugin>                <groupId>org.springframework.boot</groupId>                <artifactId>spring-boot-maven-plugin</artifactId>            </plugin>        </plugins>    </build>     <repositories>        <repository>            <id>netflix-candidates</id>            <name>Netflix Candidates</name>            <snapshots>                <enabled>false</enabled>            </snapshots>        </repository>    </repositories> </project> | 
Run Your Services
Now run your both Address and Employee Microservices along with your Discovery Service. If everything goes well then you may see the following screen in your Eureka dashboard. Please refer to the below image.
 Test Your Endpoint in Postman
Test Your Endpoint in Postman
Now open Postman and hit the following URL
GET: http://localhost:8080/employee-service/employees/2
And you can see the following response
{ "id": 2, "name": "Asish", "email": "asis@gmail", "age": "30", "addressResponse": { "id": 1, "city": "BLS", "state": "Odisha" }}
Please refer to the below image.

 
                                    








