Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Parsing a subset of JSON in Java using Jackson

Tags:

java

json

jackson

Given a Json, is it possible to use Jackson to only parse out a section of the message? Say that the data I'm interested in is buried in a deep hierarchy of fields and I simply do not care about creating DTO classes for each and every class.

Given a very simplified scenario I'd like to model the Telephone class without knowing anything about the structure before it:

...{
  "firstName": "John",
  "lastName" : "doe",
  "age"      : 26,
  "address"  : {
    "streetAddress": "naist street",
    "city"         : "Nara",
    "postalCode"   : "630-0192"
  },
  "phoneNumbers": [
    {
      "type"  : "iPhone",
      "number": "0123-4567-8888"
    },
    {
      "type"  : "home",
      "number": "0123-4567-8910"
    }
  ]
}....

I'm thinking something in the terms of using json-path together with deserializing just the parts I'm interested of. Some pseudo:

List<Telephone> phoneNrs = parse(".my.deep.structure.persons.phoneNumbers", List<Telephone.class>);
like image 862
Billybong Avatar asked Apr 19 '16 14:04

Billybong


Video Answer


1 Answers

ObjectMapper mapper = new ObjectMapper();
JsonNode json = mapper.readTree("... your JSON ...");

Using the JsonNode object you can then call get("my").get("deep").get("structure") to get the node you want.

Once you got your hands on that node, a simple call to mapper.treeToValue(myDeepJsonNode, Telephone[].class) will get you your array ofTelephone. You can get a list using a TypeReference as well.

To get to your deep JsonNode you can also use the findValue and findPath methods.

The Javadoc: https://fasterxml.github.io/jackson-databind/javadoc/2.2.0/com/fasterxml/jackson/databind/JsonNode.html

like image 160
GuiSim Avatar answered Sep 30 '22 17:09

GuiSim