Data Structure
Networking
RDBMS
Operating System
Java
MS Excel
iOS
HTML
CSS
Android
Python
C Programming
C++
C#
MongoDB
MySQL
Javascript
PHP
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
How to implement custom deserializer using @JsonDeserialize annotation in Java?\\n
The @JsonDeserialize annotation is used to declare custom deserializer while deserializing JSON to Java object. We can implement a custom deserializer by extending the StdDeserializer class with a generic type Employee and need to override the deserialize() method of StdDeserializer class.
Syntax
@Target(value={ANNOTATION_TYPE,METHOD,FIELD,TYPE,PARAMETER})
@Retention(value=RUNTIME)
public @interface JsonDeserialize
In the below program, we can implement a custom deserializer using @JsonDeserialize annotation
Example
import java.io.*;
import com.fasterxml.jackson.core.*;
import com.fasterxml.jackson.databind.*;
import com.fasterxml.jackson.databind.annotation.*;
import com.fasterxml.jackson.databind.deser.std.*;
public class JsonDeSerializeAnnotationTest {
public static void main (String[] args) throws JsonProcessingException, IOException {
Employee emp = new Employee(115, "Adithya");
ObjectMapper mapper = new ObjectMapper();
String jsonString = mapper.writeValueAsString(emp);
emp = mapper.readValue(jsonString, Employee.class);
System.out.println(emp);
}
}
// CustomDeserializer class
class CustomDeserializer extends StdDeserializer<Employee> {
public CustomDeserializer(Class<Employee> t) {
super(t);
}
public CustomDeserializer() {
this(Employee.class);
}
@Override
public Employee deserialize(JsonParser jp, DeserializationContext dc) throws IOException, JsonProcessingException {
int id = 0;
String name = null;
JsonToken currentToken = null;
while((currentToken = jp.nextValue()) != null) {
switch(currentToken) {
case VALUE_NUMBER_INT:
if(jp.getCurrentName().equals("id")) {
id = jp.getIntValue();
}
break;
case VALUE_STRING:
switch(jp.getCurrentName()) {
case "name":
name = jp.getText();
break;
default:
break;
}
break;
default:
break;
}
}
return new Employee(id, name);
}
}
// Employee class
@JsonDeserialize(using=CustomDeserializer.class)
class Employee {
private int id;
private String name;
public Employee(int id, String name) {
this.id = id;
this.name = name;
}
public int getId() {
return id;
}
public String getName() {
return name;
}
@Override
public String toString() {
StringBuilder sb = new StringBuilder("ID: ").append(this.id).append("\nName: ").append(this.name);
return sb.toString();
}
}
Output
ID: 115 Name: Adithya
Advertisements