KEMBAR78
Java Unit 5 | PDF | Spring Framework | Class (Computer Programming)
0% found this document useful (0 votes)
37 views46 pages

Java Unit 5

The Spring Framework is a lightweight framework that supports various other frameworks and consists of several modules like IOC, AOP, and MVC. Key features include Dependency Injection for loose coupling, Aspect-Oriented Programming for separating concerns, and Spring Boot for rapid application development. It also provides different bean scopes, such as Singleton and Prototype, to manage the lifecycle and visibility of beans.

Uploaded by

Shadab Hussain
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
37 views46 pages

Java Unit 5

The Spring Framework is a lightweight framework that supports various other frameworks and consists of several modules like IOC, AOP, and MVC. Key features include Dependency Injection for loose coupling, Aspect-Oriented Programming for separating concerns, and Spring Boot for rapid application development. It also provides different bean scopes, such as Singleton and Prototype, to manage the lifecycle and visibility of beans.

Uploaded by

Shadab Hussain
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 46

Spring Framework

Spring is a lightweight framework. It can be thought of as a framework of frameworks because it


provides support to various frameworks such as Struts, Hibernate, Tapestry, EJB, JSF, etc. The
framework, in broader sense, can be defined as a structure where we find solution of the various
technical problems.
The Spring framework comprises several modules such as IOC, AOP, DAO, Context, ORM, WEB
MVC etc. We will learn these modules in next page. Let's understand the IOC and Dependency
Injection first.

Key Features of Spring Framework

1. Dependency Injection (DI)


o DI is a design pattern used to implement IoC (Inversion of Control), allowing
the Spring container to manage the dependencies of beans.
o It reduces coupling between components by allowing dependencies to be
injected at runtime rather than being hard-coded.
2. Aspect-Oriented Programming (AOP)
o AOP complements OOP by allowing the separation of cross-cutting concerns
(e.g., logging, transaction management) from the business logic.
o Spring AOP provides declarative support for defining aspects, join points, and
advices.
3. Transaction Management
o Spring simplifies transaction management by providing a consistent
programming model across different transaction APIs (e.g., JDBC, JTA).
o Supports both declarative and programmatic transaction management.
4. Spring MVC
o A web framework built on the Model-View-Controller (MVC) design pattern.
o Facilitates the development of web applications by providing powerful
features like data binding, form handling, and validation.
5. Spring Data
o Simplifies data access and manipulation, providing support for relational
databases (JPA, JDBC) and NoSQL databases (MongoDB, Redis).
o Reduces boilerplate code by providing repository abstractions.
6. Spring Boot
o An extension of the Spring Framework that simplifies the setup and
development of new Spring applications.
o Provides default configurations and embedded servers, enabling rapid
application development.
7. Spring Security
o A comprehensive security framework for authentication, authorization, and
other security-related concerns.
o Supports various authentication mechanisms (e.g., LDAP, OAuth2, SAML).
8. Spring Cloud
o Facilitates the development of distributed systems and microservices.
o Provides tools for service discovery, configuration management, circuit
breakers, and more.
o
Inversion Of Control (IOC) and Dependency Injection

These are the design patterns that are used to remove dependency from the programming code.
They make the code easier to test and maintain. Let's understand this with the following code:

class Employee{
Address address;
Employee(){
address=new Address();
}
}

In such case, there is dependency between the Employee and Address (tight coupling). In the
Inversion of Control scenario, we do this something like this:

class Employee{
Address address;
Employee(Address address){
this.address=address;
}
}

Thus, IOC makes the code loosely coupled. In such case, there is no need to modify the code
if our logic is moved to new environment.

Advantages of Spring Framework

There are many advantages of Spring Framework. They are as follows:

1) Predefined Templates

Spring framework provides templates for JDBC, Hibernate, JPA etc. technologies. So there is
no need to write too much code. It hides the basic steps of these technologies.

2) Loose Coupling

The Spring applications are loosely coupled because of dependency injection.

3) Easy to test

The Dependency Injection makes easier to test the application. The EJB or Struts application
require server to run the application but Spring framework doesn't require server.
4) Lightweight

Spring framework is lightweight because of its POJO implementation. The Spring Framework
doesn't force the programmer to inherit any class or implement any interface. That is why it is
said non-invasive.

5) Fast Development

The Dependency Injection feature of Spring Framework and it support to various frameworks
makes the easy development of JavaEE application.

6) Powerful abstraction

It provides powerful abstraction to JavaEE specifications such as JMS, JDBC, JPA and JTA.

7) Declarative support

It provides declarative support for caching, validation, transactions and formatting.

Spring Dependency Injection (DI) Concept


Dependency Injection (DI) in Spring is a technique where the framework provides the necessary
objects (dependencies) to your class instead of your class creating them itself. This approach makes
your code easier to manage, test, and change.
Key Ideas
1. Bean: A Java object that Spring creates and manages.
2. IoC Container: The part of Spring that manages the creation, configuration, and lifecycle of
beans.
Types of Dependency Injection
1. Constructor Injection: Spring gives the dependencies through the class constructor.
2. Setter Injection: Spring gives the dependencies through setter methods (methods that set the
value of private fields).
3. Field Injection: Spring injects the dependencies directly into the fields.

Simple Example

Imagine you have a Car class that needs an Engine to run.

Without Dependency Injection

The Car class creates its own Engine.

public class Car {


private Engine engine;
public Car() {
this.engine = new Engine();
}

public void start() {


engine.run();
}
}
With Dependency Injection

Spring provides the Engine to the Car class.

Configuration Class:

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;

@Configuration
public class AppConfig {
@Bean
public Car car() {
return new Car(engine());
}

@Bean
public Engine engine() {
return new Engine();
}
}
Car Class:
public class Car {
private Engine engine;

public Car(Engine engine) {


this.engine = engine;
}

public void start() {


engine.run();
}
}
Main Application Class:
import org.springframework.context.ApplicationContext;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;

public class MainApp {


public static void main(String[] args) {
ApplicationContext context = new AnnotationConfigApplicationContext(AppConfig.class);
Car car = context.getBean(Car.class);
car.start();
}
}

Why Use Dependency Injection?


1. Loose Coupling: Your classes are less dependent on each other, making it easier to change
one without affecting the other.
2. Easier Testing: You can easily replace real objects with mock objects for testing.
3. Better Organization: Spring manages the creation and configuration of objects, making your
code cleaner.

Spring Inversion of Control (IoC) in Java - Simplified

Inversion of Control (IoC) is a core principle of the Spring Framework. It means that the
control of object creation and management is handed over to the Spring Framework, instead
of being managed by the application's code itself.

Basic Idea

Normally, in a typical Java application, you would create and manage the objects yourself.
With IoC, Spring takes over this responsibility. This makes your code cleaner and more
modular.
Key Points
1. IoC Container: The part of Spring that manages your objects (also called beans). It creates,
configures, and manages the lifecycle of beans.
2. Beans: The objects that are managed by the Spring IoC container.
3. Dependency Injection: The method by which the IoC container provides the necessary
dependencies to a bean.

How It Works
1. Define Beans: You tell Spring what objects you need (beans) and how they should be created
and configured.
2. Configure Beans: You can configure beans using XML, annotations, or Java code.
3. Spring Manages Beans: Spring creates and manages these beans, injecting dependencies
where needed.

Simple Example

Imagine you have a Car class that needs an Engine to run.

Without IoC

The Car class creates the Engine itself.

public class Car {


private Engine engine;

public Car() {
this.engine = new Engine();
}

public void start() {


engine.run();
}
}
With IoC

You let Spring create and manage the Engine and inject it into the Car.

Configuration Class:

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
@Configuration
public class AppConfig {
@Bean
public Car car() {
return new Car(engine());
}

@Bean
public Engine engine() {
return new Engine();
}
}
Car Class:
public class Car {
private Engine engine;

public Car(Engine engine) {


this.engine = engine;
}

public void start() {


engine.run();
}
}
Main Application Class:
import org.springframework.context.ApplicationContext;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;

public class MainApp {


public static void main(String[] args) {
ApplicationContext context = new AnnotationConfigApplicationContext(AppConfig.class);
Car car = context.getBean(Car.class);
car.start();
}
}

Benefits of IoC
1. Loose Coupling: Your classes depend less on each other, making the code easier to manage
and change.
2. Easy Testing: You can easily swap out real objects for mock objects during testing.
3. Better Organization: Spring handles the creation and wiring of objects, leading to cleaner
and more maintainable code.

Difference between Spring Dependency Injection and Spring Inversion of


Control

Inversion of Control (IoC) and Dependency Injection (DI) are core concepts in the Spring
Framework, but they are not the same. Here's a simple explanation of each concept and their
differences:

Inversion of Control (IoC)

Inversion of Control (IoC) is a design principle where the control of creating and managing
objects is transferred from the application code to a container or framework. In the context of
Spring, the IoC container is responsible for managing the lifecycle and configuration of
application objects.

 What It Does: IoC handles the creation, configuration, and management of objects.
 How It Works: The IoC container creates objects, configures them, and manages their
lifecycle. This setup is defined through configuration metadata (XML, annotations, or Java-
based configuration).

Example: Instead of a Car class creating its own Engine, the IoC container creates both and
wires them together.

Dependency Injection (DI)

Dependency Injection (DI) is a specific implementation technique of IoC. It is a pattern


where an object's dependencies are provided by an external entity rather than the object itself.
DI is how Spring achieves IoC.

 What It Does: DI provides the dependencies required by an object.


 How It Works: Dependencies are injected into objects through constructors, setters, or
directly into fields.

Example: The Engine object is injected into the Car object by the IoC container rather than the
Car creating its own Engine.
Key Differences

1. Concept vs. Implementation:


o IoC is a broader principle where the control of object creation is inverted from the
application code to the container.
o DI is a specific technique used to implement IoC by injecting dependencies.
2. Scope:
o IoC is a higher-level concept that includes various ways of delegating control, not
just DI.
o DI is a pattern used specifically to inject dependencies, making it a subset of IoC.
3. Purpose:
o IoC aims to invert the responsibility of managing objects.
o DI focuses on providing objects with their dependencies from an external source.

Conclusion
 Inversion of Control (IoC): A design principle where the control of object creation and
management is given to the container/framework.
 Dependency Injection (DI): A pattern used to implement IoC by providing the necessary
dependencies to objects.

In the Spring Framework, bean scopes define the lifecycle and visibility of a bean. The two
most commonly used bean scopes are Singleton and Prototype. These scopes dictate how
Spring manages bean instances in the application context.

Singleton and Prototype Bean Scopes in Java Spring

Bean Scopes refers to the lifecycle of Bean that means when the object of Bean will be
instantiated, how long does that object live, and how many objects will be created for that
bean throughout. Basically, it controls the instance creation of the bean and it is managed by
the spring container.

Bean Scopes in Spring : The spring framework provides five scopes for a bean. We can
use three of them only in the context of web-aware Spring ApplicationContext and the
rest of the two is available for both IoC container and Spring-MVC container. The
following are the different scopes provided for a bean:

1. Singleton: Only one instance will be created for a single bean definition per
Spring IoC container and the same object will be shared for each request made
for that bean.
2. Prototype: A new instance will be created for a single bean definition every
time a request is made for that bean.
3. Request: A new instance will be created for a single bean definition every time
an HTTP request is made for that bean. But Only valid in the context of a
web-aware Spring ApplicationContext.
4. Session: Scopes a single bean definition to the lifecycle of an HTTP Session.
But Only valid in the context of a web-aware Spring ApplicationContext.
5. Global-Session: Scopes a single bean definition to the lifecycle of a global
HTTP Session. It is also only valid in the context of a web-aware Spring
ApplicationContext.

Singleton Scope:

If the scope is a singleton, then only one instance of that bean will be instantiated per Spring
IoC container and the same instance will be shared for each request. That is when the scope
of a bean is declared singleton, then whenever a new request is made for that bean, spring
IOC container first checks whether an instance of that bean is already created or not. If it is
already created, then the IOC container returns the same instance otherwise it creates a new
instance of that bean only at the first request. By default, the scope of a bean is a singleton.
Let’s understand this scope with an example.

Let us have a working Eclipse IDE in place and take the following steps to create a Spring
application −

 Step1: Lets first create a bean (i.e.), the backbone of the application in the spring
framework.

// Java program to illustrate a bean

// created in the spring framework

package bean;

public class HelloWorld {

public String name;

// Create a setter method to

// set the value passed by user

public void setName(String name)

this.name = name;

// Create a getter method so that


// the user can get the set value

public String getName()

return name;

 Step 2: Now, we write a Spring XML configuration


file “spring.xml” and configure the bean defined above.

<!DOCTYPE beans PUBLIC

"-//SPRING//DTD BEAN 2.0//EN"

"http://www.springframework.org/dtd/spring-beans-2.0.dtd">

<beans>

<!--configure the bean HelloWorld.java

and declare its scope-->

< bean

id = "hw"

class= "bean.HelloWorld"

scope = "singleton" / >

</beans>

 Step 3: Finally, write a driver class “Client.java” to request the above


bean.

// Java program to illustrate

// the client to perform the

// request to the defined bean

package driver;

import org.springframework
.context.ApplicationContext;

import org.springframework

.context.support

.ClassPathXmlApplicationContext;

import bean.HelloWorld;

// Client Class to request the

// above defined bean

public class Client {

public static void main(String[] args)

// Load the Spring XML configuration

// file into IoC container

ApplicationContext

ap

= new ClassPathXmlApplicationContext(

"resources/spring.xml");

// Get the "HelloWorld" bean object

// and call getName() method

HelloWorld Geeks1

= (HelloWorld)ap.getBean("hw");

// Set the name


Geeks1.setName("Geeks1");

System.out.println(

"Hello object (hello1)"

+ " Your name is: "

+ Geeks1.getName());

// Get another "HelloWorld" bean object

// and call getName() method

HelloWorld Geeks2

= (HelloWorld)ap.getBean("hw");

System.out.println(

"Hello object (hello2)"

+ " Your name is: "

+ Geeks2.getName());

// Now compare the references to see

// whether they are pointing to the

// same object or different object

System.out.println(

"'Geeks1' and 'Geeks2'"

+ " are referring"

+ "to the same object: "

+ (Geeks1 == Geeks2));

// Print the address of both


// object Geeks1 and Geeks2

System.out.println(

"Address of object Geeks1: "

+ Geeks1);

System.out.println(

"Address of object Geeks2: "

+ Geeks2);

 Output:

Hello object (hello1) Your name is: Geeks1

Hello object (hello2) Your name is: Geeks1

'Geeks1' and 'Geeks2' are referring to the same object: true

Address of object Geeks1: bean.HelloWorld@627551fb

Address of object Geeks2: bean.HelloWorld@627551fb

 Explanation: When we call the getName() method by using the reference of


‘Geeks1’ and ‘Geeks2’, then we are getting the same outputs. This means that both
the reference is calling the getName() method of the same object. Furthermore, when
we are comparing the reference ‘Geeks1’ and ‘Geeks2’ then output is “true” which
means the same object is shared between ‘Geeks1’ and ‘Geeks2’. So it is clear that a
new instance of bean (HelloWorld) is created when we made the request the first time
and for each new request, the same object is being shared.

Prototype Scope:

If the scope is declared prototype, then spring IOC container will create a new
instance of that bean every time a request is made for that specific bean. A request can
be made to the bean instance either programmatically using getBean() method or by
XML for Dependency Injection of secondary type. Generally, we use the prototype
scope for all beans that are stateful, while the singleton scope is used for the stateless
beans.
Let’s understand this scope with an example:

Step 1: Let us first create a bean (i.e.), the backbone of the application in the spring
framework.

// Java program to illustrate a bean

// created in the spring framework

package bean;

public class HelloWorld {

public String name;

// Create a setter method to

// set the value passed by user

public void setName(String name)

this.name = name;

// Create a getter method so that

// the user can get the set value

public String getName()

return name;

Step 2: Now, we write a Spring XML configuration file “spring.xml” and


configure the bean defined above.

<!DOCTYPE beans PUBLIC

"-//SPRING//DTD BEAN 2.0//EN"


"http://www.springframework.org/dtd/spring-beans-2.0.dtd">

< beans>

<!--configure the bean HelloWorld.java

and declare its scope-->

< bean

id = "hw"

class = "bean.HelloWorld"

scope = "prototype" / >

</ beans>

Step 3: Finally, write a driver class “Client.java” to request the above bean.

// Java program to illustrate

// the client to perform the

// request to the defined bean

package driver;

import org.springframework

.context.ApplicationContext;

import org.springframework.context.support

.ClassPathXmlApplicationContext;

import bean.HelloWorld;

public class Client {

public static void main(String[] args)

// Load the Spring XML configuration

// file into IoC container

ApplicationContext ap
= new ClassPathXmlApplicationContext(

"resources/spring.xml");

// Get the "HelloWorld" bean object

// and call getName() method

HelloWorld Geeks1= (HelloWorld)ap.getBean("hw");

// Set the name

Geeks1.setName("Geeks1");

System.out.println(

"Hello object (hello1)"

+ " Your name is: "

+ Geeks1.getName());

// Get another "HelloWorld" bean object

// and call getName() method

HelloWorld Geeks2= (HelloWorld)ap.getBean("hw");

System.out.println("Hello object (hello2)"

+ "Your name is: "

+ Geeks2.getName());

// Now compare the references to see

// whether they are pointing to the

// same object or different object

System.out.println(

"'Geeks1' and 'Geeks2'"

+ "are referring "

+ "to the same object: "

+ (Geeks1 == Geeks2));
// Print the address of both

// object Geeks1 and Geeks2

System.out.println(

"Address of object Geeks1: "

+ Geeks1);

System.out.println(

"Address of object Geeks2: "

+ Geeks2);

 Output:

Hello object (hello1) Your name is: Geeks1

Hello object (hello2) Your name is: null

'Geeks1' and 'Geeks2' are referring to the same object: false

Address of object Geeks1: bean.HelloWorld@47ef968d

Address of object Geeks2: bean.HelloWorld@23e028a9

 Explanation: When we call getName() method by using the reference ‘Geeks1’ and
‘Geeks2’, then we get different outputs that means both the reference is calling
getName() method of a different object. Furthermore, when we are comparing the
reference ‘Geeks1’ and ‘Geeks2’ then output is “false” which means both references
is referring to a different object. So it is clear that a new instance of bean
(HelloWorld) is being created at each request made for this bean.
Difference between Singleton and Prototype
Singleton Prototype

Only one instance is created for a A new instance is created for a


single bean definition per Spring IoC single bean definition every time a
container request is made for that bean.

Same object is shared for each request


For each new request a new
made for that bean. i.e. The same
instance is created. i.e. A new object
object is returned each time it is
is created each time it is injected.
injected.

By default scope of a bean is singleton. By default scope is not prototype so


So we don’t need to declare a been as you have to declare the scope of a
singleton explicitly. been as prototype explicitly.

Singleton scope should be used for While prototype scope is used for all
stateless beans. beans that are stateful

Request and session scope in spring

Request Scope (@RequestScope)

Definition: Request scope in Spring means that a new bean instance is created for each
HTTP request. The bean exists for the duration of a single HTTP request and is discarded
once the request is processed.

Use Case:

 When you need a fresh instance of a bean for every HTTP request.
 Suitable for handling request-specific data, such as form data processing or creating
temporary objects.

Lifecycle:

1. Creation: A new instance of the bean is created at the start of an HTTP request.
2. Usage: The bean is used during the processing of the request.
3. Destruction: The bean is discarded once the request is complete.

Example:

import org.springframework.context.annotation.Scope;

import org.springframework.stereotype.Component;

import org.springframework.web.context.WebApplicationContext;
@Component

@Scope(WebApplicationContext.SCOPE_REQUEST)

public class RequestScopedBean {

private String message;

public RequestScopedBean() {

this.message = "Request scope bean created: " + System.currentTimeMillis();

public String getMessage() {

return message;

In this example, RequestScopedBean will have a unique instance for each HTTP request.

Session Scope (@SessionScope)

Definition: Session scope in Spring means that a single bean instance is created for an HTTP
session and shared across multiple requests within that session. The bean exists for the entire
duration of the session.

Use Case:

 When you need to maintain user-specific data across multiple HTTP requests.
 Suitable for storing user data such as login information, user preferences, or shopping cart
contents.

Lifecycle:

1. Creation: A new instance of the bean is created at the start of an HTTP session.
2. Usage: The same bean instance is used across multiple requests within the session.
3. Destruction: The bean is discarded when the session ends.

Example:

import org.springframework.context.annotation.Scope;

import org.springframework.stereotype.Component;

import org.springframework.web.context.annotation.SessionScope;
@Component

@SessionScope

public class SessionScopedBean {

private String message;

public SessionScopedBean() {

this.message = "Session scope bean created: " + System.currentTimeMillis();

public String getMessage() {

return message;

In this example, SessionScopedBean will have a unique instance for each HTTP session and
the same instance will be reused across multiple requests in that session.

Configuring Spring

Ensure that your Spring application is configured to use these scopes. Typically, this involves
enabling component scanning in your main configuration class.

import org.springframework.boot.SpringApplication;

import org.springframework.boot.autoconfigure.SpringBootApplication;

@SpringBootApplication

public class SpringScopeExampleApplication {

public static void main(String[] args) {

SpringApplication.run(SpringScopeExampleApplication.class, args);

}
Request Scope (@RequestScope)

Definition: Request scope in Spring means that a new bean instance is created for each HTTP
request. The bean exists for the duration of a single HTTP request and is discarded once the
request is processed.

Use Case:

 When you need a fresh instance of a bean for every HTTP request.
 Suitable for handling request-specific data, such as form data processing or creating
temporary objects.

Lifecycle:

1. Creation: A new instance of the bean is created at the start of an HTTP request.
2. Usage: The bean is used during the processing of the request.
3. Destruction: The bean is discarded once the request is complete.

Example:

import org.springframework.context.annotation.Scope;

import org.springframework.stereotype.Component;

import org.springframework.web.context.WebApplicationContext;

@Component

@Scope(WebApplicationContext.SCOPE_REQUEST)

public class RequestScopedBean {

private String message;

public RequestScopedBean() {

this.message = "Request scope bean created: " + System.currentTimeMillis();

public String getMessage() {

return message;

}
In this example, RequestScopedBean will have a unique instance for each HTTP request.

Session Scope (@SessionScope)

Definition: Session scope in Spring means that a single bean instance is created for an HTTP
session and shared across multiple requests within that session. The bean exists for the entire
duration of the session.

Use Case:

 When you need to maintain user-specific data across multiple HTTP requests.
 Suitable for storing user data such as login information, user preferences, or shopping
cart contents.

Lifecycle:

1. Creation: A new instance of the bean is created at the start of an HTTP session.
2. Usage: The same bean instance is used across multiple requests within the session.
3. Destruction: The bean is discarded when the session ends.

Example:

import org.springframework.context.annotation.Scope;

import org.springframework.stereotype.Component;

import org.springframework.web.context.annotation.SessionScope;

@Component

@SessionScope

public class SessionScopedBean {

private String message;

public SessionScopedBean() {

this.message = "Session scope bean created: " + System.currentTimeMillis();

public String getMessage() {

return message;

}}
In this example, SessionScopedBean will have a unique instance for each HTTP session and
the same instance will be reused across multiple requests in that session.

Configuring Spring

Ensure that your Spring application is configured to use these scopes. Typically, this involves
enabling component scanning in your main configuration class.

import org.springframework.boot.SpringApplication;

import org.springframework.boot.autoconfigure.SpringBootApplication;

@SpringBootApplication

public class SpringScopeExampleApplication {

public static void main(String[] args) {

SpringApplication.run(SpringScopeExampleApplication.class, args);

Summary

 Request Scope (@RequestScope): Creates a new bean instance for each HTTP
request, making it ideal for request-specific data.
 Session Scope (@SessionScope): Creates a bean instance for each HTTP session,
maintaining state across multiple requests in a session, ideal for user-specific data.

These scopes help manage the lifecycle of beans efficiently in a web application, ensuring
appropriate resource usage and state management.

Spring Example

1. Steps to create spring application

Here, we are going to learn the simple steps to create the first spring application. To run this
application, we are not using any IDE. We are simply using the command prompt. Let's see
the simple steps to create the spring application

o create the class


o create the xml file to provide the values
o create the test class
o Load the spring jar files
o Run the test class
Steps to create spring application

Let's see the 5 steps to create the first spring application.

1) Create Java class

This is the simple java bean class containing the name property only.

package com.javatpoint;

public class Student {


private String name;

public String getName() {


return name;
}

public void setName(String name) {


this.name = name;
}

public void displayInfo(){


System.out.println("Hello: "+name);
} }

This is simple bean class, containing only one property name with its getters and
setters method. This class contains one extra method named displayInfo() that prints
the student name by the hello message

2) Create the xml file


In case of myeclipse IDE, you don't need to create the xml file as myeclipse does this
for yourselves. Open the applicationContext.xml file, and write the following code:

<?xml version="1.0" encoding="UTF-8"?>


<beans
xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:p="http://www.springframework.org/schema/p"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans-3.0.xsd">
<bean id="studentbean" class="com.javatpoint.Student">
<property name="name" value="Vimal Jaiswal"></property>
</bean>

</beans>

The bean element is used to define the bean for the given class. The property subelement of
bean specifies the property of the Student class named name. The value specified in the
property element will be set in the Student class object by the IOC container.

3) Create the test class

Create the java class e.g. Test. Here we are getting the object of Student class from the IOC
container using the getBean() method of BeanFactory. Let's see the code of test class.

package com.javatpoint;

import org.springframework.beans.factory.BeanFactory;
import org.springframework.beans.factory.xml.XmlBeanFactory;
import org.springframework.core.io.ClassPathResource;
import org.springframework.core.io.Resource;

public class Test {


public static void main(String[] args) {
Resource resource=new ClassPathResource("applicationContext.xml");
BeanFactory factory=new XmlBeanFactory(resource);

Student student=(Student)factory.getBean("studentbean");
student.displayInfo();
}
}

The Resource object represents the information of applicationContext.xml file. The Resource
is the interface and the ClassPathResource is the implementation class of the Reource
interface. The BeanFactory is responsible to return the bean. The XmlBeanFactory is the
implementation class of the BeanFactory. There are many methods in the BeanFactory
interface. One method is getBean(), which returns the object of the associated class.

4) Load the jar files required for spring framework

There are mainly three jar files required to run this application.
o org.springframework.core-3.0.1.RELEASE-A
o com.springsource.org.apache.commons.logging-1.1.1
o org.springframework.beans-3.0.1.RELEASE-A

5) Run the test class

Now run the Test class. You will get the output Hello: Vimal Jaiswal.

Web Socket
In Spring Framework, WebSocket support allows for full-duplex communication channels
over a single TCP connection, which enables interaction between a client (such as a browser)
and a server in real-time. Unlike traditional HTTP connections, which are stateless and
request-based, WebSocket connections remain open, facilitating continuous data exchange.

WebSocket support in Spring is built on top of the Java WebSocket API standard (JSR-356),
providing an abstraction over the complexities of handling WebSocket connections directly.
It allows developers to handle WebSocket messages asynchronously, making it suitable for
applications requiring real-time updates, notifications, or collaborative features.

Key features of WebSocket in Spring include:

1. Annotation-driven programming: Spring's WebSocket support leverages


annotations such as @ServerEndpoint and @ClientEndpoint to define WebSocket
endpoints on the server and client sides, respectively. These annotations simplify the
configuration and mapping of WebSocket endpoints.
2. Message handling: Spring provides mechanisms to handle WebSocket messages,
allowing developers to define methods annotated with @OnMessage, which are
invoked when a WebSocket message is received. This enables processing and
responding to messages in real-time.
3. Broadcasting and multicasting: Spring facilitates broadcasting messages to multiple
WebSocket sessions or specific groups of sessions, enabling scenarios like real-time
notifications or chat applications where messages need to be sent to multiple clients
simultaneously.
4. Integration with Spring MVC: WebSocket support integrates seamlessly with
Spring MVC, allowing WebSocket endpoints to be defined alongside traditional
MVC controllers. This integration simplifies the development of applications that
require both RESTful HTTP services and real-time WebSocket communication.
5. Security: Spring provides security configurations for WebSocket endpoints, ensuring
secure communication over WebSocket connections. This includes authentication,
authorization, and protection against common WebSocket security vulnerabilities.

Overall, Spring's WebSocket support enhances the development of modern web applications
by enabling efficient, real-time communication between clients and servers, while leveraging
the familiar programming model and features of the Spring Framework.

Autowiring in Spring

Autowiring feature of spring framework enables you to inject the object dependency
implicitly. It internally uses setter or constructor injection.

Autowiring can't be used to inject primitive and string values. It works with reference only.

Advantage of Autowiring

It requires the less code because we don't need to write the code to inject the dependency
explicitly.

Disadvantage of Autowiring

No control of programmer.

Autowiring Modes

There are many autowiring modes:

No. Mode Description

1) no It is the default autowiring mode. It means no autowiring bydefault.

2) byName The byName mode injects the object dependency according to name of the bean. In suc
case, property name and bean name must be same. It internally calls setter method.

3) byType The byType mode injects the object dependency according to type. So property name a
bean name can be different. It internally calls setter method.

4) constructor The constructor mode injects the dependency by calling the constructor of the class. It
the constructor having large number of parameters.

5) autodetect It is deprecated since Spring 3.


Example of Autowiring
Let's see the simple code to use autowiring in spring. You need to use autowire attribute of
bean element to apply the autowire modes.

1. <bean id="a" class="org.sssit.A" autowire="byName"></bean>

Let's see the full example of autowiring in spring. To create this example, we have created 4
files.

1. B.java
2. A.java
3. applicationContext.xml
4. Test.java

B.java
This class contains a constructor and method only.

package org.sssit;
public class B {
B(){System.out.println("b is created");}
void print(){System.out.println("hello b");}
}
A.java

This class contains reference of B class and constructor and method.

package org.sssit;
public class A {
B b;
A(){System.out.println("a is created");}
public B getB() {
return b;
}
public void setB(B b) {
this.b = b;
}
void print(){System.out.println("hello a");}
void display(){
print();
b.print();
}
}

applicationContext.xml

<?xml version="1.0" encoding="UTF-8"?>


<beans
xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:p="http://www.springframework.org/schema/p"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans-3.0.xsd">

<bean id="b" class="org.sssit.B"></bean>


<bean id="a" class="org.sssit.A" autowire="byName"></bean>

</beans>

Test.java

This class gets the bean from the applicationContext.xml file and calls the display
method.

package org.sssit;
import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
public class Test {
public static void main(String[] args) {
ApplicationContext context=new ClassPathXmlApplicationContext("applicationCo
ntext.xml");
A a=context.getBean("a",A.class);
a.display();
}
}

Output:

b is created
a is created
hello a
hello b

Spring Boot Annotations


Spring Boot Annotations is a form of metadata that provides data about a program. In other
words, annotations are used to provide supplemental information about a program. It is not a
part of the application that we develop. It does not have a direct effect on the operation of the
code they annotate. It does not change the action of the compiled program.

In this section, we are going to discuss some important Spring Boot Annotation that we will
use later in this tutorial.

Core Spring Framework Annotations

@Required: It applies to the bean setter method. It indicates that the annotated bean must be
populated at configuration time with the required property, else it throws an
exception BeanInitilizationException.

public class Machine


{
private Integer cost;
@Required
public void setCost(Integer cost)
{
this.cost = cost;
}
public Integer getCost()
{
return cost;
}
}

@Autowired: Spring provides annotation-based auto-wiring by providing @Autowired


annotation. It is used to autowire spring bean on setter methods, instance variable, and
constructor.

When we use @Autowired annotation, the spring container auto-wires the bean by matching
data-type.

@Configuration: It is a class-level annotation. The class annotated with @Configuration


used by Spring Containers as a source of bean definitions.
@ComponentScan: It is used when we want to scan a package for beans. It is used with the
annotation @Configuration. We can also specify the base packages to scan for Spring
Components.

@Bean: It is a method-level annotation. It is an alternative of XML <bean> tag. It tells the


method to produce a bean to be managed by Spring Container.

Bean Configuration styles

The objects that form the backbone of your application and that are managed by the Spring
IoC container are called beans. A bean is an object that is instantiated, assembled, and
otherwise managed by a Spring IoC container. These beans are created with the configuration
metadata that you supply to the container. For example, in the form of XML <bean/>
definitions which you have already seen in the previous chapters.

Bean definition contains the information called configuration metadata, which is needed for
the container to know the following −

 How to create a bean


 Bean's lifecycle details
 Bean's dependencies

All the above configuration metadata translates into a set of the following properties that
make up each bean definition.

Sr.No. Properties & Description

class
1
This attribute is mandatory and specifies the bean class to be used to create the
bean.

name

2 This attribute specifies the bean identifier uniquely. In XMLbased


configuration metadata, you use the id and/or name attributes to specify the
bean identifier(s).

scope
3
This attribute specifies the scope of the objects created from a particular bean
definition and it will be discussed in bean scopes chapter.

constructor-arg
4
This is used to inject the dependencies and will be discussed in subsequent
chapters.
properties
5
This is used to inject the dependencies and will be discussed in subsequent
chapters.

autowiring mode
6
This is used to inject the dependencies and will be discussed in subsequent
chapters.

lazy-initialization mode
7
A lazy-initialized bean tells the IoC container to create a bean instance when it
is first requested, rather than at the startup.

initialization method

A callback to be called just after all necessary properties on the bean have
8
been set by the container. It will be discussed in bean life cycle chapter.

destruction method
9
A callback to be used when the container containing the bean is destroyed. It
will be discussed in bean life cycle chapter.

Spring Configuration Metadata

Spring IoC container is totally decoupled from the format in which this configuration
metadata is actually written. Following are the three important methods to provide
configuration metadata to the Spring Container −

 XML based configuration file.


 Annotation-based configuration
 Java-based configuration

Spring Boot - Build Systems

Spring Boot team provides a list of dependencies to support the Spring Boot version for its
every release. You do not need to provide a version for dependencies in the build
configuration file. Spring Boot automatically configures the dependencies version based on
the release.

In the context of Spring Boot, there are primarily two popular build systems used: Maven and
Gradle. These build systems automate the process of compiling your code, managing
dependencies, packaging your application, and more. Here’s an overview of each:
1. Maven:
o Overview: Maven is a widely-used build automation tool primarily for Java
projects. It uses an XML-based project object model (POM) file to describe
the software project being built, its dependencies, and the build order.
o Advantages:
 Convention over Configuration: Maven promotes a standard
directory structure and lifecycle phases (e.g., clean, compile, test,
package) which helps in maintaining consistency across projects.
 Dependency Management: Maven central repository makes it easy to
manage dependencies. You can specify dependencies in the POM file,
and Maven downloads them automatically.
 Plugins: Maven has a rich ecosystem of plugins that extend its
functionality for various tasks such as code quality checks,
deployment, and more.
o Usage: To build a Spring Boot application with Maven, you typically use the
spring-boot-starter-parent as the parent in your POM file. Maven will handle
dependency management, build configuration, and packaging (e.g., creating
JAR or WAR files).
2. Gradle:
o Overview: Gradle is a modern build automation tool that uses Groovy or
Kotlin DSL (Domain-Specific Language) for its build scripts. It is highly
flexible and allows defining custom build logic using a concise and readable
syntax.
o Advantages:
 Flexibility: Gradle provides more flexibility compared to Maven. It
allows defining tasks, dependencies, and build logic in a more intuitive
way using its DSL.
 Performance: Gradle is known for its build performance
optimizations, such as incremental builds and parallel execution of
tasks, which can lead to faster build times.
 Integration: Gradle integrates well with existing Maven infrastructure
and supports dependency management from Maven repositories.
o Usage: To build a Spring Boot application with Gradle, you typically create a
build.gradle file where you define plugins (e.g., org.springframework.boot,
io.spring.dependency-management), dependencies, and custom tasks. Gradle
will then resolve dependencies, compile code, and create executable JAR or
WAR files.

Spring Boot - Code Structure

Spring Boot does not have any code layout to work with. However, there are some best
practices that will help us.

Default package

A class that does not have any package declaration is considered as a default package. Note
that generally a default package declaration is not recommended. Spring Boot will cause
issues such as malfunctioning of Auto Configuration or Component Scan, when you use
default package.

Typical Layout

The typical layout of Spring Boot application is shown in the image given below −

The Application.java file should declare the main method along with

@SpringBootApplication.

package com.tutorialspoint.myproject;

import org.springframework.boot.SpringApplication;

import org.springframework.boot.autoconfigure.SpringBootApplication;

@SpringBootApplication

public class Application

public static void main(String[] args)

SpringApplication.run(Application.class, args);

}
Spring Boot - Runners

What is Command Line Runner Interface in Spring Boot?

Spring Boot CLI (Command Line Interface) is a command line software or tool. This tool is
provided by the Spring framework for quickly developing and testing Spring Boot
applications from the command prompt. In this article, we will discuss the command line
runner interface in the spring boot.

Spring Boot CLI

The Spring Boot CLI (Command Line Interface) is present in the dependency of
the org.springframework.boot that is used to quickly bootstrap the spring boot
application. CLI in Spring Boot contains a run method() that is executed after the
application startup. Geeks, if you do find it not easy to grasp then do have a prior
understanding of Spring Initializr.

Method Invoked: Overridden run()

void run(String ..arg)

 Parameter: This method contains varargs parameters for handling multiple string
objects.

 Return type: It doesn’t return anything (void)

We do use it because if it’s associative advantages of using the command line runner
interface as described. Debugging is very easy using the command-line runner interface
because we don’t need to explicitly call the particular resources via API calls, we can call
them using the run method of the command-line runner interface that is executed
immediately once the application is executed successfully.

Let’s understand the functionality of this interface using an example, so Spring Initializr is
basically a web-based tool using which we can easily generate the structure of the Spring
Boot project. It also provides various different features for the projects expressed in a
metadata model. This model allows us to configure the list of dependencies that are supported
by JVM. Here, we will create the structure of an application using a spring initializer,
therefore, to do this, the following steps as depicted below media sequentially as follows:

Steps to print Hello World in Spring Boot CLI:

1. Go to Spring Initializr

2. Fill in the details as per the requirements.

3. Click on Generate which will download the starter project

4. Extract the zip file.

5. Go to SpringBootAppApplication class
6. Run the SpringBootAppApplication class and wait for the Tomcat server

Spring Boot – Logging


Logging in Spring Boot plays a vital role in Spring Boot applications for recording
information, actions, and events within the app. It is also used for monitoring the
performance of an application, understanding the behavior of the application, and recognizing
the issues within the application. Spring Boot offers flexible logging capabilities by providing
various logging frameworks and also provides ways to manage and configure the logs.

Why to use Spring Boot – Logging?

A good logging infrastructure is necessary for any software project as it not only helps in
understanding what’s going on with the application but also to trace any unusual incident or
error present in the project. This article covers several ways in which logging can be enabled
in a spring boot project through easy and simple configurations. Let’s first do the initial setup
to explore each option in more depth.

Elements of Logging Framework

 Logger: It captures the messages.

 Formatter: It formats the messages which are captured by loggers.

 Handler: It prints messages on the console, stores them in a file or sends an email, etc.

Java provides several logging frameworks, some of which are:

1. Logback Configuration logging

2. Log4j2 Configuration logging

3. Logging with Lombok

4. @Slf4j and @CommonsLog

Spring Boot – Introduction to RESTful Web Services

RESTful Web Services REST stands for REpresentational State Transfer. It was
developed by Roy Thomas Fielding, one of the principal authors of the web protocol HTTP.
Consequently, REST was an architectural approach designed to make the optimum use
of HTTP protocol. It uses the concepts and verbs already present in HTTP to develop web
services. This made REST incredibly easy to use and consume, so much so that it is the go-to
standard for building web services today.

A resource can be anything, it can be accessed through a URI (Uniform Resource


Identifier). Unlike SOAP, REST does not have a standard messaging format. We can build
REST web services using many representations, including both XML and JSON, although
JSON is the more popular option. An important thing to consider is that REST is not a
standard but a style whose purpose is to constrain our architecture to a client-server
architecture and is designed to use stateless communication protocols like HTTP.

Important Methods of HTTP

The main methods of HTTP we build web services for are:

1. GET: Reads an existing data.

2. PUT: Updates existing data.

3. POST: Creates new data.

4. DELETE: Deletes the data.

Spring – REST Controller

Spring Boot is built on the top of the spring and contains all the features of spring. And is
becoming a favorite of developers these days because of its rapid production-ready
environment which enables the developers to directly focus on the logic instead of struggling
with the configuration and setup. Spring Boot is a microservice-based framework and making
a production-ready application in it takes very little time. In this article, we will discuss what
is REST controller is in the spring boot. There are mainly two controllers are used in the spring,
controller and the second one is RestController with the help
of @controller and @restcontroller annotations. The main difference between the
@restcontroller and the @controller is that the @restcontroller combination of the @controller
and @ResponseBody annotation.

RestController: RestController is used for making restful web services with the help of the
@RestController annotation. This annotation is used at the class level and allows the class to
handle the requests made by the client. Let’s understand @RestController annotation using an
example. The RestController allows to handle all REST APIs such
as GET, POST, Delete, PUT requests.

In Spring Framework, a REST Controller is a specialized type of controller that facilitates the
development of RESTful web services. REST (Representational State Transfer) is an
architectural style that defines a set of principles for creating scalable and loosely coupled web
services.

Key Concepts:

1. Annotations:
o @RestController: This annotation is used at the class level to indicate that the
class is a REST controller. It combines @Controller (which marks the class as
a Spring MVC controller) and @ResponseBody (which directs Spring MVC to
render the method return value directly into the HTTP response body).
o @RequestMapping: This annotation maps HTTP requests to handler methods
of the controller. It can be used at both the class and method levels to specify
the URI path and HTTP methods that the controller will handle.
2. HTTP Methods and Annotations:
o @GetMapping, @PostMapping, @PutMapping, @DeleteMapping: These
annotations are used to map HTTP GET, POST, PUT, and DELETE requests to
specific handler methods within the controller.
o Each of these annotations allows you to specify the URI path and optionally
path variables (@PathVariable) or request parameters (@RequestParam) that
the method will accept.
3. Path Variables (@PathVariable):
o Purpose: Path variables are used to extract data from the URI path of the
request. They are specified in the URI template and mapped to method
parameters annotated with @PathVariable.
o Usage: For example, in a URI like /users/{id}, {id} can be accessed within a
method using @PathVariable Long id.
4. Request Parameters (@RequestParam):
o Purpose: Request parameters are used to extract data from the query string of
the request URL. They are typically used in GET requests to provide additional
information to the server.
o Usage: For example, in a URI like /users?name=John, name can be accessed
within a method using @RequestParam String name.
5. Request Body (@RequestBody):
o Purpose: The @RequestBody annotation binds the HTTP request body to a
method parameter. It is commonly used in POST, PUT, and PATCH requests
to accept data sent in the request body, usually in JSON or XML format.
o Usage: It allows Spring to automatically deserialize the request body into a Java
object, which can then be used within the method for processing.
6. Response Body (@ResponseBody):
o Purpose: The @ResponseBody annotation is used at the method level to
indicate that the return value of the method should be serialized directly into the
HTTP response body.
o Usage: It is particularly useful in REST controllers where the response is
typically formatted as JSON or XML.
7. Error Handling (@ExceptionHandler):
o Purpose: Spring allows you to handle exceptions that occur within controller
methods or any part of the application using the @ExceptionHandler
annotation.
o Usage: This annotation allows you to define methods within the controller to
handle specific types of exceptions, providing customized error responses.

Benefits of Using REST Controllers in Spring:

 Simplicity: Annotations like @RestController, @GetMapping, etc., simplify the


process of mapping HTTP requests to controller methods and handling different types
of request data.
 Flexibility: REST controllers allow you to define clear and standardized endpoints that
adhere to RESTful principles, making it easier to build and maintain scalable web
services.
 Integration: Spring's ecosystem seamlessly integrates with other Spring modules like
Spring Data for database access (@Repository), Spring Security for authentication and
authorization, etc.
Mapping Requests

@RequestMapping

The @RequestMapping annotation is used to map requests to controllers methods. It has


various attributes to match by URL, HTTP method, request parameters, headers, and media
types. You can use it at the class level to express shared mappings or at the method level to
narrow down to a specific endpoint mapping.

There are also HTTP method specific shortcut variants of @RequestMapping:

 @GetMapping
 @PostMapping
 @PutMapping
 @DeleteMapping
 @PatchMapping

The preceding annotations are Custom Annotations that are provided because, arguably, most
controller methods should be mapped to a specific HTTP method versus
using @RequestMapping, which, by default, matches to all HTTP methods. At the same time,
a @RequestMapping is still needed at the class level to express shared mappings.

@RequestMapping cannot be used in conjunction with other @RequestMapping annotations


that are declared on the same element (class, interface, or method). If
multiple @RequestMapping annotations are detected on the same element, a warning will be
logged, and only the first mapping will be used. This also applies to
composed @RequestMapping annotations such as @GetMapping, @PostMapping, etc.

Request body in spring boot


In Spring Boot, handling request bodies is a common requirement when building RESTful
web services. The request body typically contains data that a client sends to the server in a
POST, PUT, or PATCH request. Here's how you can handle request bodies in Spring Boot:

In Spring Boot, the request body refers to the part of an HTTP request where additional data
can be sent from the client to the server. This data can be in various formats such as JSON,
XML, or form data, and it typically accompanies HTTP methods like POST, PUT, or
PATCH.

Key Concepts:

1. @RequestBody Annotation:
o Purpose: The @RequestBody annotation is used to indicate that a method
parameter should be bound to the body of the HTTP request.
o Usage: When applied to a method parameter in a controller method, Spring
Boot automatically converts the contents of the request body (which could be
in JSON, XML, etc.) into an appropriate Java object.
2. Handling Complex Objects:
o Objects: If the request body contains complex data structures (such as JSON
objects or XML data), Spring Boot uses libraries like Jackson (for JSON) or
JAXB (for XML) to deserialize the request body into corresponding Java
objects.
o Automatic Conversion: This automatic conversion allows developers to work
directly with Java objects in their controller methods, simplifying data
processing and integration.
3. Supported Content Types:
o JSON and XML: Spring Boot supports request bodies in JSON and XML formats out-
of-the-box. It automatically handles the conversion of these formats into Java
objects based on the content type provided in the request headers (Content-
Type).
4. Data Binding:
o Data Binding: The @RequestBody annotation facilitates seamless data binding
between HTTP requests and Java objects, enabling developers to focus on business
logic rather than manual data parsing.
5. Validation and Error Handling:
o Validation: Spring Boot provides mechanisms to validate request bodies
using JSR-303/JSR-380 annotations (@Valid) in combination with
@RequestBody.
o Error Handling: Custom error handling can be implemented to manage
exceptions that occur during the deserialization or processing of request
bodies, ensuring robust application behavior.

Benefits of Using Request Bodies in Spring Boot:

 Simplicity: Developers can directly bind request data to Java objects using
annotations like @RequestBody, eliminating the need for manual parsing and
conversion.
 Flexibility: Spring Boot supports various content types and data formats, allowing
developers to handle diverse client requests effectively.
 Integration: Integration with other Spring features, such as validation (@Valid) and
exception handling (@ExceptionHandler), enhances the reliability and
maintainability of applications.

Summary:

In Spring Boot, handling request bodies involves using the @RequestBody annotation to map
HTTP request data to method parameters in controller methods. This annotation simplifies
data processing by automatically converting request bodies (in JSON, XML, etc.) into
corresponding Java objects. By leveraging these capabilities, developers can build robust and
scalable RESTful APIs that efficiently handle client data and integrate seamlessly with
business logic.

.
Path Variable, Request Parameter, GET, POST, PUT, DELETE APIs,
In Spring Framework, particularly with Spring Boot, building web applications and APIs
involves utilizing various annotations and techniques to handle different types of requests
(GET, POST, PUT, DELETE) and parameters (Path Variables, Request Parameters). Let's
explore how to implement these concepts in building web applications:

1. Setting Up a Spring Boot Project

First, ensure you have a Spring Boot project set up. You can initialize a basic Spring Boot
application using Spring Initializr or by setting up a Maven or Gradle project with the
necessary dependencies.

2. Creating Controllers

Controllers in Spring Boot handle incoming HTTP requests and define how to respond to
them. Here’s an example of a controller that handles various types of requests:

import org.springframework.web.bind.annotation.*;

@RestController

@RequestMapping("/api")

public class MyController {

// GET request with Path Variable

@GetMapping("/hello/{name}")

public String hello(@PathVariable String name) {

return "Hello, " + name + "!";

// GET request with Request Parameter

@GetMapping("/greet")

public String greet(@RequestParam String name) {

return "Greetings, " + name + "!";

// POST request to create resource

@PostMapping("/create")
public String create(@RequestBody String data) {

// Logic to create resource

return "Created: " + data;

// PUT request to update resource

@PutMapping("/update/{id}")

public String update(@PathVariable Long id, @RequestBody String data) {

// Logic to update resource with id

return "Updated: " + data + " for id: " + id;

// DELETE request to delete resource

@DeleteMapping("/delete/{id}")

public String delete(@PathVariable Long id) {

// Logic to delete resource with id

return "Deleted resource with id: " + id;

Explanation:

 @RestController: Indicates that this class is a controller that handles incoming


HTTP requests and directly returns the response body.
 @RequestMapping("/api"): Specifies that all endpoints mapped in this class are
relative to /api.

Handling Different Types of Requests:

 Path Variables (@PathVariable): Used to extract values from the URI. For
example, /hello/{name} extracts name from the path and passes it to the hello()
method.
 Request Parameters (@RequestParam): Used to extract query parameters from the
URL. For example, /greet?name=John extracts name as a query parameter and passes
it to the greet() method.
 POST (@PostMapping): Used to handle HTTP POST requests. The create() method
handles creation logic based on the request body (@RequestBody).
 PUT (@PutMapping): Used to handle HTTP PUT requests. The update() method
updates a resource identified by id with the data provided in the request body.
 DELETE (@DeleteMapping): Used to handle HTTP DELETE requests. The
delete() method deletes a resource identified by id.

3. Running and Testing

Once you have defined your controllers, you can run your Spring Boot application. Spring
Boot applications come with an embedded Tomcat server by default, so you can simply run
your main application class (@SpringBootApplication annotated class).

Testing APIs:

 Use tools like Postman or curl to test your APIs. For example:
o GET http://localhost:8080/api/hello/John
o GET http://localhost:8080/api/greet?name=Alice
o POST http://localhost:8080/api/create with JSON body {"data": "example"}
o PUT http://localhost:8080/api/update/1 with JSON body {"data": "updated
example"}
o DELETE http://localhost:8080/api/delete/1

Summary:

Building web applications and APIs in Spring Boot involves defining controllers that handle
various HTTP methods (GET, POST, PUT, DELETE) and parameters (@PathVariable,
@RequestParam). Spring Boot’s annotations (@RestController, @GetMapping,
@PostMapping, @PutMapping, @DeleteMapping) simplify the process of defining RESTful
endpoints and integrating business logic with incoming HTTP requests. This approach
facilitates rapid development of robust web applications that can handle a variety of client
interactions efficiently.

Build Web Applications


1. Setting Up a Spring Boot Project

 Spring Initializr: Start by using Spring Initializr to bootstrap your Spring Boot
project. This web-based tool allows you to specify project metadata (like group,
artifact, and dependencies) and generates a project template with sensible defaults.
 Dependencies: Choose dependencies based on your project requirements. Common
ones include Spring Web for building web applications, Spring Data JPA for data
access, Spring Security for security configurations, etc.

2. Creating Controllers

 Purpose: Controllers in Spring Boot handle incoming HTTP requests and define how
to process and respond to them.
 Annotations: Use @RestController or @Controller annotations to mark classes as
controllers. These annotations specify that the class will handle HTTP requests and
return data directly in response (typically in JSON or XML format).

3. Defining Entity Classes

 Entity Modeling: If your application deals with data persistence, define entity
classes. These classes represent your data model and are typically annotated with
@Entity (from JPA) to indicate that they are mapped to database tables.
 Fields and Relationships: Define fields, relationships (like @OneToMany,
@ManyToOne), and primary keys (@Id, @GeneratedValue) within entity classes to
reflect your application's data structure.

4. Implementing Repository Interfaces

 Data Access: Use Spring Data JPA to implement repository interfaces. These
interfaces provide high-level abstractions for CRUD (Create, Read, Update, Delete)
operations on entities.
 Custom Queries: Define custom query methods in repository interfaces to perform
specific database operations beyond basic CRUD operations.

5. Service Layer (Optional)

 Business Logic: Implement service classes to encapsulate business logic. Services


orchestrate interactions between controllers and repositories, ensuring separation of
concerns and maintainability.
 Annotations: Annotate service classes with @Service to indicate that they hold
business logic and are eligible for dependency injection.

6. Building RESTful Endpoints

 Endpoint Definition: Define RESTful endpoints in controllers to handle various


HTTP methods (GET, POST, PUT, DELETE) and interact with services or
repositories.
 Mapping URLs: Use @RequestMapping, @GetMapping, @PostMapping,
@PutMapping, @DeleteMapping annotations to map URLs to controller methods and
specify the HTTP methods they handle.

7. Running and Testing

 Embedded Server: Spring Boot applications come with an embedded Tomcat, Jetty,
or Undertow server, so you can run your application standalone without needing to
deploy it on a separate server.
 Testing: Use tools like Postman, curl, or web browsers to test your API endpoints.
Verify that endpoints return expected responses and handle different scenarios
effectively.
8. Adding Security (Optional)

 Spring Security: Integrate Spring Security to secure your web application. Configure
security settings such as authentication, authorization, and access control to protect
endpoints and resources.

Summary

Building web applications with Spring Boot leverages its powerful features, including
dependency management, auto-configuration, and embedded servers, to streamline
development. By defining controllers, entities, repositories, and services, you create a
structured and scalable application that handles HTTP requests efficiently. Spring Boot's
convention-over-configuration approach reduces boilerplate code and allows developers to
focus more on business logic and less on infrastructure setup.

You might also like