Spring 4 MVC REST Controller Service Example (JSON CRUD Tutorial) – A step by step tutorial to understand Spring 4 MVC REST API and to create RESTful service using Spring 4.
Spring 4 MVC REST provides powerful APIs to built complete RESTful services. Let us understand the core concept and create simple web application using Maven and make our CRUD based REST service.
For this project we will use following tools and technologies.
The demo REST application will have Customer resource. This customer resource can be accessed using standard GET
, POST
, PUT
, DELETE
http methods. We will create below REST endpoints for this project.
REST Endpoint | HTTP Method | Description |
---|---|---|
/customers | GET | Returns the list of customers |
/customers/{id} | GET | Returns customer detail for given customer {id} |
/customers | POST | Creates new customer from the post data |
/customers/{id} | PUT | Replace the details for given customer {id} |
/customers/{id} | DELETE | Delete the customer for given customer {id} |
If you are using Eclipse then you can use M2Eclipse plugin. Check the tutorial Spring 4 MVC Hello World and follow the section 1.
Alternatively if you want to generate Maven webapp using mvn
command then follow these steps.
Code language: Bash (bash)mvn archetype:create -DgroupId=net.viralpatel.spring -DartifactId=SpringRest -DarchetypeArtifactId=maven-archetype-webapp
This will generate maven application with default project directory structure. You can then run following command and convert the project in Eclipse project.
Code language: Bash (bash)mvn eclipse:eclipse
And then simply import the project in Eclipse.
Project structure is created. Now let’s start and add first the maven dependencies for Spring 4 MVC REST in our pom.xml
file.
Update pom.xml file and add following dependencies.
pom.xml
<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="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 http://maven.apache.org/maven-v4_0_0.xsd">
<modelversion>4.0.0</modelversion>
<groupid>net.viralpatel.spring</groupid>
<artifactid>Spring4Rest</artifactid>
<packaging>war</packaging>
<version>0.0.1-SNAPSHOT</version>
<name>Spring 4 Rest Service CRUD Example</name>
<url>http://maven.apache.org</url>
<properties>
<java-version>1.7</java-version>
<springframework.version>4.3.1.RELEASE</springframework.version>
<jackson.version>2.7.5</jackson.version>
</properties>
<dependencies>
<dependency>
<groupid>org.springframework</groupid>
<artifactid>spring-webmvc</artifactid>
<version>${springframework.version}</version>
</dependency>
<dependency>
<groupid>com.fasterxml.jackson.core</groupid>
<artifactid>jackson-databind</artifactid>
<version>${jackson.version}</version>
</dependency>
<dependency>
<groupid>javax.servlet</groupid>
<artifactid>javax.servlet-api</artifactid>
<version>3.0.1</version>
<scope>provided</scope>
</dependency>
</dependencies>
<build>
<finalname>HelloWorld</finalname>
<pluginmanagement>
<plugins>
<plugin>
<groupid>org.apache.tomcat.maven</groupid>
<artifactid>tomcat7-maven-plugin</artifactid>
<version>2.2</version>
<configuration>
<path>/springrest</path>
</configuration>
</plugin>
</plugins>
</pluginmanagement>
</build>
</project>
Code language: HTML, XML (xml)
After updating pom.xml, Eclipse’s maven plugin should start resolving the dependencies.
For this Spring 4 MVC REST tutorial we are going to use Spring’s Java based configuration or annotation based configuration instead of old XML configuration. So now let us add the Java Configuration required to bootstrap Spring 4 MVC REST in our webapp.
Create AppConfig.java
file under /src
folder. Give appropriate package name to your file. We are using @EnableWebMvc
, @ComponentScan
and @Configuration
annotations. These will bootstrap the spring mvc application and set package to scan controllers and resources.
/src/main/java/net/viralpatel/spring/config/AppConfig.java
package net.viralpatel.spring.config;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.servlet.config.annotation.EnableWebMvc;
@Configuration
@EnableWebMvc
@ComponentScan(basePackages = "net.viralpatel.spring")
public class AppConfig {
}
Code language: Java (java)
Create AppInitializer
class under config package. This class will replace web.xml and it will map the spring’s dispatcher servlet and bootstrap it.
/src/main/java/net/viralpatel/spring/config/AppInitializer.java
package net.viralpatel.spring.config;
import org.springframework.web.servlet.support.AbstractAnnotationConfigDispatcherServletInitializer;
public class AppInitializer extends AbstractAnnotationConfigDispatcherServletInitializer {
@Override
protected Class[] getRootConfigClasses() {
return new Class[] { AppConfig.class };
}
@Override
protected Class[] getServletConfigClasses() {
return null;
}
@Override
protected String[] getServletMappings() {
return new String[] { "/" };
}
}
Code language: Java (java)
We have configured the dispatcher servlet using standard Java based configuration instead of the older web.xml. Thus web.xml is no longer required and we can simply delete it.
Next let us create Customer
model class that will have few properties such as firstName, lastName, email etc. This bean will hold customer information.
/src/main/java/net/viralpatel/spring/model/Customer.java
package net.viralpatel.spring.model;
import java.util.Date;
public class Customer {
private Long id;
private String firstName;
private String lastName;
private String email;
private String mobile;
private Date dateOfBirth;
public Customer(long id, String firstName, String lastName, String email, String mobile) {
this.id = id;
this.firstName = firstName;
this.lastName = lastName;
this.email = email;
this.mobile = mobile;
this.dateOfBirth = new Date();
}
public Customer() {
}
//... Getter and setter methods
}
Code language: Java (java)
Instead of storing the customer data in database and to make this example simple, we will create a dummy data access object that will store customer details in a list. This DAO class can be easily replaced with Spring Data DAO or custom DAO. But for this example we will keep it easy.
The CustomerDAO contains methods list()
, get()
, create()
, update()
and delete()
to perform CRUD operation on customers.
/src/main/java/net/viralpatel/spring/dao/CustomerDAO.java
package net.viralpatel.spring.dao;
import java.util.ArrayList;
import java.util.List;
import org.springframework.stereotype.Component;
import net.viralpatel.spring.model.Customer;
@Component
public class CustomerDAO {
// Dummy database. Initialize with some dummy values.
private static List<Customer> customers;
{
customers = new ArrayList();
customers.add(new Customer(101, "John", "Doe", "djohn@gmail.com", "121-232-3435"));
customers.add(new Customer(201, "Russ", "Smith", "sruss@gmail.com", "343-545-2345"));
customers.add(new Customer(301, "Kate", "Williams", "kwilliams@gmail.com", "876-237-2987"));
customers.add(new Customer(System.currentTimeMillis(), "Viral", "Patel", "vpatel@gmail.com", "356-758-8736"));
}
/**
* Returns list of customers from dummy database.
*
* @return list of customers
*/
public List list() {
return customers;
}
/**
* Return customer object for given id from dummy database. If customer is
* not found for id, returns null.
*
* @param id
* customer id
* @return customer object for given id
*/
public Customer get(Long id) {
for (Customer c : customers) {
if (c.getId().equals(id)) {
return c;
}
}
return null;
}
/**
* Create new customer in dummy database. Updates the id and insert new
* customer in list.
*
* @param customer
* Customer object
* @return customer object with updated id
*/
public Customer create(Customer customer) {
customer.setId(System.currentTimeMillis());
customers.add(customer);
return customer;
}
/**
* Delete the customer object from dummy database. If customer not found for
* given id, returns null.
*
* @param id
* the customer id
* @return id of deleted customer object
*/
public Long delete(Long id) {
for (Customer c : customers) {
if (c.getId().equals(id)) {
customers.remove(c);
return id;
}
}
return null;
}
/**
* Update the customer object for given id in dummy database. If customer
* not exists, returns null
*
* @param id
* @param customer
* @return customer object with id
*/
public Customer update(Long id, Customer customer) {
for (Customer c : customers) {
if (c.getId().equals(id)) {
customer.setId(c.getId());
customers.remove(c);
customers.add(customer);
return customer;
}
}
return null;
}
}
Code language: Java (java)
Now let us create CustomerRestController
class. This class is annotated with @RestController
annotation. Also note that we are using new annotations @GetMapping, @PostMapping, @PutMapping and @DeleteMapping instead of standard @RequestMapping. These annotations are available since Spring MVC 4.3 and are standard way of defining REST endpoints. They act as wrapper to @RequestMapping. For example @GetMapping is a composed annotation that acts as a shortcut for @RequestMapping(method = RequestMethod.GET).
/src/main/java/net/viralpatel/spring/controller/CustomerRestController.java
package net.viralpatel.spring.controller;
import java.util.List;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.DeleteMapping;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.PutMapping;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RestController;
import net.viralpatel.spring.dao.CustomerDAO;
import net.viralpatel.spring.model.Customer;
@RestController
public class CustomerRestController {
@Autowired
private CustomerDAO customerDAO;
@GetMapping("/customers")
public List getCustomers() {
return customerDAO.list();
}
@GetMapping("/customers/{id}")
public ResponseEntity getCustomer(@PathVariable("id") Long id) {
Customer customer = customerDAO.get(id);
if (customer == null) {
return new ResponseEntity("No Customer found for ID " + id, HttpStatus.NOT_FOUND);
}
return new ResponseEntity(customer, HttpStatus.OK);
}
@PostMapping(value = "/customers")
public ResponseEntity createCustomer(@RequestBody Customer customer) {
customerDAO.create(customer);
return new ResponseEntity(customer, HttpStatus.OK);
}
@DeleteMapping("/customers/{id}")
public ResponseEntity deleteCustomer(@PathVariable Long id) {
if (null == customerDAO.delete(id)) {
return new ResponseEntity("No Customer found for ID " + id, HttpStatus.NOT_FOUND);
}
return new ResponseEntity(id, HttpStatus.OK);
}
@PutMapping("/customers/{id}")
public ResponseEntity updateCustomer(@PathVariable Long id, @RequestBody Customer customer) {
customer = customerDAO.update(id, customer);
if (null == customer) {
return new ResponseEntity("No Customer found for ID " + id, HttpStatus.NOT_FOUND);
}
return new ResponseEntity(customer, HttpStatus.OK);
}
}
Code language: Java (java)
Let us execute the Spring REST project. In Eclipse you can start Tomcat and run the project inside it. Or you can run the project using Embedded Tomcat using Maven.
Once the application starts successfully, launch the browser and open http://localhost:8080/springrest/customers
. This hit the /customers end point and will list down all the customers.
Next we can try GET method by hitting http://localhost:8080/springrest/customers/{id}
endpoint. This will display details of customer for given id.
Also you can POST the customer details to http://localhost:8080/springrest/customers
using POSTMan extension. Once you do that, the new customer will be created and same can be viewed under /customers endpoint.
Source code of this Spring 4 REST Controller tutorial is available in Github.
Java URL Encoder/Decoder Example - In this tutorial we will see how to URL encode/decode…
Show Multiple Examples in OpenAPI - OpenAPI (aka Swagger) Specifications has become a defecto standard…
Local WordPress using Docker - Running a local WordPress development environment is crucial for testing…
1. JWT Token Overview JSON Web Token (JWT) is an open standard defines a compact…
GraphQL Subscription provides a great way of building real-time API. In this tutorial we will…
1. Overview Spring Boot Webflux DynamoDB Integration tests - In this tutorial we will see…
View Comments
1. You can use a map since you are using ID for customer model, this is to make it efficient.
2. It would be interesting to see Jpa Repository integrated in this demo app. That would take dummy code out of picture altogether.
3. Tweet again when it works in the first attempt :)
Thanks Vimal.. Integration with Spring Data is coming next.
maybe this is a bit late but i have modified the code to include a HashMap
private static HashMap customers;
{
customers = new HashMap();
customers.put(101, new Customer(101, "John", "Doe", "djohn@gmail.com", "121-232-3435"));
customers.put(201, new Customer(201, "Russ", "Smith", "sruss@gmail.com", "343-545-2345"));
customers.put(301, new Customer(301, "Kate", "Williams", "kwilliams@gmail.com", "876-237-2987"));
}
I am facing this issue :(
Mar 07, 2017 12:02:17 PM org.apache.catalina.core.StandardContext listenerStart
SEVERE: Exception sending context initialized event to listener instance of clas
s org.springframework.web.context.ContextLoaderListener
java.lang.IllegalStateException: Cannot initialize context because there is alre
ady a root application context present - check whether you have multiple Context
Loader* definitions in your web.xml!
The blog looks good when you read it. However,wWhen you click on Download link (spring-rest-example.zip) you get "spring4-mvc-example-master (1).zip" and when you go to github and download the zip file you get "spring4-restful-example-master.zip". Regardless both of them does not work.
I have changed the jva version to 1.8 and tried without anysuccess.
Hi Krishnan, Thanks for your feedback. I have fixed the Download link. Now you should be able to download correct source. Did you try running mvn tomcat7:run and execute the project? Let me know what errors are you getting while running this example.
same for me its not working at all.......
Hi Virat,
Thanks for such a nice blog
I have followed all the steps, and when i tried accessing below url
http://localhost:8080/SpringRest/
i can see o/p as "Hello World"
but when i am trying below url:
http://localhost:8080/SpringRest/customers
o/p is "404-page not found"
re verified all the steps but same o/p.
could you kindly help
That means either CustomerRestController or AppConfig may have issues.
1) check your annotations in CustomerRestController.java file
2) check the @ComponentScan(Buildpaths="YOUR_PACKAGE_NAME ") in AppConfig.java file
Hi, I had the same issue and fixed it by extend the @ComponentScan form @ComponentScan(basePackages = "net.viralpatel.spring") to @ComponentScan(basePackages = "net.viralpatel.spring.*") in the AppConfig class.
By the way, I liked this pretty compact tutorial, even it lacked the setter and getter in CustomerDAO class and the former mentioned issue. Greetings, Olli
Build failing
Error assembling WAR: webxml attribute is required (or pre-existing WEB-INF/web.xml if executing in update mode) -
did you get this resolved. please let me know
You can add this in the plugin section of pom.xml to avoid this error:
maven-war-plugin
2.4
false
follow this to add Dynamic web module for java . 7 or latter.
Hi
Thanks for your guide.
I tried it on Tomcat 7 with JRE 7 and it works fine.
I modified the pom.xml adding the maven-war-plugin 2.6 with the failOnMissingWebXml=false to deploy the war on JBoss with JRE 7.
On JBoss 7 or JBoss EAP 6 the module is deployed and the welcome page works but the /customers or /customers/{id} call doesn't work.
>JBWEB000069: description JBWEB000124: The requested resource is not available.
Any idea ?
Thanks
Carmen
did you figure it out?
I have same issue; works in Tomcat 8.
Hi Viral, nice REST server.
Any chance of seeing this code integrated with an AngularJS front-end/UI?
Will
Excellent thanks.... helped me to understand many points which were creating error in my project :-)
Hi Viral, nice REST server.
Any chance of seeing this code integrated with an AngularJS front-end/UI?
Will
its vary simple, make a ajax call and store the data into a variable. then all your data will be at front end then you can play with ng-repeat and ng-bind. That's all..!
i have the same question as will
Build failing
Error assembling WAR: webxml attribute is required (or pre-existing WEB-INF/web.xml if executing in update mode) –
figured it out.
org.apache.maven.plugins
maven-war-plugin
false