Simplified doc-site generation
[AGL/documentation.git] / docs / 3_Developer_Guides / 6_AFB_Helper_Guide / 3.7.7_JSON_library_for_modern_C++.md
1 ---
2 edit_link: ''
3 title: JSON library for modern C++
4 origin_url: 'https://git.automotivelinux.org/src/libafb-helpers/plain/docs/json.md?h=master'
5 ---
6
7 <!-- WARNING: This file is generated by fetch_docs.js using /home/boron/Documents/AGL/docs-webtemplate/site/_data/tocs/devguides/master/afb-helpers-function-references-afb-helpers-book.yml -->
8
9 # JSON for Modern C++
10
11 - [Design goals](#design-goals)
12 - [Integration](#integration)
13 - [Examples](#examples)
14   - [JSON as first-class data type](#json-as-first-class-data-type)
15   - [Serialization / Deserialization](#serialization--deserialization)
16   - [STL-like access](#stl-like-access)
17   - [Conversion from STL containers](#conversion-from-stl-containers)
18   - [JSON Pointer and JSON Patch](#json-pointer-and-json-patch)
19   - [Implicit conversions](#implicit-conversions)
20   - [Conversions to/from arbitrary types](#arbitrary-types-conversions)
21   - [Binary formats (CBOR and MessagePack)](#binary-formats-cbor-and-messagepack)
22 - [Supported compilers](#supported-compilers)
23 - [License](#license)
24 - [Thanks](#thanks)
25 - [Used third-party tools](#used-third-party-tools)
26 - [Projects using JSON for Modern C++](#projects-using-json-for-modern-c)
27 - [Notes](#notes)
28 - [Execute unit tests](#execute-unit-tests)
29
30 ## Design goals
31
32 There are myriads of [JSON](http://json.org) libraries out there, and each may even have its reason to exist. Our class had these design goals:
33
34 - **Intuitive syntax**. In languages such as Python, JSON feels like a first class data type. We used all the operator magic of modern C++ to achieve the same feeling in your code. Check out the [examples below](#examples) and you'll know what I mean.
35
36 - **Trivial integration**. Our whole code consists of a single header file [`json.hpp`](https://github.com/nlohmann/json/blob/develop/src/json.hpp). That's it. No library, no subproject, no dependencies, no complex build system. The class is written in vanilla C++11. All in all, everything should require no adjustment of your compiler flags or project settings.
37
38 - **Serious testing**. Our class is heavily [unit-tested](https://github.com/nlohmann/json/blob/master/test/src/unit.cpp) and covers [100%](https://coveralls.io/r/nlohmann/json) of the code, including all exceptional behavior. Furthermore, we checked with [Valgrind](http://valgrind.org) that there are no memory leaks. To maintain high quality, the project is following the [Core Infrastructure Initiative (CII) best practices](https://bestpractices.coreinfrastructure.org/projects/289).
39
40 Other aspects were not so important to us:
41
42 - **Memory efficiency**. Each JSON object has an overhead of one pointer (the maximal size of a union) and one enumeration element (1 byte). The default generalization uses the following C++ data types: `std::string` for strings, `int64_t`, `uint64_t` or `double` for numbers, `std::map` for objects, `std::vector` for arrays, and `bool` for Booleans. However, you can template the generalized class `basic_json` to your needs.
43
44 - **Speed**. There are certainly [faster JSON libraries](https://github.com/miloyip/nativejson-benchmark#parsing-time) out there. However, if your goal is to speed up your development by adding JSON support with a single header, then this library is the way to go. If you know how to use a `std::vector` or `std::map`, you are already set.
45
46 See the [contribution guidelines](https://github.com/nlohmann/json/blob/master/.github/CONTRIBUTING.md#please-dont) for more information.
47
48 ## Integration
49
50 The single required source, file `json.hpp` is in the `src` directory or [released here](https://github.com/nlohmann/json/releases). All you need to do is add
51
52 ```cpp
53 #include "json.hpp"
54
55 // for convenience
56 using json = nlohmann::json;
57 ```
58
59 to the files you want to use JSON objects. That's it. Do not forget to set the necessary switches to enable C++11 (e.g., `-std=c++11` for GCC and Clang).
60
61 :beer: If you are using OS X and [Homebrew](http://brew.sh), just type `brew tap nlohmann/json` and `brew install nlohmann_json` and you're set. If you want the bleeding edge rather than the latest release, use `brew install nlohmann_json --HEAD`.
62
63 If you are using the [Meson Build System](http://mesonbuild.com), then you can wrap this repo as a subproject.
64
65 If you are using [Conan](https://www.conan.io/) to manage your dependencies, merely add `jsonformoderncpp/x.y.z@vthiery/stable` to your `conanfile.py`'s requires, where `x.y.z` is the release version you want to use. Please file issues [here](https://github.com/vthiery/conan-jsonformoderncpp/issues) if you experience problems with the packages.
66
67 If you are using [hunter](https://github.com/ruslo/hunter/) on your project for external dependencies, then you can use the [nlohman_json package](https://github.com/ruslo/hunter/wiki/pkg.nlohmann_json). Please see the hunter project for any issues regarding the packaging.
68
69 :warning: [Version 3.0.0](https://github.com/nlohmann/json/wiki/Road-toward-3.0.0) is currently under development. Branch `develop` is used for the ongoing work and is probably **unstable**. Please use the `master` branch for the last stable version 2.1.1.
70
71 ## Examples
72
73 Beside the examples below, you may want to check the [documentation](https://nlohmann.github.io/json/) where each function contains a separate code example (e.g., check out [`emplace()`](https://nlohmann.github.io/json/classnlohmann_1_1basic__json_a602f275f0359ab181221384989810604.html#a602f275f0359ab181221384989810604)). All [example files](https://github.com/nlohmann/json/tree/develop/doc/examples) can be compiled and executed on their own (e.g., file [emplace.cpp](https://github.com/nlohmann/json/blob/develop/doc/examples/emplace.cpp)).
74
75 ### JSON as first-class data type
76
77 Here are some examples to give you an idea how to use the class.
78
79 Assume you want to create the JSON object
80
81 ```json
82 {
83   "pi": 3.141,
84   "happy": true,
85   "name": "Niels",
86   "nothing": null,
87   "answer": {
88     "everything": 42
89   },
90   "list": [1, 0, 2],
91   "object": {
92     "currency": "USD",
93     "value": 42.99
94   }
95 }
96 ```
97
98 With the JSON class, you could write:
99
100 ```cpp
101 // create an empty structure (null)
102 json j;
103
104 // add a number that is stored as double (note the implicit conversion of j to an object)
105 j["pi"] = 3.141;
106
107 // add a Boolean that is stored as bool
108 j["happy"] = true;
109
110 // add a string that is stored as std::string
111 j["name"] = "Niels";
112
113 // add another null object by passing nullptr
114 j["nothing"] = nullptr;
115
116 // add an object inside the object
117 j["answer"]["everything"] = 42;
118
119 // add an array that is stored as std::vector (using an initializer list)
120 j["list"] = { 1, 0, 2 };
121
122 // add another object (using an initializer list of pairs)
123 j["object"] = { {"currency", "USD"}, {"value", 42.99} };
124
125 // instead, you could also write (which looks very similar to the JSON above)
126 json j2 = {
127   {"pi", 3.141},
128   {"happy", true},
129   {"name", "Niels"},
130   {"nothing", nullptr},
131   {"answer", {
132     {"everything", 42}
133   }},
134   {"list", {1, 0, 2}},
135   {"object", {
136     {"currency", "USD"},
137     {"value", 42.99}
138   }}
139 };
140 ```
141
142 Note that in all these cases, you never need to "tell" the compiler which JSON value you want to use. If you want to be explicit or express some edge cases, the functions `json::array` and `json::object` will help:
143
144 ```cpp
145 // a way to express the empty array []
146 json empty_array_explicit = json::array();
147
148 // ways to express the empty object {}
149 json empty_object_implicit = json({});
150 json empty_object_explicit = json::object();
151
152 // a way to express an _array_ of key/value pairs [["currency", "USD"], ["value", 42.99]]
153 json array_not_object = { json::array({"currency", "USD"}), json::array({"value", 42.99}) };
154 ```
155
156 ### Serialization / Deserialization
157
158 #### To/from strings
159
160 You can create an object (deserialization) by appending `_json` to a string literal:
161
162 ```cpp
163 // create object from string literal
164 json j = "{ \"happy\": true, \"pi\": 3.141 }"_json;
165
166 // or even nicer with a raw string literal
167 auto j2 = R"(
168   {
169     "happy": true,
170     "pi": 3.141
171   }
172 )"_json;
173 ```
174
175 Note that without appending the `_json` suffix, the passed string literal is not parsed, but just used as JSON string value. That is, `json j = "{ \"happy\": true, \"pi\": 3.141 }"` would just store the string `"{ "happy": true, "pi": 3.141 }"` rather than parsing the actual object.
176
177 The above example can also be expressed explicitly using `json::parse()`:
178
179 ```cpp
180 // parse explicitly
181 auto j3 = json::parse("{ \"happy\": true, \"pi\": 3.141 }");
182 ```
183
184 You can also get a string representation (serialize):
185
186 ```cpp
187 // explicit conversion to string
188 std::string s = j.dump();    // {\"happy\":true,\"pi\":3.141}
189
190 // serialization with pretty printing
191 // pass in the amount of spaces to indent
192 std::cout << j.dump(4) << std::endl;
193 // {
194 //     "happy": true,
195 //     "pi": 3.141
196 // }
197 ```
198
199 #### To/from streams (e.g. files, string streams)
200
201 You can also use streams to serialize and deserialize:
202
203 ```cpp
204 // deserialize from standard input
205 json j;
206 std::cin >> j;
207
208 // serialize to standard output
209 std::cout << j;
210
211 // the setw manipulator was overloaded to set the indentation for pretty printing
212 std::cout << std::setw(4) << j << std::endl;
213 ```
214
215 These operators work for any subclasses of `std::istream` or `std::ostream`. Here is the same example with files:
216
217 ```cpp
218 // read a JSON file
219 std::ifstream i("file.json");
220 json j;
221 i >> j;
222
223 // write prettified JSON to another file
224 std::ofstream o("pretty.json");
225 o << std::setw(4) << j << std::endl;
226 ```
227
228 Please note that setting the exception bit for `failbit` is inappropriate for this use case. It will result in program termination due to the `noexcept` specifier in use.
229
230 #### Read from iterator range
231
232 You can also read JSON from an iterator range; that is, from any container accessible by iterators whose content is stored as contiguous byte sequence, for instance a `std::vector<std::uint8_t>`:
233
234 ```cpp
235 std::vector<std::uint8_t> v = {'t', 'r', 'u', 'e'};
236 json j = json::parse(v.begin(), v.end());
237 ```
238
239 You may leave the iterators for the range [begin, end):
240
241 ```cpp
242 std::vector<std::uint8_t> v = {'t', 'r', 'u', 'e'};
243 json j = json::parse(v);
244 ```
245
246 ### STL-like access
247
248 We designed the JSON class to behave just like an STL container. In fact, it satisfies the [**ReversibleContainer**](http://en.cppreference.com/w/cpp/concept/ReversibleContainer) requirement.
249
250 ```cpp
251 // create an array using push_back
252 json j;
253 j.push_back("foo");
254 j.push_back(1);
255 j.push_back(true);
256
257 // also use emplace_back
258 j.emplace_back(1.78);
259
260 // iterate the array
261 for (json::iterator it = j.begin(); it != j.end(); ++it) {
262   std::cout << *it << '\n';
263 }
264
265 // range-based for
266 for (auto& element : j) {
267   std::cout << element << '\n';
268 }
269
270 // getter/setter
271 const std::string tmp = j[0];
272 j[1] = 42;
273 bool foo = j.at(2);
274
275 // comparison
276 j == "[\"foo\", 1, true]"_json;  // true
277
278 // other stuff
279 j.size();     // 3 entries
280 j.empty();    // false
281 j.type();     // json::value_t::array
282 j.clear();    // the array is empty again
283
284 // convenience type checkers
285 j.is_null();
286 j.is_boolean();
287 j.is_number();
288 j.is_object();
289 j.is_array();
290 j.is_string();
291
292 // create an object
293 json o;
294 o["foo"] = 23;
295 o["bar"] = false;
296 o["baz"] = 3.141;
297
298 // also use emplace
299 o.emplace("weather", "sunny");
300
301 // special iterator member functions for objects
302 for (json::iterator it = o.begin(); it != o.end(); ++it) {
303   std::cout << it.key() << " : " << it.value() << "\n";
304 }
305
306 // find an entry
307 if (o.find("foo") != o.end()) {
308   // there is an entry with key "foo"
309 }
310
311 // or simpler using count()
312 int foo_present = o.count("foo"); // 1
313 int fob_present = o.count("fob"); // 0
314
315 // delete an entry
316 o.erase("foo");
317 ```
318
319 ### Conversion from STL containers
320
321 Any sequence container (`std::array`, `std::vector`, `std::deque`, `std::forward_list`, `std::list`) whose values can be used to construct JSON types (e.g., integers, floating point numbers, Booleans, string types, or again STL containers described in this section) can be used to create a JSON array. The same holds for similar associative containers (`std::set`, `std::multiset`, `std::unordered_set`, `std::unordered_multiset`), but in these cases the order of the elements of the array depends how the elements are ordered in the respective STL container.
322
323 ```cpp
324 std::vector<int> c_vector {1, 2, 3, 4};
325 json j_vec(c_vector);
326 // [1, 2, 3, 4]
327
328 std::deque<double> c_deque {1.2, 2.3, 3.4, 5.6};
329 json j_deque(c_deque);
330 // [1.2, 2.3, 3.4, 5.6]
331
332 std::list<bool> c_list {true, true, false, true};
333 json j_list(c_list);
334 // [true, true, false, true]
335
336 std::forward_list<int64_t> c_flist {12345678909876, 23456789098765, 34567890987654, 45678909876543};
337 json j_flist(c_flist);
338 // [12345678909876, 23456789098765, 34567890987654, 45678909876543]
339
340 std::array<unsigned long, 4> c_array {{1, 2, 3, 4}};
341 json j_array(c_array);
342 // [1, 2, 3, 4]
343
344 std::set<std::string> c_set {"one", "two", "three", "four", "one"};
345 json j_set(c_set); // only one entry for "one" is used
346 // ["four", "one", "three", "two"]
347
348 std::unordered_set<std::string> c_uset {"one", "two", "three", "four", "one"};
349 json j_uset(c_uset); // only one entry for "one" is used
350 // maybe ["two", "three", "four", "one"]
351
352 std::multiset<std::string> c_mset {"one", "two", "one", "four"};
353 json j_mset(c_mset); // both entries for "one" are used
354 // maybe ["one", "two", "one", "four"]
355
356 std::unordered_multiset<std::string> c_umset {"one", "two", "one", "four"};
357 json j_umset(c_umset); // both entries for "one" are used
358 // maybe ["one", "two", "one", "four"]
359 ```
360
361 Likewise, any associative key-value containers (`std::map`, `std::multimap`, `std::unordered_map`, `std::unordered_multimap`) whose keys can construct an `std::string` and whose values can be used to construct JSON types (see examples above) can be used to create a JSON object. Note that in case of multimaps only one key is used in the JSON object and the value depends on the internal order of the STL container.
362
363 ```cpp
364 std::map<std::string, int> c_map { {"one", 1}, {"two", 2}, {"three", 3} };
365 json j_map(c_map);
366 // {"one": 1, "three": 3, "two": 2 }
367
368 std::unordered_map<const char*, double> c_umap { {"one", 1.2}, {"two", 2.3}, {"three", 3.4} };
369 json j_umap(c_umap);
370 // {"one": 1.2, "two": 2.3, "three": 3.4}
371
372 std::multimap<std::string, bool> c_mmap { {"one", true}, {"two", true}, {"three", false}, {"three", true} };
373 json j_mmap(c_mmap); // only one entry for key "three" is used
374 // maybe {"one": true, "two": true, "three": true}
375
376 std::unordered_multimap<std::string, bool> c_ummap { {"one", true}, {"two", true}, {"three", false}, {"three", true} };
377 json j_ummap(c_ummap); // only one entry for key "three" is used
378 // maybe {"one": true, "two": true, "three": true}
379 ```
380
381 ### JSON Pointer and JSON Patch
382
383 The library supports **JSON Pointer** ([RFC 6901](https://tools.ietf.org/html/rfc6901)) as alternative means to address structured values. On top of this, **JSON Patch** ([RFC 6902](https://tools.ietf.org/html/rfc6902)) allows to describe differences between two JSON values - effectively allowing patch and diff operations known from Unix.
384
385 ```cpp
386 // a JSON value
387 json j_original = R"({
388   "baz": ["one", "two", "three"],
389   "foo": "bar"
390 })"_json;
391
392 // access members with a JSON pointer (RFC 6901)
393 j_original["/baz/1"_json_pointer];
394 // "two"
395
396 // a JSON patch (RFC 6902)
397 json j_patch = R"([
398   { "op": "replace", "path": "/baz", "value": "boo" },
399   { "op": "add", "path": "/hello", "value": ["world"] },
400   { "op": "remove", "path": "/foo"}
401 ])"_json;
402
403 // apply the patch
404 json j_result = j_original.patch(j_patch);
405 // {
406 //    "baz": "boo",
407 //    "hello": ["world"]
408 // }
409
410 // calculate a JSON patch from two JSON values
411 json::diff(j_result, j_original);
412 // [
413 //   { "op":" replace", "path": "/baz", "value": ["one", "two", "three"] },
414 //   { "op": "remove","path": "/hello" },
415 //   { "op": "add", "path": "/foo", "value": "bar" }
416 // ]
417 ```
418
419 ### Implicit conversions
420
421 The type of the JSON object is determined automatically by the expression to store. Likewise, the stored value is implicitly converted.
422
423 ```cpp
424 // strings
425 std::string s1 = "Hello, world!";
426 json js = s1;
427 std::string s2 = js;
428
429 // Booleans
430 bool b1 = true;
431 json jb = b1;
432 bool b2 = jb;
433
434 // numbers
435 int i = 42;
436 json jn = i;
437 double f = jn;
438
439 // etc.
440 ```
441
442 You can also explicitly ask for the value:
443
444 ```cpp
445 std::string vs = js.get<std::string>();
446 bool vb = jb.get<bool>();
447 int vi = jn.get<int>();
448
449 // etc.
450 ```
451
452 ### Arbitrary types conversions
453
454 Every type can be serialized in JSON, not just STL-containers and scalar types. Usually, you would do something along those lines:
455
456 ```cpp
457 namespace ns {
458     // a simple struct to model a person
459     struct person {
460         std::string name;
461         std::string address;
462         int age;
463     };
464 }
465
466 ns::person p = {"Ned Flanders", "744 Evergreen Terrace", 60};
467
468 // convert to JSON: copy each value into the JSON object
469 json j;
470 j["name"] = p.name;
471 j["address"] = p.address;
472 j["age"] = p.age;
473
474 // ...
475
476 // convert from JSON: copy each value from the JSON object
477 ns::person p {
478     j["name"].get<std::string>(),
479     j["address"].get<std::string>(),
480     j["age"].get<int>()
481 };
482 ```
483
484 It works, but that's quite a lot of boilerplate... Fortunately, there's a better way:
485
486 ```cpp
487 // create a person
488 ns::person p {"Ned Flanders", "744 Evergreen Terrace", 60};
489
490 // conversion: person -> json
491 json j = p;
492
493 std::cout << j << std::endl;
494 // {"address":"744 Evergreen Terrace","age":60,"name":"Ned Flanders"}
495
496 // conversion: json -> person
497 ns::person p2 = j;
498
499 // that's it
500 assert(p == p2);
501 ```
502
503 #### Basic usage
504
505 To make this work with one of your types, you only need to provide two functions:
506
507 ```cpp
508 using nlohmann::json;
509
510 namespace ns {
511     void to_json(json& j, const person& p) {
512         j = json{ {"name", p.name}, {"address", p.address}, {"age", p.age} };
513     }
514
515     void from_json(const json& j, person& p) {
516         p.name = j.at("name").get<std::string>();
517         p.address = j.at("address").get<std::string>();
518         p.age = j.at("age").get<int>();
519     }
520 } // namespace ns
521 ```
522
523 That's all! When calling the `json` constructor with your type, your custom `to_json` method will be automatically called.
524 Likewise, when calling `get<your_type>()`, the `from_json` method will be called.
525
526 Some important things:
527
528 - Those methods **MUST** be in your type's namespace (which can be the global namespace), or the library will not be able to locate them (in this example, they are in namespace `ns`, where `person` is defined).
529 - When using `get<your_type>()`, `your_type` **MUST** be [DefaultConstructible](http://en.cppreference.com/w/cpp/concept/DefaultConstructible). (There is a way to bypass this requirement described later.)
530 - In function `from_json`, use function [`at()`](https://nlohmann.github.io/json/classnlohmann_1_1basic__json_a93403e803947b86f4da2d1fb3345cf2c.html#a93403e803947b86f4da2d1fb3345cf2c) to access the object values rather than `operator[]`. In case a key does not exists, `at` throws an exception that you can handle, whereas `operator[]` exhibits undefined behavior.
531 - In case your type contains several `operator=` definitions, code like `your_variable = your_json;` [may not compile](https://github.com/nlohmann/json/issues/667). You need to write `your_variable = your_json.get<decltype your_variable>();` instead.
532 - You do not need to add serializers or deserializers for STL types like `std::vector`: the library already implements these.
533
534 #### How do I convert third-party types?
535
536 This requires a bit more advanced technique. But first, let's see how this conversion mechanism works:
537
538 The library uses **JSON Serializers** to convert types to json.
539 The default serializer for `nlohmann::json` is `nlohmann::adl_serializer` (ADL means [Argument-Dependent Lookup](http://en.cppreference.com/w/cpp/language/adl)).
540
541 It is implemented like this (simplified):
542
543 ```cpp
544 template <typename T>
545 struct adl_serializer {
546     static void to_json(json& j, const T& value) {
547         // calls the "to_json" method in T's namespace
548     }
549
550     static void from_json(const json& j, T& value) {
551         // same thing, but with the "from_json" method
552     }
553 };
554 ```
555
556 This serializer works fine when you have control over the type's namespace. However, what about `boost::optional`, or `std::filesystem::path` (C++17)? Hijacking the `boost` namespace is pretty bad, and it's illegal to add something other than template specializations to `std`...
557
558 To solve this, you need to add a specialization of `adl_serializer` to the `nlohmann` namespace, here's an example:
559
560 ```cpp
561 // partial specialization (full specialization works too)
562 namespace nlohmann {
563     template <typename T>
564     struct adl_serializer<boost::optional<T>> {
565         static void to_json(json& j, const boost::optional<T>& opt) {
566             if (opt == boost::none) {
567                 j = nullptr;
568             } else {
569               j = *opt; // this will call adl_serializer<T>::to_json which will
570                         // find the free function to_json in T's namespace!
571             }
572         }
573
574         static void from_json(const json& j, boost::optional<T>& opt) {
575             if (j.is_null()) {
576                 opt = boost::none;
577             } else {
578                 opt = j.get<T>(); // same as above, but with
579                                   // adl_serializer<T>::from_json
580             }
581         }
582     };
583 }
584 ```
585
586 #### How can I use `get()` for non-default constructible/non-copyable types?
587
588 There is a way, if your type is [MoveConstructible](http://en.cppreference.com/w/cpp/concept/MoveConstructible). You will need to specialize the `adl_serializer` as well, but with a special `from_json` overload:
589
590 ```cpp
591 struct move_only_type {
592     move_only_type() = delete;
593     move_only_type(int ii): i(ii) {}
594     move_only_type(const move_only_type&) = delete;
595     move_only_type(move_only_type&&) = default;
596
597     int i;
598 };
599
600 namespace nlohmann {
601     template <>
602     struct adl_serializer<move_only_type> {
603         // note: the return type is no longer 'void', and the method only takes
604         // one argument
605         static move_only_type from_json(const json& j) {
606             return {j.get<int>()};
607         }
608
609         // Here's the catch! You must provide a to_json method! Otherwise you
610         // will not be able to convert move_only_type to json, since you fully
611         // specialized adl_serializer on that type
612         static void to_json(json& j, move_only_type t) {
613             j = t.i;
614         }
615     };
616 }
617 ```
618
619 #### Can I write my own serializer? (Advanced use)
620
621 Yes. You might want to take a look at [`unit-udt.cpp`](https://github.com/nlohmann/json/blob/develop/test/src/unit-udt.cpp) in the test suite, to see a few examples.
622
623 If you write your own serializer, you'll need to do a few things:
624
625 - use a different `basic_json` alias than `nlohmann::json` (the last template parameter of `basic_json` is the `JSONSerializer`)
626 - use your `basic_json` alias (or a template parameter) in all your `to_json`/`from_json` methods
627 - use `nlohmann::to_json` and `nlohmann::from_json` when you need ADL
628
629 Here is an example, without simplifications, that only accepts types with a size <= 32, and uses ADL.
630
631 ```cpp
632 // You should use void as a second template argument
633 // if you don't need compile-time checks on T
634 template<typename T, typename SFINAE = typename std::enable_if<sizeof(T) <= 32>::type>
635 struct less_than_32_serializer {
636     template <typename BasicJsonType>
637     static void to_json(BasicJsonType& j, T value) {
638         // we want to use ADL, and call the correct to_json overload
639         using nlohmann::to_json; // this method is called by adl_serializer,
640                                  // this is where the magic happens
641         to_json(j, value);
642     }
643
644     template <typename BasicJsonType>
645     static void from_json(const BasicJsonType& j, T& value) {
646         // same thing here
647         using nlohmann::from_json;
648         from_json(j, value);
649     }
650 };
651 ```
652
653 Be **very** careful when reimplementing your serializer, you can stack overflow if you don't pay attention:
654
655 ```cpp
656 template <typename T, void>
657 struct bad_serializer
658 {
659     template <typename BasicJsonType>
660     static void to_json(BasicJsonType& j, const T& value) {
661       // this calls BasicJsonType::json_serializer<T>::to_json(j, value);
662       // if BasicJsonType::json_serializer == bad_serializer ... oops!
663       j = value;
664     }
665
666     template <typename BasicJsonType>
667     static void to_json(const BasicJsonType& j, T& value) {
668       // this calls BasicJsonType::json_serializer<T>::from_json(j, value);
669       // if BasicJsonType::json_serializer == bad_serializer ... oops!
670       value = j.template get<T>(); // oops!
671     }
672 };
673 ```
674
675 ### Binary formats (CBOR and MessagePack)
676
677 Though JSON is a ubiquitous data format, it is not a very compact format suitable for data exchange, for instance over a network. Hence, the library supports [CBOR](http://cbor.io) (Concise Binary Object Representation) and [MessagePack](http://msgpack.org) to efficiently encode JSON values to byte vectors and to decode such vectors.
678
679 ```cpp
680 // create a JSON value
681 json j = R"({"compact": true, "schema": 0})"_json;
682
683 // serialize to CBOR
684 std::vector<std::uint8_t> v_cbor = json::to_cbor(j);
685
686 // 0xa2, 0x67, 0x63, 0x6f, 0x6d, 0x70, 0x61, 0x63, 0x74, 0xf5, 0x66, 0x73, 0x63, 0x68, 0x65, 0x6d, 0x61, 0x00
687
688 // roundtrip
689 json j_from_cbor = json::from_cbor(v_cbor);
690
691 // serialize to MessagePack
692 std::vector<std::uint8_t> v_msgpack = json::to_msgpack(j);
693
694 // 0x82, 0xa7, 0x63, 0x6f, 0x6d, 0x70, 0x61, 0x63, 0x74, 0xc3, 0xa6, 0x73, 0x63, 0x68, 0x65, 0x6d, 0x61, 0x00
695
696 // roundtrip
697 json j_from_msgpack = json::from_msgpack(v_msgpack);
698 ```
699
700 ## Supported compilers
701
702 Though it's 2016 already, the support for C++11 is still a bit sparse. Currently, the following compilers are known to work:
703
704 - GCC 4.9 - 7.1 (and possibly later)
705 - Clang 3.4 - 5.0 (and possibly later)
706 - Microsoft Visual C++ 2015 / Build Tools 14.0.25123.0 (and possibly later)
707 - Microsoft Visual C++ 2017 / Build Tools 15.1.548.43366 (and possibly later)
708
709 I would be happy to learn about other compilers/versions.
710
711 Please note:
712
713 - GCC 4.8 does not work because of two bugs ([55817](https://gcc.gnu.org/bugzilla/show_bug.cgi?id=55817) and [57824](https://gcc.gnu.org/bugzilla/show_bug.cgi?id=57824)) in the C++11 support. Note there is a [pull request](https://github.com/nlohmann/json/pull/212) to fix some of the issues.
714 - Android defaults to using very old compilers and C++ libraries. To fix this, add the following to your `Application.mk`. This will switch to the LLVM C++ library, the Clang compiler, and enable C++11 and other features disabled by default.
715
716 ```bb
717     APP_STL := c++_shared
718     NDK_TOOLCHAIN_VERSION := clang3.6
719     APP_CPPFLAGS += -frtti -fexceptions
720 ```
721
722 The code compiles successfully with [Android NDK](https://developer.android.com/ndk/index.html?hl=ml), Revision 9 - 11 (and possibly later) and [CrystaX's Android NDK](https://www.crystax.net/en/android/ndk) version 10.
723
724 - For GCC running on MinGW or Android SDK, the error `'to_string' is not a member of 'std'` (or similarly, for `strtod`) may occur. Note this is not an issue with the code,  but rather with the compiler itself. On Android, see above to build with a newer environment.  For MinGW, please refer to [this site](http://tehsausage.com/mingw-to-string) and [this discussion](https://github.com/nlohmann/json/issues/136) for information on how to fix this bug. For Android NDK using `APP_STL := gnustl_static`, please refer to [this discussion](https://github.com/nlohmann/json/issues/219).
725
726 The following compilers are currently used in continuous integration at [Travis](https://travis-ci.org/nlohmann/json) and [AppVeyor](https://ci.appveyor.com/project/nlohmann/json):
727
728 | Compiler        | Operating System             | Version String |
729 |-----------------|------------------------------|----------------|
730 | GCC 4.9.4       | Ubuntu 14.04.5 LTS           | g++-4.9 (Ubuntu 4.9.4-2ubuntu1~14.04.1) 4.9.4 |
731 | GCC 5.4.1       | Ubuntu 14.04.5 LTS           | g++-5 (Ubuntu 5.4.1-2ubuntu1~14.04) 5.4.1 20160904 |
732 | GCC 6.3.0       | Ubuntu 14.04.5 LTS           | g++-6 (Ubuntu/Linaro 6.3.0-18ubuntu2~14.04) 6.3.0 20170519 |
733 | GCC 7.1.0       | Ubuntu 14.04.5 LTS           | g++-7 (Ubuntu 7.1.0-5ubuntu2~14.04) 7.1.0
734 | Clang 3.5.0     | Ubuntu 14.04.5 LTS           | clang version 3.5.0-4ubuntu2~trusty2 (tags/RELEASE_350/final) |
735 | Clang 3.6.2     | Ubuntu 14.04.5 LTS           | clang version 3.6.2-svn240577-1~exp1 (branches/release_36) |
736 | Clang 3.7.1     | Ubuntu 14.04.5 LTS           | clang version 3.7.1-svn253571-1~exp1 (branches/release_37) |
737 | Clang 3.8.0     | Ubuntu 14.04.5 LTS           | clang version 3.8.0-2ubuntu3~trusty5 (tags/RELEASE_380/final) |
738 | Clang 3.9.1     | Ubuntu 14.04.5 LTS           | clang version 3.9.1-4ubuntu3~14.04.2 (tags/RELEASE_391/rc2) |
739 | Clang 4.0.1     | Ubuntu 14.04.5 LTS           | clang version 4.0.1-svn305264-1~exp1 (branches/release_40) |
740 | Clang 5.0.0     | Ubuntu 14.04.5 LTS           | clang version 5.0.0-svn310902-1~exp1 (branches/release_50) |
741 | Clang Xcode 6.4 | Darwin Kernel Version 14.3.0 (OSX 10.10.3) | Apple LLVM version 6.1.0 (clang-602.0.53) (based on LLVM 3.6.0svn) |
742 | Clang Xcode 7.3 | Darwin Kernel Version 15.0.0 (OSX 10.10.5) | Apple LLVM version 7.3.0 (clang-703.0.29) |
743 | Clang Xcode 8.0 | Darwin Kernel Version 15.6.0 | Apple LLVM version 8.0.0 (clang-800.0.38) |
744 | Clang Xcode 8.1 | Darwin Kernel Version 16.1.0 (macOS 10.12.1) | Apple LLVM version 8.0.0 (clang-800.0.42.1) |
745 | Clang Xcode 8.2 | Darwin Kernel Version 16.1.0 (macOS 10.12.1) | Apple LLVM version 8.0.0 (clang-800.0.42.1) |
746 | Clang Xcode 8.3 | Darwin Kernel Version 16.5.0 (macOS 10.12.4) | Apple LLVM version 8.1.0 (clang-802.0.38) |
747 | Clang Xcode 9 beta | Darwin Kernel Version 16.6.0 (macOS 10.12.5) | Apple LLVM version 9.0.0 (clang-900.0.26) |
748 | Visual Studio 14 2015 | Windows Server 2012 R2 (x64) | Microsoft (R) Build Engine version 14.0.25420.1 |
749 | Visual Studio 2017 | Windows Server 2016 | Microsoft (R) Build Engine version 15.1.1012.6693 |
750
751 ## License
752
753 The class is licensed under the [MIT License](http://opensource.org/licenses/MIT):
754
755 Copyright &copy; 2013-2017 [Niels Lohmann](http://nlohmann.me)
756
757 Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the “Software”), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
758
759 The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
760
761 THE SOFTWARE IS PROVIDED “AS IS”, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
762
763 ## Thanks
764
765 I deeply appreciate the help of the following people.
766
767 - [Teemperor](https://github.com/Teemperor) implemented CMake support and lcov integration, realized escape and Unicode handling in the string parser, and fixed the JSON serialization.
768 - [elliotgoodrich](https://github.com/elliotgoodrich) fixed an issue with double deletion in the iterator classes.
769 - [kirkshoop](https://github.com/kirkshoop) made the iterators of the class composable to other libraries.
770 - [wancw](https://github.com/wanwc) fixed a bug that hindered the class to compile with Clang.
771 - Tomas Åblad found a bug in the iterator implementation.
772 - [Joshua C. Randall](https://github.com/jrandall) fixed a bug in the floating-point serialization.
773 - [Aaron Burghardt](https://github.com/aburgh) implemented code to parse streams incrementally. Furthermore, he greatly improved the parser class by allowing the definition of a filter function to discard undesired elements while parsing.
774 - [Daniel Kopeček](https://github.com/dkopecek) fixed a bug in the compilation with GCC 5.0.
775 - [Florian Weber](https://github.com/Florianjw) fixed a bug in and improved the performance of the comparison operators.
776 - [Eric Cornelius](https://github.com/EricMCornelius) pointed out a bug in the handling with NaN and infinity values. He also improved the performance of the string escaping.
777 - [易思龙](https://github.com/likebeta) implemented a conversion from anonymous enums.
778 - [kepkin](https://github.com/kepkin) patiently pushed forward the support for Microsoft Visual studio.
779 - [gregmarr](https://github.com/gregmarr) simplified the implementation of reverse iterators and helped with numerous hints and improvements. In particular, he pushed forward the implementation of user-defined types.
780 - [Caio Luppi](https://github.com/caiovlp) fixed a bug in the Unicode handling.
781 - [dariomt](https://github.com/dariomt) fixed some typos in the examples.
782 - [Daniel Frey](https://github.com/d-frey) cleaned up some pointers and implemented exception-safe memory allocation.
783 - [Colin Hirsch](https://github.com/ColinH) took care of a small namespace issue.
784 - [Huu Nguyen](https://github.com/whoshuu) correct a variable name in the documentation.
785 - [Silverweed](https://github.com/silverweed) overloaded `parse()` to accept an rvalue reference.
786 - [dariomt](https://github.com/dariomt) fixed a subtlety in MSVC type support and implemented the `get_ref()` function to get a reference to stored values.
787 - [ZahlGraf](https://github.com/ZahlGraf) added a workaround that allows compilation using Android NDK.
788 - [whackashoe](https://github.com/whackashoe) replaced a function that was marked as unsafe by Visual Studio.
789 - [406345](https://github.com/406345) fixed two small warnings.
790 - [Glen Fernandes](https://github.com/glenfe) noted a potential portability problem in the `has_mapped_type` function.
791 - [Corbin Hughes](https://github.com/nibroc) fixed some typos in the contribution guidelines.
792 - [twelsby](https://github.com/twelsby) fixed the array subscript operator, an issue that failed the MSVC build, and floating-point parsing/dumping. He further added support for unsigned integer numbers and implemented better roundtrip support for parsed numbers.
793 - [Volker Diels-Grabsch](https://github.com/vog) fixed a link in the README file.
794 - [msm-](https://github.com/msm-) added support for american fuzzy lop.
795 - [Annihil](https://github.com/Annihil) fixed an example in the README file.
796 - [Themercee](https://github.com/Themercee) noted a wrong URL in the README file.
797 - [Lv Zheng](https://github.com/lv-zheng) fixed a namespace issue with `int64_t` and `uint64_t`.
798 - [abc100m](https://github.com/abc100m) analyzed the issues with GCC 4.8 and proposed a [partial solution](https://github.com/nlohmann/json/pull/212).
799 - [zewt](https://github.com/zewt) added useful notes to the README file about Android.
800 - [Róbert Márki](https://github.com/robertmrk) added a fix to use move iterators and improved the integration via CMake.
801 - [Chris Kitching](https://github.com/ChrisKitching) cleaned up the CMake files.
802 - [Tom Needham](https://github.com/06needhamt) fixed a subtle bug with MSVC 2015 which was also proposed by [Michael K.](https://github.com/Epidal).
803 - [Mário Feroldi](https://github.com/thelostt) fixed a small typo.
804 - [duncanwerner](https://github.com/duncanwerner) found a really embarrassing performance regression in the 2.0.0 release.
805 - [Damien](https://github.com/dtoma) fixed one of the last conversion warnings.
806 - [Thomas Braun](https://github.com/t-b) fixed a warning in a test case.
807 - [Théo DELRIEU](https://github.com/theodelrieu) patiently and constructively oversaw the long way toward [iterator-range parsing](https://github.com/nlohmann/json/issues/290). He also implemented the magic behind the serialization/deserialization of user-defined types.
808 - [Stefan](https://github.com/5tefan) fixed a minor issue in the documentation.
809 - [Vasil Dimov](https://github.com/vasild) fixed the documentation regarding conversions from `std::multiset`.
810 - [ChristophJud](https://github.com/ChristophJud) overworked the CMake files to ease project inclusion.
811 - [Vladimir Petrigo](https://github.com/vpetrigo) made a SFINAE hack more readable and added Visual Studio 17 to the build matrix.
812 - [Denis Andrejew](https://github.com/seeekr) fixed a grammar issue in the README file.
813 - [Pierre-Antoine Lacaze](https://github.com/palacaze) found a subtle bug in the `dump()` function.
814 - [TurpentineDistillery](https://github.com/TurpentineDistillery) pointed to [`std::locale::classic()`](http://en.cppreference.com/w/cpp/locale/locale/classic) to avoid too much locale joggling, found some nice performance improvements in the parser, improved the benchmarking code, and realized locale-independent number parsing and printing.
815 - [cgzones](https://github.com/cgzones) had an idea how to fix the Coverity scan.
816 - [Jared Grubb](https://github.com/jaredgrubb) silenced a nasty documentation warning.
817 - [Yixin Zhang](https://github.com/qwename) fixed an integer overflow check.
818 - [Bosswestfalen](https://github.com/Bosswestfalen) merged two iterator classes into a smaller one.
819 - [Daniel599](https://github.com/Daniel599) helped to get Travis execute the tests with Clang's sanitizers.
820 - [Jonathan Lee](https://github.com/vjon) fixed an example in the README file.
821 - [gnzlbg](https://github.com/gnzlbg) supported the implementation of user-defined types.
822 - [Alexej Harm](https://github.com/qis) helped to get the user-defined types working with Visual Studio.
823 - [Jared Grubb](https://github.com/jaredgrubb) supported the implementation of user-defined types.
824 - [EnricoBilla](https://github.com/EnricoBilla) noted a typo in an example.
825 - [Martin Hořeňovský](https://github.com/horenmar) found a way for a 2x speedup for the compilation time of the test suite.
826 - [ukhegg](https://github.com/ukhegg) found proposed an improvement for the examples section.
827 - [rswanson-ihi](https://github.com/rswanson-ihi) noted a typo in the README.
828 - [Mihai Stan](https://github.com/stanmihai4) fixed a bug in the comparison with `nullptr`s.
829 - [Tushar Maheshwari](https://github.com/tusharpm) added [cotire](https://github.com/sakra/cotire) support to speed up the compilation.
830 - [TedLyngmo](https://github.com/TedLyngmo) noted a typo in the README, removed unnecessary bit arithmetic, and fixed some `-Weffc++` warnings.
831 - [Krzysztof Woś](https://github.com/krzysztofwos) made exceptions more visible.
832 - [ftillier](https://github.com/ftillier) fixed a compiler warning.
833 - [tinloaf](https://github.com/tinloaf) made sure all pushed warnings are properly popped.
834 - [Fytch](https://github.com/Fytch) found a bug in the documentation.
835 - [Jay Sistar](https://github.com/Type1J) implemented a Meson build description.
836 - [Henry Lee](https://github.com/HenryRLee) fixed a warning in ICC and improved the iterator implementation.
837 - [Vincent Thiery](https://github.com/vthiery) maintains a package for the Conan package manager.
838 - [Steffen](https://github.com/koemeet) fixed a potential issue with MSVC and `std::min`.
839 - [Mike Tzou](https://github.com/Chocobo1) fixed some typos.
840 - [amrcode](https://github.com/amrcode) noted a missleading documentation about comparison of floats.
841 - [Oleg Endo](https://github.com/olegendo) reduced the memory consumption by replacing `<iostream>` with `<iosfwd>`.
842 - [dan-42](https://github.com/dan-42) cleaned up the CMake files to simplify including/reusing of the library.
843 - [Nikita Ofitserov](https://github.com/himikof) allowed for moving values from initializer lists.
844 - [Greg Hurrell](https://github.com/wincent) fixed a typo.
845 - [Dmitry Kukovinets](https://github.com/DmitryKuk) fixed a typo.
846 - [kbthomp1](https://github.com/kbthomp1) fixed an issue related to the Intel OSX compiler.
847 - [Markus Werle](https://github.com/daixtrose) fixed a typo.
848 - [WebProdPP](https://github.com/WebProdPP) fixed a subtle error in a precondition check.
849
850 Thanks a lot for helping out! Please [let me know](mailto:mail@nlohmann.me) if I forgot someone.
851
852 ## Used third-party tools
853
854 The library itself contains of a single header file licensed under the MIT license. However, it is built, tested, documented, and whatnot using a lot of third-party tools and services. Thanks a lot!
855
856 - [**American fuzzy lop**](http://lcamtuf.coredump.cx/afl/) for fuzz testing
857 - [**AppVeyor**](https://www.appveyor.com) for [continuous integration](https://ci.appveyor.com/project/nlohmann/json) on Windows
858 - [**Artistic Style**](http://astyle.sourceforge.net) for automatic source code identation
859 - [**benchpress**](https://github.com/sbs-ableton/benchpress) to benchmark the code
860 - [**Catch**](https://github.com/philsquared/Catch) for the unit tests
861 - [**Clang**](http://clang.llvm.org) for compilation with code sanitizers
862 - [**Cmake**](https://cmake.org) for build automation
863 - [**Codacity**](https://www.codacy.com) for further [code analysis](https://www.codacy.com/app/nlohmann/json)
864 - [**cotire**](https://github.com/sakra/cotire) to speed of compilation
865 - [**Coveralls**](https://coveralls.io) to measure [code coverage](https://coveralls.io/github/nlohmann/json)
866 - [**Coverity Scan**](https://scan.coverity.com) for [static analysis](https://scan.coverity.com/projects/nlohmann-json)
867 - [**cppcheck**](http://cppcheck.sourceforge.net) for static analysis
868 - [**cxxopts**](https://github.com/jarro2783/cxxopts) to let benchpress parse command-line parameters
869 - [**Doxygen**](http://www.stack.nl/~dimitri/doxygen/) to generate [documentation](https://nlohmann.github.io/json/)
870 - [**git-update-ghpages**](https://github.com/rstacruz/git-update-ghpages) to upload the documentation to gh-pages
871 - [**Github Changelog Generator**](https://github.com/skywinder/github-changelog-generator) to generate the [ChangeLog](https://github.com/nlohmann/json/blob/develop/ChangeLog.md)
872 - [**libFuzzer**](http://llvm.org/docs/LibFuzzer.html) to implement fuzz testing for OSS-Fuzz
873 - [**OSS-Fuzz**](https://github.com/google/oss-fuzz) for continuous fuzz testing of the library
874 - [**send_to_wandbox**](https://github.com/nlohmann/json/blob/develop/doc/scripts/send_to_wandbox.py) to send code examples to [Wandbox](http://melpon.org/wandbox)
875 - [**Travis**](https://travis-ci.org) for [continuous integration](https://travis-ci.org/nlohmann/json) on Linux and macOS
876 - [**Valgrind**](http://valgrind.org) to check for correct memory management
877 - [**Wandbox**](http://melpon.org/wandbox) for [online examples](http://melpon.org/wandbox/permlink/4NEU6ZZMoM9lpIex)
878
879 ## Projects using JSON for Modern C++
880
881 The library is currently used in Apple macOS Sierra and iOS 10. I am not sure what they are using the library for, but I am happy that it runs on so many devices.
882
883 ## Notes
884
885 - The code contains numerous debug **assertions** which can be switched off by defining the preprocessor macro `NDEBUG`, see the [documentation of `assert`](http://en.cppreference.com/w/cpp/error/assert). In particular, note [`operator[]`](https://nlohmann.github.io/json/classnlohmann_1_1basic__json_a2e26bd0b0168abb61f67ad5bcd5b9fa1.html#a2e26bd0b0168abb61f67ad5bcd5b9fa1) implements **unchecked access** for const objects: If the given key is not present, the behavior is undefined (think of a dereferenced null pointer) and yields an [assertion failure](https://github.com/nlohmann/json/issues/289) if assertions are switched on. If you are not sure whether an element in an object exists, use checked access with the [`at()` function](https://nlohmann.github.io/json/classnlohmann_1_1basic__json_a674de1ee73e6bf4843fc5dc1351fb726.html#a674de1ee73e6bf4843fc5dc1351fb726).
886 - As the exact type of a number is not defined in the [JSON specification](http://rfc7159.net/rfc7159), this library tries to choose the best fitting C++ number type automatically. As a result, the type `double` may be used to store numbers which may yield [**floating-point exceptions**](https://github.com/nlohmann/json/issues/181) in certain rare situations if floating-point exceptions have been unmasked in the calling code. These exceptions are not caused by the library and need to be fixed in the calling code, such as by re-masking the exceptions prior to calling library functions.
887 - The library supports **Unicode input** as follows:
888   - Only **UTF-8** encoded input is supported which is the default encoding for JSON according to [RFC 7159](http://rfc7159.net/rfc7159#rfc.section.8.1).
889   - Other encodings such as Latin-1, UTF-16, or UTF-32 are not supported and will yield parse errors.
890   - [Unicode noncharacters](http://www.unicode.org/faq/private_use.html#nonchar1) will not be replaced by the library.
891   - Invalid surrogates (e.g., incomplete pairs such as `\uDEAD`) will yield parse errors.
892   - The strings stored in the library are UTF-8 encoded. When using the default string type (`std::string`), note that its length/size functions return the number of stored bytes rather than the number of characters or glyphs.
893 - The code can be compiled without C++ **runtime type identification** features; that is, you can use the `-fno-rtti` compiler flag.
894 - **Exceptions** are used widely within the library. They can, however, be switched off with either using the compiler flag `-fno-exceptions` or by defining the symbol `JSON_NOEXCEPTION`. In this case, exceptions are replaced by an `abort()` call.
895 - By default, the library does not preserve the **insertion order of object elements**. This is standards-compliant, as the [JSON standard](https://tools.ietf.org/html/rfc7159.html) defines objects as "an unordered collection of zero or more name/value pairs". If you do want to preserve the insertion order, you can specialize the object type with containers like [`tsl::ordered_map`](https://github.com/Tessil/ordered-map) or [`nlohmann::fifo_map`](https://github.com/nlohmann/fifo_map).
896
897 ## Execute unit tests
898
899 To compile and run the tests, you need to execute
900
901 ```sh
902 $ make json_unit -Ctest
903 $ ./test/json_unit "*"
904
905 ===============================================================================
906 All tests passed (14504461 assertions in 48 test cases)
907 ```
908
909 Alternatively, you can use [CMake](https://cmake.org) and run
910
911 ```sh
912 mkdir build
913 cd build
914 cmake ..
915 make
916 ctest
917 ```
918
919 For more information, have a look at the file [.travis.yml](https://github.com/nlohmann/json/blob/master/.travis.yml).