1. Общ преглед
Едно от предимствата на XML е наличността на обработка - включително XPath - която се определя като стандарт W3C. За JSON се появи подобен инструмент, наречен JSONPath.
Тази статия ще даде въведение към Jayway JsonPath , Java реализация на спецификацията JSONPath. Той описва настройка, синтаксис, често срещани API и демонстрация на случаи на употреба.
2. Настройка
За да използваме JsonPath, просто трябва да включим зависимост в pom Maven:
com.jayway.jsonpath json-path 2.4.0
3. Синтаксис
Следната JSON структура ще бъде използвана в този раздел за демонстрация на синтаксиса и API на JsonPath:
{ "tool": { "jsonpath": { "creator": { "name": "Jayway Inc.", "location": [ "Malmo", "San Francisco", "Helsingborg" ] } } }, "book": [ { "title": "Beginning JSON", "price": 49.99 }, { "title": "JSON at Work", "price": 29.99 } ] }
3.1. Нотация
JsonPath използва специална нотация за представяне на възли и техните връзки към съседни възли в JsonPath пътека. Има два стила на нотация, а именно точка и скоба.
И двата следващи пътя се отнасят до един и същ възел от горния JSON документ, който е третият елемент в полето за местоположение на създателския възел, който е дъщеря на jsonpath обекта, принадлежащ на инструмент под коренния възел.
С точкова нотация:
$.tool.jsonpath.creator.location[2]
С нотация на скобата:
$['tool']['jsonpath']['creator']['location'][2]
Знакът за долар ($) представлява обект на корен член.
3.2. Оператори
Имаме няколко полезни оператора в JsonPath:
Основен възел ($) : Този символ обозначава основния член на JSON структура, без значение дали е обект или масив. Примерите за неговото използване бяха включени в предишния подраздел.
Текущ възел (@) : Представлява възела, който се обработва, използва се предимно като част от входните изрази за предикати. Да предположим, че имаме работа с масив от книги в горния документ JSON, изразът book [? (@. Price == 49.99)] се отнася до първата книга в този масив.
Заместващ знак (*) : Изразява всички елементи в рамките на посочения обхват. Например book [*] посочва всички възли в масива на книга .
3.3. Функции и филтри
JsonPath също има функции, които могат да бъдат използвани до края на пътя за синтезиране на изходните изрази на този път: min () , max () , avg () , stddev () , length () .
И накрая - имаме филтри; това са булеви изрази, за да ограничат върнатите списъци с възли само до тези, от които се нуждаят методите за извикване.
Няколко примера са равенство ( == ), съвпадение на регулярния израз ( = ~ ), включване ( в ), проверка за празнота ( празно ). Филтрите се използват главно за предикати.
За пълен списък и подробни обяснения на различни оператори, функции и филтри, вижте проекта JsonPath GitHub.
4. Операции
Преди да влезем в операции, бърза странична бележка - този раздел използва JSON примерната структура, която дефинирахме по-рано.
4.1. Достъп до документи
JsonPath има удобен начин за достъп до JSON документи, който е чрез статични API за четене :
T JsonPath.read(String jsonString, String jsonPath, Predicate... filters);
Най- четените APIs могат да работят със статични владеят APIs да осигури по-голяма гъвкавост:
T JsonPath.parse(String jsonString).read(String jsonPath, Predicate... filters);
Други претоварени варианти на четене могат да се използват за различни типове JSON източници, включително Object , InputStream , URL и File .
За да улесним нещата, тестът за тази част не включва предикати в списъка с параметри (празни варарги ); предикатите ще бъдат обсъдени в следващите подраздели.
Нека започнем с дефиниране на два примерни пътя, по които да работим:
String jsonpathCreatorNamePath = "$['tool']['jsonpath']['creator']['name']"; String jsonpathCreatorLocationPath = "$['tool']['jsonpath']['creator']['location'][*]";
След това ще създадем обект DocumentContext, като анализираме дадения JSON източник jsonDataSourceString . След това новосъздаденият обект ще се използва за четене на съдържание, като се използват пътищата, определени по-горе:
DocumentContext jsonContext = JsonPath.parse(jsonDataSourceString); String jsonpathCreatorName = jsonContext.read(jsonpathCreatorNamePath); List jsonpathCreatorLocation = jsonContext.read(jsonpathCreatorLocationPath);
Първият прочетен API връща низ, съдържащ името на създателя на JsonPath, докато вторият връща списък с неговите адреси. И ще използваме API на JUnit Assert, за да потвърдим, че методите работят както се очаква:
assertEquals("Jayway Inc.", jsonpathCreatorName); assertThat(jsonpathCreatorLocation.toString(), containsString("Malmo")); assertThat(jsonpathCreatorLocation.toString(), containsString("San Francisco")); assertThat(jsonpathCreatorLocation.toString(), containsString("Helsingborg"));
4.2. Предикати
След като приключихме с основите, нека дефинираме нов пример за JSON, върху който да работим, и илюстрираме създаването и използването на предикати:
{ "book": [ { "title": "Beginning JSON", "author": "Ben Smith", "price": 49.99 }, { "title": "JSON at Work", "author": "Tom Marrs", "price": 29.99 }, { "title": "Learn JSON in a DAY", "author": "Acodemy", "price": 8.99 }, { "title": "JSON: Questions and Answers", "author": "George Duckett", "price": 6.00 } ], "price range": { "cheap": 10.00, "medium": 20.00 } }
Predicates determine true or false input values for filters to narrow down returned lists to only matched objects or arrays. A Predicate may easily be integrated into a Filter by using as an argument for its static factory method. The requested content can then be read out of a JSON string using that Filter:
Filter expensiveFilter = Filter.filter(Criteria.where("price").gt(20.00)); List
We may also define our customized Predicate and use it as an argument for the read API:
Predicate expensivePredicate = new Predicate() { public boolean apply(PredicateContext context) { String value = context.item(Map.class).get("price").toString(); return Float.valueOf(value) > 20.00; } }; List
Finally, a predicate may be directly applied to read API without the creation of any objects, which is called inline predicate:
List
All the three of the Predicate examples above are verified with the help of the following assertion helper method:
private void predicateUsageAssertionHelper(List predicate) { assertThat(predicate.toString(), containsString("Beginning JSON")); assertThat(predicate.toString(), containsString("JSON at Work")); assertThat(predicate.toString(), not(containsString("Learn JSON in a DAY"))); assertThat(predicate.toString(), not(containsString("JSON: Questions and Answers"))); }
5. Configuration
5.1. Options
Jayway JsonPath provides several options to tweak the default configuration:
- Option.AS_PATH_LIST: Returns paths of the evaluation hits instead of their values.
- Option.DEFAULT_PATH_LEAF_TO_NULL: Returns null for missing leaves.
- Option.ALWAYS_RETURN_LIST: Returns a list even when the path is definite.
- Option.SUPPRESS_EXCEPTIONS: Makes sure no exceptions are propagated from path evaluation.
- Option.REQUIRE_PROPERTIES: Requires properties defined in the path when an indefinite path is evaluated.
Here is how Option is applied from scratch:
Configuration configuration = Configuration.builder().options(Option.).build();
and how to add it to an existing configuration:
Configuration newConfiguration = configuration.addOptions(Option.);
5.2. SPIs
JsonPath's default configuration with the help of Option should be enough for the majority of tasks. However, users with more complex use cases can modify the behavior of JsonPath according to their specific requirements – using three different SPIs:
- JsonProvider SPI: Lets us change the ways JsonPath parses and handles JSON documents
- MappingProvider SPI: Allows for customization of bindings between node values and returned object types
- CacheProvider SPI: Adjusts the manners that paths are cached, which can help to increase performance
6. An Example Use Cases
Now that we have a good understanding of the functionality that JsonPath can be used for – let's look at an example.
This section illustrates dealing with JSON data returned from a web service – assume we have a movie information service, which returns the following structure:
[ { "id": 1, "title": "Casino Royale", "director": "Martin Campbell", "starring": [ "Daniel Craig", "Eva Green" ], "desc": "Twenty-first James Bond movie", "release date": 1163466000000, "box office": 594275385 }, { "id": 2, "title": "Quantum of Solace", "director": "Marc Forster", "starring": [ "Daniel Craig", "Olga Kurylenko" ], "desc": "Twenty-second James Bond movie", "release date": 1225242000000, "box office": 591692078 }, { "id": 3, "title": "Skyfall", "director": "Sam Mendes", "starring": [ "Daniel Craig", "Naomie Harris" ], "desc": "Twenty-third James Bond movie", "release date": 1350954000000, "box office": 1110526981 }, { "id": 4, "title": "Spectre", "director": "Sam Mendes", "starring": [ "Daniel Craig", "Lea Seydoux" ], "desc": "Twenty-fourth James Bond movie", "release date": 1445821200000, "box office": 879376275 } ]
Where the value of release date field is duration since the Epoch in milliseconds and box office is revenue of a movie in the cinema in US dollars.
We are going to handle five different working scenarios related to GET requests, supposing that the above JSON hierarchy has been extracted and stored in a String variable named jsonString.
6.1. Getting Object Data Given IDs
In this use case, a client requests detailed information on a specific movie by providing the server with the exact id of that one. This example demonstrates how the server looks for requested data before returning to the client.
Say we need to find a record with id equaling to 2. Below is how the process is implemented and tested.
The first step is to pick up the correct data object:
Object dataObject = JsonPath.parse(jsonString).read("$[?(@.id == 2)]"); String dataString = dataObject.toString();
The JUnit Assert API confirms the existence of several fields:
assertThat(dataString, containsString("2")); assertThat(dataString, containsString("Quantum of Solace")); assertThat(dataString, containsString("Twenty-second James Bond movie"));
6.2. Getting the Movie Title Given Starring
Let's say we want to look for a movie starring an actress called Eva Green. The server needs to return title of the movie that Eva Green is included in the starring array.
The succeeding test will illustrate how to do that and validate the returned result:
@Test public void givenStarring_whenRequestingMovieTitle_thenSucceed() { List
6.3. Calculation of the Total Revenue
This scenario makes use of a JsonPath function called length() to figure out the number of movie records, to calculate the total revenue of all the movies. The implementation and testing are demonstrated as follows:
@Test public void givenCompleteStructure_whenCalculatingTotalRevenue_thenSucceed() { DocumentContext context = JsonPath.parse(jsonString); int length = context.read("$.length()"); long revenue = 0; for (int i = 0; i < length; i++) { revenue += context.read("$[" + i + "]['box office']", Long.class); } assertEquals(594275385L + 591692078L + 1110526981L + 879376275L, revenue); }
6.4. Highest Revenue Movie
This use case exemplifies the usage of a non-default JsonPath configuration option, namely Option.AS_PATH_LIST, to find out the movie with the highest revenue. The particular steps are described underneath.
At first, we need to extract a list of all the movies' box office revenue, then convert it to an array for sorting:
DocumentContext context = JsonPath.parse(jsonString); List revenueList = context.read("$[*]['box office']"); Integer[] revenueArray = revenueList.toArray(new Integer[0]); Arrays.sort(revenueArray);
The highestRevenue variable may easily be picked up from the revenueArray sorted array, then used for working out the path to the movie record with the highest revenue:
int highestRevenue = revenueArray[revenueArray.length - 1]; Configuration pathConfiguration = Configuration.builder().options(Option.AS_PATH_LIST).build(); List pathList = JsonPath.using(pathConfiguration).parse(jsonString) .read("$[?(@['box office'] == " + highestRevenue + ")]");
Based on that calculated path, title of the corresponding movie can be determined and returned:
Map dataRecord = context.read(pathList.get(0)); String title = dataRecord.get("title");
The whole process is verified by the Assert API:
assertEquals("Skyfall", title);
6.5. Latest Movie of a Director
This example will illustrate the way to figure out the lasted movie directed by a director named Sam Mendes.
To begin with, a list of all the movies directed by Sam Mendes is created:
DocumentContext context = JsonPath.parse(jsonString); List
That list is used for extraction of release dates. Those dates will be stored in an array and then sorted:
List dateList = new ArrayList(); for (Map item : dataList) { Object date = item.get("release date"); dateList.add(date); } Long[] dateArray = dateList.toArray(new Long[0]); Arrays.sort(dateArray);
The lastestTime variable, which is the last element of the sorted array, is used in combination with the director field's value to determine the title of the requested movie:
long latestTime = dateArray[dateArray.length - 1]; List
The following assertion proved that everything works as expected:
assertEquals("Spectre", title);
7. Conclusion
This tutorial has covered fundamental features of Jayway JsonPath – a powerful tool to traverse and parse JSON documents.
Въпреки че JsonPath има някои недостатъци, като липса на оператори за достигане на родителски възли или възли на братя и сестри, той може да бъде много полезен в много сценарии.
Прилагането на всички тези примери и кодови фрагменти може да бъде намерено в проект на GitHub .