Reputation: 1718
I get a response like this:
{
"data":[
{
"object1":"example",
"object2":"example",
"object3":"example",
"object4":"example",
"object5":"example"
},
{
"object1":"example",
"object2":"example",
"object3":"example"
}
]
}
Now I wanted to Map this data to my class DTO but there I get an "error" because the DTO has no data
field. I want it in a List
or Array of my class.
Like:
List<MyClass> list = restTemplate.getForObject(url, MyClass.class);
I hope you know what I mean?
Upvotes: 3
Views: 4021
Reputation: 309
You can use Spring's ResponseEntity and array of MyClass. Below code will return an array of MyClass wrapped around
For e.g.
ResponseEntity<MyClass[]> response = restTemplate.exchange(
url,
HttpMethod.GET,
request,
MyClass[].class
);
...
// response null check etc. goes here
...
MyClass[] myArr = response.getBody();
Upvotes: 0
Reputation: 48123
One approach comes to mind is to convert the JSON response to a Map<String, List<MyClass>>
and then query the map, i.e. map.get("data")
, to get the actual List<MyClass>
.
In order to convert the JSON response to Map<String, List<MyClass>>
, you need to define a Type Reference:
ParameterizedTypeReference<Map<String, List<MyClass>>> typeRef =
new ParameterizedTypeReference<Map<String, List<MyClass>>>() {};
Then pass that typeRef
to the exchange
method like the following:
ResponseEntity<Map<String, List<MyClass>>> response =
restTemplate.exchange(url, HttpMethod.GET, null, typeRef);
And finally:
System.out.println(response.getBody().get("data"));
If you're wondering why we need a type reference, consider reading Neal Gafter's post on Super Type Tokens.
Update: If you're going to deserialize the following schema:
{
"data": [],
"paging": {}
}
It's better to create a dumb container class like the following:
class JsonHolder {
private List<MyClass> data;
private Object paging; // You can use custom type too.
// Getters and setters
}
Then use it in your RestTemplate
calls:
JsonHolder response = restTemplate.getForObject(url, JsonHolder.class);
System.out.println(response.getData()); // prints a List<MyClass>
System.out.println(response.getPaging()); // prints an Object
Upvotes: 3