json.nim 41 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203120412051206120712081209121012111212121312141215121612171218121912201221122212231224122512261227122812291230123112321233123412351236123712381239124012411242124312441245124612471248124912501251125212531254125512561257125812591260126112621263126412651266126712681269127012711272
  1. #
  2. #
  3. # Nim's Runtime Library
  4. # (c) Copyright 2015 Andreas Rumpf, Dominik Picheta
  5. #
  6. # See the file "copying.txt", included in this
  7. # distribution, for details about the copyright.
  8. #
  9. ## This module implements a simple high performance `JSON`:idx:
  10. ## parser. JSON (JavaScript Object Notation) is a lightweight
  11. ## data-interchange format that is easy for humans to read and write
  12. ## (unlike XML). It is easy for machines to parse and generate.
  13. ## JSON is based on a subset of the JavaScript Programming Language,
  14. ## Standard ECMA-262 3rd Edition - December 1999.
  15. ##
  16. ## Overview
  17. ## ========
  18. ##
  19. ## Parsing JSON
  20. ## ------------
  21. ##
  22. ## JSON often arrives into your program (via an API or a file) as a ``string``.
  23. ## The first step is to change it from its serialized form into a nested object
  24. ## structure called a ``JsonNode``.
  25. ##
  26. ## The ``parseJson`` procedure takes a string containing JSON and returns a
  27. ## ``JsonNode`` object. This is an object variant and it is either a
  28. ## ``JObject``, ``JArray``, ``JString``, ``JInt``, ``JFloat``, ``JBool`` or
  29. ## ``JNull``. You check the kind of this object variant by using the ``kind``
  30. ## accessor.
  31. ##
  32. ## For a ``JsonNode`` who's kind is ``JObject``, you can access its fields using
  33. ## the ``[]`` operator. The following example shows how to do this:
  34. ##
  35. ## .. code-block:: Nim
  36. ## import json
  37. ##
  38. ## let jsonNode = parseJson("""{"key": 3.14}""")
  39. ##
  40. ## doAssert jsonNode.kind == JObject
  41. ## doAssert jsonNode["key"].kind == JFloat
  42. ##
  43. ## Reading values
  44. ## --------------
  45. ##
  46. ## Once you have a ``JsonNode``, retrieving the values can then be achieved
  47. ## by using one of the helper procedures, which include:
  48. ##
  49. ## * ``getInt``
  50. ## * ``getFloat``
  51. ## * ``getStr``
  52. ## * ``getBool``
  53. ##
  54. ## To retrieve the value of ``"key"`` you can do the following:
  55. ##
  56. ## .. code-block:: Nim
  57. ## import json
  58. ##
  59. ## let jsonNode = parseJson("""{"key": 3.14}""")
  60. ##
  61. ## doAssert jsonNode["key"].getFloat() == 3.14
  62. ##
  63. ## **Important:** The ``[]`` operator will raise an exception when the
  64. ## specified field does not exist.
  65. ##
  66. ## Handling optional keys
  67. ## ----------------------
  68. ##
  69. ## By using the ``{}`` operator instead of ``[]``, it will return ``nil``
  70. ## when the field is not found. The ``get``-family of procedures will return a
  71. ## type's default value when called on ``nil``.
  72. ##
  73. ## .. code-block:: Nim
  74. ## import json
  75. ##
  76. ## let jsonNode = parseJson("{}")
  77. ##
  78. ## doAssert jsonNode{"nope"}.getInt() == 0
  79. ## doAssert jsonNode{"nope"}.getFloat() == 0
  80. ## doAssert jsonNode{"nope"}.getStr() == ""
  81. ## doAssert jsonNode{"nope"}.getBool() == false
  82. ##
  83. ## Using default values
  84. ## --------------------
  85. ##
  86. ## The ``get``-family helpers also accept an additional parameter which allow
  87. ## you to fallback to a default value should the key's values be ``null``:
  88. ##
  89. ## .. code-block:: Nim
  90. ## import json
  91. ##
  92. ## let jsonNode = parseJson("""{"key": 3.14, "key2": null}""")
  93. ##
  94. ## doAssert jsonNode["key"].getFloat(6.28) == 3.14
  95. ## doAssert jsonNode["key2"].getFloat(3.14) == 3.14
  96. ## doAssert jsonNode{"nope"}.getFloat(3.14) == 3.14 # note the {}
  97. ##
  98. ## Unmarshalling
  99. ## -------------
  100. ##
  101. ## In addition to reading dynamic data, Nim can also unmarshal JSON directly
  102. ## into a type with the ``to`` macro.
  103. ##
  104. ## Note: Use `Option <options.html#Option>`_ for keys sometimes missing in json
  105. ## responses, and backticks around keys with a reserved keyword as name.
  106. ##
  107. ## .. code-block:: Nim
  108. ## import json
  109. ## import options
  110. ##
  111. ## type
  112. ## User = object
  113. ## name: string
  114. ## age: int
  115. ## `type`: Option[string]
  116. ##
  117. ## let userJson = parseJson("""{ "name": "Nim", "age": 12 }""")
  118. ## let user = to(userJson, User)
  119. ## if user.`type`.isSome():
  120. ## assert user.`type`.get() != "robot"
  121. ##
  122. ## Creating JSON
  123. ## =============
  124. ##
  125. ## This module can also be used to comfortably create JSON using the ``%*``
  126. ## operator:
  127. ##
  128. ## .. code-block:: nim
  129. ## import json
  130. ##
  131. ## var hisName = "John"
  132. ## let herAge = 31
  133. ## var j = %*
  134. ## [
  135. ## { "name": hisName, "age": 30 },
  136. ## { "name": "Susan", "age": herAge }
  137. ## ]
  138. ##
  139. ## var j2 = %* {"name": "Isaac", "books": ["Robot Dreams"]}
  140. ## j2["details"] = %* {"age":35, "pi":3.1415}
  141. ## echo j2
  142. ##
  143. ## See also: std/jsonutils for hookable json serialization/deserialization
  144. ## of arbitrary types.
  145. runnableExamples:
  146. ## Note: for JObject, key ordering is preserved, unlike in some languages,
  147. ## this is convenient for some use cases. Example:
  148. type Foo = object
  149. a1, a2, a0, a3, a4: int
  150. doAssert $(%* Foo()) == """{"a1":0,"a2":0,"a0":0,"a3":0,"a4":0}"""
  151. import
  152. hashes, tables, strutils, lexbase, streams, macros, parsejson
  153. import options # xxx remove this dependency using same approach as https://github.com/nim-lang/Nim/pull/14563
  154. import std/private/since
  155. export
  156. tables.`$`
  157. export
  158. parsejson.JsonEventKind, parsejson.JsonError, JsonParser, JsonKindError,
  159. open, close, str, getInt, getFloat, kind, getColumn, getLine, getFilename,
  160. errorMsg, errorMsgExpected, next, JsonParsingError, raiseParseErr, nimIdentNormalize
  161. type
  162. JsonNodeKind* = enum ## possible JSON node types
  163. JNull,
  164. JBool,
  165. JInt,
  166. JFloat,
  167. JString,
  168. JObject,
  169. JArray
  170. JsonNode* = ref JsonNodeObj ## JSON node
  171. JsonNodeObj* {.acyclic.} = object
  172. case kind*: JsonNodeKind
  173. of JString:
  174. str*: string
  175. of JInt:
  176. num*: BiggestInt
  177. of JFloat:
  178. fnum*: float
  179. of JBool:
  180. bval*: bool
  181. of JNull:
  182. nil
  183. of JObject:
  184. fields*: OrderedTable[string, JsonNode]
  185. of JArray:
  186. elems*: seq[JsonNode]
  187. proc newJString*(s: string): JsonNode =
  188. ## Creates a new `JString JsonNode`.
  189. result = JsonNode(kind: JString, str: s)
  190. proc newJStringMove(s: string): JsonNode =
  191. result = JsonNode(kind: JString)
  192. shallowCopy(result.str, s)
  193. proc newJInt*(n: BiggestInt): JsonNode =
  194. ## Creates a new `JInt JsonNode`.
  195. result = JsonNode(kind: JInt, num: n)
  196. proc newJFloat*(n: float): JsonNode =
  197. ## Creates a new `JFloat JsonNode`.
  198. result = JsonNode(kind: JFloat, fnum: n)
  199. proc newJBool*(b: bool): JsonNode =
  200. ## Creates a new `JBool JsonNode`.
  201. result = JsonNode(kind: JBool, bval: b)
  202. proc newJNull*(): JsonNode =
  203. ## Creates a new `JNull JsonNode`.
  204. result = JsonNode(kind: JNull)
  205. proc newJObject*(): JsonNode =
  206. ## Creates a new `JObject JsonNode`
  207. result = JsonNode(kind: JObject, fields: initOrderedTable[string, JsonNode](2))
  208. proc newJArray*(): JsonNode =
  209. ## Creates a new `JArray JsonNode`
  210. result = JsonNode(kind: JArray, elems: @[])
  211. proc getStr*(n: JsonNode, default: string = ""): string =
  212. ## Retrieves the string value of a `JString JsonNode`.
  213. ##
  214. ## Returns ``default`` if ``n`` is not a ``JString``, or if ``n`` is nil.
  215. if n.isNil or n.kind != JString: return default
  216. else: return n.str
  217. proc getInt*(n: JsonNode, default: int = 0): int =
  218. ## Retrieves the int value of a `JInt JsonNode`.
  219. ##
  220. ## Returns ``default`` if ``n`` is not a ``JInt``, or if ``n`` is nil.
  221. if n.isNil or n.kind != JInt: return default
  222. else: return int(n.num)
  223. proc getBiggestInt*(n: JsonNode, default: BiggestInt = 0): BiggestInt =
  224. ## Retrieves the BiggestInt value of a `JInt JsonNode`.
  225. ##
  226. ## Returns ``default`` if ``n`` is not a ``JInt``, or if ``n`` is nil.
  227. if n.isNil or n.kind != JInt: return default
  228. else: return n.num
  229. proc getFloat*(n: JsonNode, default: float = 0.0): float =
  230. ## Retrieves the float value of a `JFloat JsonNode`.
  231. ##
  232. ## Returns ``default`` if ``n`` is not a ``JFloat`` or ``JInt``, or if ``n`` is nil.
  233. if n.isNil: return default
  234. case n.kind
  235. of JFloat: return n.fnum
  236. of JInt: return float(n.num)
  237. else: return default
  238. proc getBool*(n: JsonNode, default: bool = false): bool =
  239. ## Retrieves the bool value of a `JBool JsonNode`.
  240. ##
  241. ## Returns ``default`` if ``n`` is not a ``JBool``, or if ``n`` is nil.
  242. if n.isNil or n.kind != JBool: return default
  243. else: return n.bval
  244. proc getFields*(n: JsonNode,
  245. default = initOrderedTable[string, JsonNode](2)):
  246. OrderedTable[string, JsonNode] =
  247. ## Retrieves the key, value pairs of a `JObject JsonNode`.
  248. ##
  249. ## Returns ``default`` if ``n`` is not a ``JObject``, or if ``n`` is nil.
  250. if n.isNil or n.kind != JObject: return default
  251. else: return n.fields
  252. proc getElems*(n: JsonNode, default: seq[JsonNode] = @[]): seq[JsonNode] =
  253. ## Retrieves the array of a `JArray JsonNode`.
  254. ##
  255. ## Returns ``default`` if ``n`` is not a ``JArray``, or if ``n`` is nil.
  256. if n.isNil or n.kind != JArray: return default
  257. else: return n.elems
  258. proc add*(father, child: JsonNode) =
  259. ## Adds `child` to a JArray node `father`.
  260. assert father.kind == JArray
  261. father.elems.add(child)
  262. proc add*(obj: JsonNode, key: string, val: JsonNode) =
  263. ## Sets a field from a `JObject`.
  264. assert obj.kind == JObject
  265. obj.fields[key] = val
  266. proc `%`*(s: string): JsonNode =
  267. ## Generic constructor for JSON data. Creates a new `JString JsonNode`.
  268. result = JsonNode(kind: JString, str: s)
  269. proc `%`*(n: uint): JsonNode =
  270. ## Generic constructor for JSON data. Creates a new `JInt JsonNode`.
  271. result = JsonNode(kind: JInt, num: BiggestInt(n))
  272. proc `%`*(n: int): JsonNode =
  273. ## Generic constructor for JSON data. Creates a new `JInt JsonNode`.
  274. result = JsonNode(kind: JInt, num: n)
  275. proc `%`*(n: BiggestUInt): JsonNode =
  276. ## Generic constructor for JSON data. Creates a new `JInt JsonNode`.
  277. result = JsonNode(kind: JInt, num: BiggestInt(n))
  278. proc `%`*(n: BiggestInt): JsonNode =
  279. ## Generic constructor for JSON data. Creates a new `JInt JsonNode`.
  280. result = JsonNode(kind: JInt, num: n)
  281. proc `%`*(n: float): JsonNode =
  282. ## Generic constructor for JSON data. Creates a new `JFloat JsonNode`.
  283. result = JsonNode(kind: JFloat, fnum: n)
  284. proc `%`*(b: bool): JsonNode =
  285. ## Generic constructor for JSON data. Creates a new `JBool JsonNode`.
  286. result = JsonNode(kind: JBool, bval: b)
  287. proc `%`*(keyVals: openArray[tuple[key: string, val: JsonNode]]): JsonNode =
  288. ## Generic constructor for JSON data. Creates a new `JObject JsonNode`
  289. if keyVals.len == 0: return newJArray()
  290. result = newJObject()
  291. for key, val in items(keyVals): result.fields[key] = val
  292. template `%`*(j: JsonNode): JsonNode = j
  293. proc `%`*[T](elements: openArray[T]): JsonNode =
  294. ## Generic constructor for JSON data. Creates a new `JArray JsonNode`
  295. result = newJArray()
  296. for elem in elements: result.add(%elem)
  297. proc `%`*[T](table: Table[string, T]|OrderedTable[string, T]): JsonNode =
  298. ## Generic constructor for JSON data. Creates a new ``JObject JsonNode``.
  299. result = newJObject()
  300. for k, v in table: result[k] = %v
  301. proc `%`*[T](opt: Option[T]): JsonNode =
  302. ## Generic constructor for JSON data. Creates a new ``JNull JsonNode``
  303. ## if ``opt`` is empty, otherwise it delegates to the underlying value.
  304. if opt.isSome: %opt.get else: newJNull()
  305. when false:
  306. # For 'consistency' we could do this, but that only pushes people further
  307. # into that evil comfort zone where they can use Nim without understanding it
  308. # causing problems later on.
  309. proc `%`*(elements: set[bool]): JsonNode =
  310. ## Generic constructor for JSON data. Creates a new `JObject JsonNode`.
  311. ## This can only be used with the empty set ``{}`` and is supported
  312. ## to prevent the gotcha ``%*{}`` which used to produce an empty
  313. ## JSON array.
  314. result = newJObject()
  315. assert false notin elements, "usage error: only empty sets allowed"
  316. assert true notin elements, "usage error: only empty sets allowed"
  317. proc `[]=`*(obj: JsonNode, key: string, val: JsonNode) {.inline.} =
  318. ## Sets a field from a `JObject`.
  319. assert(obj.kind == JObject)
  320. obj.fields[key] = val
  321. proc `%`*[T: object](o: T): JsonNode =
  322. ## Construct JsonNode from tuples and objects.
  323. result = newJObject()
  324. for k, v in o.fieldPairs: result[k] = %v
  325. proc `%`*(o: ref object): JsonNode =
  326. ## Generic constructor for JSON data. Creates a new `JObject JsonNode`
  327. if o.isNil:
  328. result = newJNull()
  329. else:
  330. result = %(o[])
  331. proc `%`*(o: enum): JsonNode =
  332. ## Construct a JsonNode that represents the specified enum value as a
  333. ## string. Creates a new ``JString JsonNode``.
  334. result = %($o)
  335. proc toJsonImpl(x: NimNode): NimNode {.compileTime.} =
  336. case x.kind
  337. of nnkBracket: # array
  338. if x.len == 0: return newCall(bindSym"newJArray")
  339. result = newNimNode(nnkBracket)
  340. for i in 0 ..< x.len:
  341. result.add(toJsonImpl(x[i]))
  342. result = newCall(bindSym("%", brOpen), result)
  343. of nnkTableConstr: # object
  344. if x.len == 0: return newCall(bindSym"newJObject")
  345. result = newNimNode(nnkTableConstr)
  346. for i in 0 ..< x.len:
  347. x[i].expectKind nnkExprColonExpr
  348. result.add newTree(nnkExprColonExpr, x[i][0], toJsonImpl(x[i][1]))
  349. result = newCall(bindSym("%", brOpen), result)
  350. of nnkCurly: # empty object
  351. x.expectLen(0)
  352. result = newCall(bindSym"newJObject")
  353. of nnkNilLit:
  354. result = newCall(bindSym"newJNull")
  355. of nnkPar:
  356. if x.len == 1: result = toJsonImpl(x[0])
  357. else: result = newCall(bindSym("%", brOpen), x)
  358. else:
  359. result = newCall(bindSym("%", brOpen), x)
  360. macro `%*`*(x: untyped): untyped =
  361. ## Convert an expression to a JsonNode directly, without having to specify
  362. ## `%` for every element.
  363. result = toJsonImpl(x)
  364. proc `==`*(a, b: JsonNode): bool =
  365. ## Check two nodes for equality
  366. if a.isNil:
  367. if b.isNil: return true
  368. return false
  369. elif b.isNil or a.kind != b.kind:
  370. return false
  371. else:
  372. case a.kind
  373. of JString:
  374. result = a.str == b.str
  375. of JInt:
  376. result = a.num == b.num
  377. of JFloat:
  378. result = a.fnum == b.fnum
  379. of JBool:
  380. result = a.bval == b.bval
  381. of JNull:
  382. result = true
  383. of JArray:
  384. result = a.elems == b.elems
  385. of JObject:
  386. # we cannot use OrderedTable's equality here as
  387. # the order does not matter for equality here.
  388. if a.fields.len != b.fields.len: return false
  389. for key, val in a.fields:
  390. if not b.fields.hasKey(key): return false
  391. if b.fields[key] != val: return false
  392. result = true
  393. proc hash*(n: OrderedTable[string, JsonNode]): Hash {.noSideEffect.}
  394. proc hash*(n: JsonNode): Hash =
  395. ## Compute the hash for a JSON node
  396. case n.kind
  397. of JArray:
  398. result = hash(n.elems)
  399. of JObject:
  400. result = hash(n.fields)
  401. of JInt:
  402. result = hash(n.num)
  403. of JFloat:
  404. result = hash(n.fnum)
  405. of JBool:
  406. result = hash(n.bval.int)
  407. of JString:
  408. result = hash(n.str)
  409. of JNull:
  410. result = Hash(0)
  411. proc hash*(n: OrderedTable[string, JsonNode]): Hash =
  412. for key, val in n:
  413. result = result xor (hash(key) !& hash(val))
  414. result = !$result
  415. proc len*(n: JsonNode): int =
  416. ## If `n` is a `JArray`, it returns the number of elements.
  417. ## If `n` is a `JObject`, it returns the number of pairs.
  418. ## Else it returns 0.
  419. case n.kind
  420. of JArray: result = n.elems.len
  421. of JObject: result = n.fields.len
  422. else: discard
  423. proc `[]`*(node: JsonNode, name: string): JsonNode {.inline.} =
  424. ## Gets a field from a `JObject`, which must not be nil.
  425. ## If the value at `name` does not exist, raises KeyError.
  426. assert(not isNil(node))
  427. assert(node.kind == JObject)
  428. when defined(nimJsonGet):
  429. if not node.fields.hasKey(name): return nil
  430. result = node.fields[name]
  431. proc `[]`*(node: JsonNode, index: int): JsonNode {.inline.} =
  432. ## Gets the node at `index` in an Array. Result is undefined if `index`
  433. ## is out of bounds, but as long as array bound checks are enabled it will
  434. ## result in an exception.
  435. assert(not isNil(node))
  436. assert(node.kind == JArray)
  437. return node.elems[index]
  438. proc hasKey*(node: JsonNode, key: string): bool =
  439. ## Checks if `key` exists in `node`.
  440. assert(node.kind == JObject)
  441. result = node.fields.hasKey(key)
  442. proc contains*(node: JsonNode, key: string): bool =
  443. ## Checks if `key` exists in `node`.
  444. assert(node.kind == JObject)
  445. node.fields.hasKey(key)
  446. proc contains*(node: JsonNode, val: JsonNode): bool =
  447. ## Checks if `val` exists in array `node`.
  448. assert(node.kind == JArray)
  449. find(node.elems, val) >= 0
  450. proc `{}`*(node: JsonNode, keys: varargs[string]): JsonNode =
  451. ## Traverses the node and gets the given value. If any of the
  452. ## keys do not exist, returns ``nil``. Also returns ``nil`` if one of the
  453. ## intermediate data structures is not an object.
  454. ##
  455. ## This proc can be used to create tree structures on the
  456. ## fly (sometimes called `autovivification`:idx:):
  457. ##
  458. ## .. code-block:: nim
  459. ## myjson{"parent", "child", "grandchild"} = newJInt(1)
  460. ##
  461. result = node
  462. for key in keys:
  463. if isNil(result) or result.kind != JObject:
  464. return nil
  465. result = result.fields.getOrDefault(key)
  466. proc `{}`*(node: JsonNode, index: varargs[int]): JsonNode =
  467. ## Traverses the node and gets the given value. If any of the
  468. ## indexes do not exist, returns ``nil``. Also returns ``nil`` if one of the
  469. ## intermediate data structures is not an array.
  470. result = node
  471. for i in index:
  472. if isNil(result) or result.kind != JArray or i >= node.len:
  473. return nil
  474. result = result.elems[i]
  475. proc getOrDefault*(node: JsonNode, key: string): JsonNode =
  476. ## Gets a field from a `node`. If `node` is nil or not an object or
  477. ## value at `key` does not exist, returns nil
  478. if not isNil(node) and node.kind == JObject:
  479. result = node.fields.getOrDefault(key)
  480. proc `{}`*(node: JsonNode, key: string): JsonNode =
  481. ## Gets a field from a `node`. If `node` is nil or not an object or
  482. ## value at `key` does not exist, returns nil
  483. node.getOrDefault(key)
  484. proc `{}=`*(node: JsonNode, keys: varargs[string], value: JsonNode) =
  485. ## Traverses the node and tries to set the value at the given location
  486. ## to ``value``. If any of the keys are missing, they are added.
  487. var node = node
  488. for i in 0..(keys.len-2):
  489. if not node.hasKey(keys[i]):
  490. node[keys[i]] = newJObject()
  491. node = node[keys[i]]
  492. node[keys[keys.len-1]] = value
  493. proc delete*(obj: JsonNode, key: string) =
  494. ## Deletes ``obj[key]``.
  495. assert(obj.kind == JObject)
  496. if not obj.fields.hasKey(key):
  497. raise newException(KeyError, "key not in object")
  498. obj.fields.del(key)
  499. proc copy*(p: JsonNode): JsonNode =
  500. ## Performs a deep copy of `a`.
  501. case p.kind
  502. of JString:
  503. result = newJString(p.str)
  504. of JInt:
  505. result = newJInt(p.num)
  506. of JFloat:
  507. result = newJFloat(p.fnum)
  508. of JBool:
  509. result = newJBool(p.bval)
  510. of JNull:
  511. result = newJNull()
  512. of JObject:
  513. result = newJObject()
  514. for key, val in pairs(p.fields):
  515. result.fields[key] = copy(val)
  516. of JArray:
  517. result = newJArray()
  518. for i in items(p.elems):
  519. result.elems.add(copy(i))
  520. # ------------- pretty printing ----------------------------------------------
  521. proc indent(s: var string, i: int) =
  522. s.add(spaces(i))
  523. proc newIndent(curr, indent: int, ml: bool): int =
  524. if ml: return curr + indent
  525. else: return indent
  526. proc nl(s: var string, ml: bool) =
  527. s.add(if ml: "\n" else: " ")
  528. proc escapeJsonUnquoted*(s: string; result: var string) =
  529. ## Converts a string `s` to its JSON representation without quotes.
  530. ## Appends to ``result``.
  531. for c in s:
  532. case c
  533. of '\L': result.add("\\n")
  534. of '\b': result.add("\\b")
  535. of '\f': result.add("\\f")
  536. of '\t': result.add("\\t")
  537. of '\v': result.add("\\u000b")
  538. of '\r': result.add("\\r")
  539. of '"': result.add("\\\"")
  540. of '\0'..'\7': result.add("\\u000" & $ord(c))
  541. of '\14'..'\31': result.add("\\u00" & toHex(ord(c), 2))
  542. of '\\': result.add("\\\\")
  543. else: result.add(c)
  544. proc escapeJsonUnquoted*(s: string): string =
  545. ## Converts a string `s` to its JSON representation without quotes.
  546. result = newStringOfCap(s.len + s.len shr 3)
  547. escapeJsonUnquoted(s, result)
  548. proc escapeJson*(s: string; result: var string) =
  549. ## Converts a string `s` to its JSON representation with quotes.
  550. ## Appends to ``result``.
  551. result.add("\"")
  552. escapeJsonUnquoted(s, result)
  553. result.add("\"")
  554. proc escapeJson*(s: string): string =
  555. ## Converts a string `s` to its JSON representation with quotes.
  556. result = newStringOfCap(s.len + s.len shr 3)
  557. escapeJson(s, result)
  558. proc toPretty(result: var string, node: JsonNode, indent = 2, ml = true,
  559. lstArr = false, currIndent = 0) =
  560. case node.kind
  561. of JObject:
  562. if lstArr: result.indent(currIndent) # Indentation
  563. if node.fields.len > 0:
  564. result.add("{")
  565. result.nl(ml) # New line
  566. var i = 0
  567. for key, val in pairs(node.fields):
  568. if i > 0:
  569. result.add(",")
  570. result.nl(ml) # New Line
  571. inc i
  572. # Need to indent more than {
  573. result.indent(newIndent(currIndent, indent, ml))
  574. escapeJson(key, result)
  575. result.add(": ")
  576. toPretty(result, val, indent, ml, false,
  577. newIndent(currIndent, indent, ml))
  578. result.nl(ml)
  579. result.indent(currIndent) # indent the same as {
  580. result.add("}")
  581. else:
  582. result.add("{}")
  583. of JString:
  584. if lstArr: result.indent(currIndent)
  585. escapeJson(node.str, result)
  586. of JInt:
  587. if lstArr: result.indent(currIndent)
  588. when defined(js): result.add($node.num)
  589. else: result.addInt(node.num)
  590. of JFloat:
  591. if lstArr: result.indent(currIndent)
  592. # Fixme: implement new system.add ops for the JS target
  593. when defined(js): result.add($node.fnum)
  594. else: result.addFloat(node.fnum)
  595. of JBool:
  596. if lstArr: result.indent(currIndent)
  597. result.add(if node.bval: "true" else: "false")
  598. of JArray:
  599. if lstArr: result.indent(currIndent)
  600. if len(node.elems) != 0:
  601. result.add("[")
  602. result.nl(ml)
  603. for i in 0..len(node.elems)-1:
  604. if i > 0:
  605. result.add(",")
  606. result.nl(ml) # New Line
  607. toPretty(result, node.elems[i], indent, ml,
  608. true, newIndent(currIndent, indent, ml))
  609. result.nl(ml)
  610. result.indent(currIndent)
  611. result.add("]")
  612. else: result.add("[]")
  613. of JNull:
  614. if lstArr: result.indent(currIndent)
  615. result.add("null")
  616. proc pretty*(node: JsonNode, indent = 2): string =
  617. ## Returns a JSON Representation of `node`, with indentation and
  618. ## on multiple lines.
  619. ##
  620. ## Similar to prettyprint in Python.
  621. runnableExamples:
  622. let j = %* {"name": "Isaac", "books": ["Robot Dreams"],
  623. "details": {"age": 35, "pi": 3.1415}}
  624. doAssert pretty(j) == """
  625. {
  626. "name": "Isaac",
  627. "books": [
  628. "Robot Dreams"
  629. ],
  630. "details": {
  631. "age": 35,
  632. "pi": 3.1415
  633. }
  634. }"""
  635. result = ""
  636. toPretty(result, node, indent)
  637. proc toUgly*(result: var string, node: JsonNode) =
  638. ## Converts `node` to its JSON Representation, without
  639. ## regard for human readability. Meant to improve ``$`` string
  640. ## conversion performance.
  641. ##
  642. ## JSON representation is stored in the passed `result`
  643. ##
  644. ## This provides higher efficiency than the ``pretty`` procedure as it
  645. ## does **not** attempt to format the resulting JSON to make it human readable.
  646. var comma = false
  647. case node.kind:
  648. of JArray:
  649. result.add "["
  650. for child in node.elems:
  651. if comma: result.add ","
  652. else: comma = true
  653. result.toUgly child
  654. result.add "]"
  655. of JObject:
  656. result.add "{"
  657. for key, value in pairs(node.fields):
  658. if comma: result.add ","
  659. else: comma = true
  660. key.escapeJson(result)
  661. result.add ":"
  662. result.toUgly value
  663. result.add "}"
  664. of JString:
  665. node.str.escapeJson(result)
  666. of JInt:
  667. when defined(js): result.add($node.num)
  668. else: result.addInt(node.num)
  669. of JFloat:
  670. when defined(js): result.add($node.fnum)
  671. else: result.addFloat(node.fnum)
  672. of JBool:
  673. result.add(if node.bval: "true" else: "false")
  674. of JNull:
  675. result.add "null"
  676. proc `$`*(node: JsonNode): string =
  677. ## Converts `node` to its JSON Representation on one line.
  678. result = newStringOfCap(node.len shl 1)
  679. toUgly(result, node)
  680. iterator items*(node: JsonNode): JsonNode =
  681. ## Iterator for the items of `node`. `node` has to be a JArray.
  682. assert node.kind == JArray, ": items() can not iterate a JsonNode of kind " & $node.kind
  683. for i in items(node.elems):
  684. yield i
  685. iterator mitems*(node: var JsonNode): var JsonNode =
  686. ## Iterator for the items of `node`. `node` has to be a JArray. Items can be
  687. ## modified.
  688. assert node.kind == JArray, ": mitems() can not iterate a JsonNode of kind " & $node.kind
  689. for i in mitems(node.elems):
  690. yield i
  691. iterator pairs*(node: JsonNode): tuple[key: string, val: JsonNode] =
  692. ## Iterator for the child elements of `node`. `node` has to be a JObject.
  693. assert node.kind == JObject, ": pairs() can not iterate a JsonNode of kind " & $node.kind
  694. for key, val in pairs(node.fields):
  695. yield (key, val)
  696. iterator keys*(node: JsonNode): string =
  697. ## Iterator for the keys in `node`. `node` has to be a JObject.
  698. assert node.kind == JObject, ": keys() can not iterate a JsonNode of kind " & $node.kind
  699. for key in node.fields.keys:
  700. yield key
  701. iterator mpairs*(node: var JsonNode): tuple[key: string, val: var JsonNode] =
  702. ## Iterator for the child elements of `node`. `node` has to be a JObject.
  703. ## Values can be modified
  704. assert node.kind == JObject, ": mpairs() can not iterate a JsonNode of kind " & $node.kind
  705. for key, val in mpairs(node.fields):
  706. yield (key, val)
  707. proc parseJson(p: var JsonParser): JsonNode =
  708. ## Parses JSON from a JSON Parser `p`.
  709. case p.tok
  710. of tkString:
  711. # we capture 'p.a' here, so we need to give it a fresh buffer afterwards:
  712. result = newJStringMove(p.a)
  713. p.a = ""
  714. discard getTok(p)
  715. of tkInt:
  716. result = newJInt(parseBiggestInt(p.a))
  717. discard getTok(p)
  718. of tkFloat:
  719. result = newJFloat(parseFloat(p.a))
  720. discard getTok(p)
  721. of tkTrue:
  722. result = newJBool(true)
  723. discard getTok(p)
  724. of tkFalse:
  725. result = newJBool(false)
  726. discard getTok(p)
  727. of tkNull:
  728. result = newJNull()
  729. discard getTok(p)
  730. of tkCurlyLe:
  731. result = newJObject()
  732. discard getTok(p)
  733. while p.tok != tkCurlyRi:
  734. if p.tok != tkString:
  735. raiseParseErr(p, "string literal as key")
  736. var key = p.a
  737. discard getTok(p)
  738. eat(p, tkColon)
  739. var val = parseJson(p)
  740. result[key] = val
  741. if p.tok != tkComma: break
  742. discard getTok(p)
  743. eat(p, tkCurlyRi)
  744. of tkBracketLe:
  745. result = newJArray()
  746. discard getTok(p)
  747. while p.tok != tkBracketRi:
  748. result.add(parseJson(p))
  749. if p.tok != tkComma: break
  750. discard getTok(p)
  751. eat(p, tkBracketRi)
  752. of tkError, tkCurlyRi, tkBracketRi, tkColon, tkComma, tkEof:
  753. raiseParseErr(p, "{")
  754. iterator parseJsonFragments*(s: Stream, filename: string = ""): JsonNode =
  755. ## Parses from a stream `s` into `JsonNodes`. `filename` is only needed
  756. ## for nice error messages.
  757. ## The JSON fragments are separated by whitespace. This can be substantially
  758. ## faster than the comparable loop
  759. ## ``for x in splitWhitespace(s): yield parseJson(x)``.
  760. ## This closes the stream `s` after it's done.
  761. var p: JsonParser
  762. p.open(s, filename)
  763. try:
  764. discard getTok(p) # read first token
  765. while p.tok != tkEof:
  766. yield p.parseJson()
  767. finally:
  768. p.close()
  769. proc parseJson*(s: Stream, filename: string = ""): JsonNode =
  770. ## Parses from a stream `s` into a `JsonNode`. `filename` is only needed
  771. ## for nice error messages.
  772. ## If `s` contains extra data, it will raise `JsonParsingError`.
  773. ## This closes the stream `s` after it's done.
  774. var p: JsonParser
  775. p.open(s, filename)
  776. try:
  777. discard getTok(p) # read first token
  778. result = p.parseJson()
  779. eat(p, tkEof) # check if there is no extra data
  780. finally:
  781. p.close()
  782. when defined(js):
  783. from math import `mod`
  784. type
  785. JSObject = object
  786. proc parseNativeJson(x: cstring): JSObject {.importc: "JSON.parse".}
  787. proc getVarType(x: JSObject): JsonNodeKind =
  788. result = JNull
  789. proc getProtoName(y: JSObject): cstring
  790. {.importc: "Object.prototype.toString.call".}
  791. case $getProtoName(x) # TODO: Implicit returns fail here.
  792. of "[object Array]": return JArray
  793. of "[object Object]": return JObject
  794. of "[object Number]":
  795. if cast[float](x) mod 1.0 == 0:
  796. return JInt
  797. else:
  798. return JFloat
  799. of "[object Boolean]": return JBool
  800. of "[object Null]": return JNull
  801. of "[object String]": return JString
  802. else: assert false
  803. proc len(x: JSObject): int =
  804. assert x.getVarType == JArray
  805. asm """
  806. `result` = `x`.length;
  807. """
  808. proc `[]`(x: JSObject, y: string): JSObject =
  809. assert x.getVarType == JObject
  810. asm """
  811. `result` = `x`[`y`];
  812. """
  813. proc `[]`(x: JSObject, y: int): JSObject =
  814. assert x.getVarType == JArray
  815. asm """
  816. `result` = `x`[`y`];
  817. """
  818. proc convertObject(x: JSObject): JsonNode =
  819. case getVarType(x)
  820. of JArray:
  821. result = newJArray()
  822. for i in 0 ..< x.len:
  823. result.add(x[i].convertObject())
  824. of JObject:
  825. result = newJObject()
  826. asm """for (var property in `x`) {
  827. if (`x`.hasOwnProperty(property)) {
  828. """
  829. var nimProperty: cstring
  830. var nimValue: JSObject
  831. asm "`nimProperty` = property; `nimValue` = `x`[property];"
  832. result[$nimProperty] = nimValue.convertObject()
  833. asm "}}"
  834. of JInt:
  835. result = newJInt(cast[int](x))
  836. of JFloat:
  837. result = newJFloat(cast[float](x))
  838. of JString:
  839. result = newJString($cast[cstring](x))
  840. of JBool:
  841. result = newJBool(cast[bool](x))
  842. of JNull:
  843. result = newJNull()
  844. proc parseJson*(buffer: string): JsonNode =
  845. when nimvm:
  846. return parseJson(newStringStream(buffer), "input")
  847. else:
  848. return parseNativeJson(buffer).convertObject()
  849. else:
  850. proc parseJson*(buffer: string): JsonNode =
  851. ## Parses JSON from `buffer`.
  852. ## If `buffer` contains extra data, it will raise `JsonParsingError`.
  853. result = parseJson(newStringStream(buffer), "input")
  854. proc parseFile*(filename: string): JsonNode =
  855. ## Parses `file` into a `JsonNode`.
  856. ## If `file` contains extra data, it will raise `JsonParsingError`.
  857. var stream = newFileStream(filename, fmRead)
  858. if stream == nil:
  859. raise newException(IOError, "cannot read from file: " & filename)
  860. result = parseJson(stream, filename)
  861. # -- Json deserialiser. --
  862. template verifyJsonKind(node: JsonNode, kinds: set[JsonNodeKind],
  863. ast: string) =
  864. if node == nil:
  865. raise newException(KeyError, "key not found: " & ast)
  866. elif node.kind notin kinds:
  867. let msg = "Incorrect JSON kind. Wanted '$1' in '$2' but got '$3'." % [
  868. $kinds,
  869. ast,
  870. $node.kind
  871. ]
  872. raise newException(JsonKindError, msg)
  873. when defined(nimFixedForwardGeneric):
  874. macro isRefSkipDistinct*(arg: typed): untyped =
  875. ## internal only, do not use
  876. var impl = getTypeImpl(arg)
  877. if impl.kind == nnkBracketExpr and impl[0].eqIdent("typeDesc"):
  878. impl = getTypeImpl(impl[1])
  879. while impl.kind == nnkDistinctTy:
  880. impl = getTypeImpl(impl[0])
  881. result = newLit(impl.kind == nnkRefTy)
  882. # The following forward declarations don't work in older versions of Nim
  883. # forward declare all initFromJson
  884. proc initFromJson(dst: var string; jsonNode: JsonNode; jsonPath: var string)
  885. proc initFromJson(dst: var bool; jsonNode: JsonNode; jsonPath: var string)
  886. proc initFromJson(dst: var JsonNode; jsonNode: JsonNode; jsonPath: var string)
  887. proc initFromJson[T: SomeInteger](dst: var T; jsonNode: JsonNode, jsonPath: var string)
  888. proc initFromJson[T: SomeFloat](dst: var T; jsonNode: JsonNode; jsonPath: var string)
  889. proc initFromJson[T: enum](dst: var T; jsonNode: JsonNode; jsonPath: var string)
  890. proc initFromJson[T](dst: var seq[T]; jsonNode: JsonNode; jsonPath: var string)
  891. proc initFromJson[S,T](dst: var array[S,T]; jsonNode: JsonNode; jsonPath: var string)
  892. proc initFromJson[T](dst: var Table[string,T]; jsonNode: JsonNode; jsonPath: var string)
  893. proc initFromJson[T](dst: var OrderedTable[string,T]; jsonNode: JsonNode; jsonPath: var string)
  894. proc initFromJson[T](dst: var ref T; jsonNode: JsonNode; jsonPath: var string)
  895. proc initFromJson[T](dst: var Option[T]; jsonNode: JsonNode; jsonPath: var string)
  896. proc initFromJson[T: distinct](dst: var T; jsonNode: JsonNode; jsonPath: var string)
  897. proc initFromJson[T: object|tuple](dst: var T; jsonNode: JsonNode; jsonPath: var string)
  898. # initFromJson definitions
  899. proc initFromJson(dst: var string; jsonNode: JsonNode; jsonPath: var string) =
  900. verifyJsonKind(jsonNode, {JString, JNull}, jsonPath)
  901. # since strings don't have a nil state anymore, this mapping of
  902. # JNull to the default string is questionable. `none(string)` and
  903. # `some("")` have the same potentional json value `JNull`.
  904. if jsonNode.kind == JNull:
  905. dst = ""
  906. else:
  907. dst = jsonNode.str
  908. proc initFromJson(dst: var bool; jsonNode: JsonNode; jsonPath: var string) =
  909. verifyJsonKind(jsonNode, {JBool}, jsonPath)
  910. dst = jsonNode.bval
  911. proc initFromJson(dst: var JsonNode; jsonNode: JsonNode; jsonPath: var string) =
  912. dst = jsonNode.copy
  913. proc initFromJson[T: SomeInteger](dst: var T; jsonNode: JsonNode, jsonPath: var string) =
  914. verifyJsonKind(jsonNode, {JInt}, jsonPath)
  915. dst = T(jsonNode.num)
  916. proc initFromJson[T: SomeFloat](dst: var T; jsonNode: JsonNode; jsonPath: var string) =
  917. verifyJsonKind(jsonNode, {JInt, JFloat}, jsonPath)
  918. if jsonNode.kind == JFloat:
  919. dst = T(jsonNode.fnum)
  920. else:
  921. dst = T(jsonNode.num)
  922. proc initFromJson[T: enum](dst: var T; jsonNode: JsonNode; jsonPath: var string) =
  923. verifyJsonKind(jsonNode, {JString}, jsonPath)
  924. dst = parseEnum[T](jsonNode.getStr)
  925. proc initFromJson[T](dst: var seq[T]; jsonNode: JsonNode; jsonPath: var string) =
  926. verifyJsonKind(jsonNode, {JArray}, jsonPath)
  927. dst.setLen jsonNode.len
  928. let orignalJsonPathLen = jsonPath.len
  929. for i in 0 ..< jsonNode.len:
  930. jsonPath.add '['
  931. jsonPath.addInt i
  932. jsonPath.add ']'
  933. initFromJson(dst[i], jsonNode[i], jsonPath)
  934. jsonPath.setLen orignalJsonPathLen
  935. proc initFromJson[S,T](dst: var array[S,T]; jsonNode: JsonNode; jsonPath: var string) =
  936. verifyJsonKind(jsonNode, {JArray}, jsonPath)
  937. let originalJsonPathLen = jsonPath.len
  938. for i in 0 ..< jsonNode.len:
  939. jsonPath.add '['
  940. jsonPath.addInt i
  941. jsonPath.add ']'
  942. initFromJson(dst[i], jsonNode[i], jsonPath)
  943. jsonPath.setLen originalJsonPathLen
  944. proc initFromJson[T](dst: var Table[string,T]; jsonNode: JsonNode; jsonPath: var string) =
  945. dst = initTable[string, T]()
  946. verifyJsonKind(jsonNode, {JObject}, jsonPath)
  947. let originalJsonPathLen = jsonPath.len
  948. for key in keys(jsonNode.fields):
  949. jsonPath.add '.'
  950. jsonPath.add key
  951. initFromJson(mgetOrPut(dst, key, default(T)), jsonNode[key], jsonPath)
  952. jsonPath.setLen originalJsonPathLen
  953. proc initFromJson[T](dst: var OrderedTable[string,T]; jsonNode: JsonNode; jsonPath: var string) =
  954. dst = initOrderedTable[string,T]()
  955. verifyJsonKind(jsonNode, {JObject}, jsonPath)
  956. let originalJsonPathLen = jsonPath.len
  957. for key in keys(jsonNode.fields):
  958. jsonPath.add '.'
  959. jsonPath.add key
  960. initFromJson(mgetOrPut(dst, key, default(T)), jsonNode[key], jsonPath)
  961. jsonPath.setLen originalJsonPathLen
  962. proc initFromJson[T](dst: var ref T; jsonNode: JsonNode; jsonPath: var string) =
  963. verifyJsonKind(jsonNode, {JObject, JNull}, jsonPath)
  964. if jsonNode.kind == JNull:
  965. dst = nil
  966. else:
  967. dst = new(T)
  968. initFromJson(dst[], jsonNode, jsonPath)
  969. proc initFromJson[T](dst: var Option[T]; jsonNode: JsonNode; jsonPath: var string) =
  970. if jsonNode != nil and jsonNode.kind != JNull:
  971. dst = some(default(T))
  972. initFromJson(dst.get, jsonNode, jsonPath)
  973. macro assignDistinctImpl[T : distinct](dst: var T;jsonNode: JsonNode; jsonPath: var string) =
  974. let typInst = getTypeInst(dst)
  975. let typImpl = getTypeImpl(dst)
  976. let baseTyp = typImpl[0]
  977. result = quote do:
  978. when nimvm:
  979. # workaround #12282
  980. var tmp: `baseTyp`
  981. initFromJson( tmp, `jsonNode`, `jsonPath`)
  982. `dst` = `typInst`(tmp)
  983. else:
  984. initFromJson( `baseTyp`(`dst`), `jsonNode`, `jsonPath`)
  985. proc initFromJson[T : distinct](dst: var T; jsonNode: JsonNode; jsonPath: var string) =
  986. assignDistinctImpl(dst, jsonNode, jsonPath)
  987. proc detectIncompatibleType(typeExpr, lineinfoNode: NimNode): void =
  988. if typeExpr.kind == nnkTupleConstr:
  989. error("Use a named tuple instead of: " & typeExpr.repr, lineinfoNode)
  990. proc foldObjectBody(dst, typeNode, tmpSym, jsonNode, jsonPath, originalJsonPathLen: NimNode): void {.compileTime.} =
  991. case typeNode.kind
  992. of nnkEmpty:
  993. discard
  994. of nnkRecList, nnkTupleTy:
  995. for it in typeNode:
  996. foldObjectBody(dst, it, tmpSym, jsonNode, jsonPath, originalJsonPathLen)
  997. of nnkIdentDefs:
  998. typeNode.expectLen 3
  999. let fieldSym = typeNode[0]
  1000. let fieldNameLit = newLit(fieldSym.strVal)
  1001. let fieldPathLit = newLit("." & fieldSym.strVal)
  1002. let fieldType = typeNode[1]
  1003. # Detecting incompatiple tuple types in `assignObjectImpl` only
  1004. # would be much cleaner, but the ast for tuple types does not
  1005. # contain usable type information.
  1006. detectIncompatibleType(fieldType, fieldSym)
  1007. dst.add quote do:
  1008. jsonPath.add `fieldPathLit`
  1009. when nimvm:
  1010. when isRefSkipDistinct(`tmpSym`.`fieldSym`):
  1011. # workaround #12489
  1012. var tmp: `fieldType`
  1013. initFromJson(tmp, getOrDefault(`jsonNode`,`fieldNameLit`), `jsonPath`)
  1014. `tmpSym`.`fieldSym` = tmp
  1015. else:
  1016. initFromJson(`tmpSym`.`fieldSym`, getOrDefault(`jsonNode`,`fieldNameLit`), `jsonPath`)
  1017. else:
  1018. initFromJson(`tmpSym`.`fieldSym`, getOrDefault(`jsonNode`,`fieldNameLit`), `jsonPath`)
  1019. jsonPath.setLen `originalJsonPathLen`
  1020. of nnkRecCase:
  1021. let kindSym = typeNode[0][0]
  1022. let kindNameLit = newLit(kindSym.strVal)
  1023. let kindPathLit = newLit("." & kindSym.strVal)
  1024. let kindType = typeNode[0][1]
  1025. let kindOffsetLit = newLit(uint(getOffset(kindSym)))
  1026. dst.add quote do:
  1027. var kindTmp: `kindType`
  1028. jsonPath.add `kindPathLit`
  1029. initFromJson(kindTmp, `jsonNode`[`kindNameLit`], `jsonPath`)
  1030. jsonPath.setLen `originalJsonPathLen`
  1031. when defined js:
  1032. `tmpSym`.`kindSym` = kindTmp
  1033. else:
  1034. when nimvm:
  1035. `tmpSym`.`kindSym` = kindTmp
  1036. else:
  1037. # fuck it, assign kind field anyway
  1038. ((cast[ptr `kindType`](cast[uint](`tmpSym`.addr) + `kindOffsetLit`))[]) = kindTmp
  1039. dst.add nnkCaseStmt.newTree(nnkDotExpr.newTree(tmpSym, kindSym))
  1040. for i in 1 ..< typeNode.len:
  1041. foldObjectBody(dst, typeNode[i], tmpSym, jsonNode, jsonPath, originalJsonPathLen)
  1042. of nnkOfBranch, nnkElse:
  1043. let ofBranch = newNimNode(typeNode.kind)
  1044. for i in 0 ..< typeNode.len-1:
  1045. ofBranch.add copyNimTree(typeNode[i])
  1046. let dstInner = newNimNode(nnkStmtListExpr)
  1047. foldObjectBody(dstInner, typeNode[^1], tmpSym, jsonNode, jsonPath, originalJsonPathLen)
  1048. # resOuter now contains the inner stmtList
  1049. ofBranch.add dstInner
  1050. dst[^1].expectKind nnkCaseStmt
  1051. dst[^1].add ofBranch
  1052. of nnkObjectTy:
  1053. typeNode[0].expectKind nnkEmpty
  1054. typeNode[1].expectKind {nnkEmpty, nnkOfInherit}
  1055. if typeNode[1].kind == nnkOfInherit:
  1056. let base = typeNode[1][0]
  1057. var impl = getTypeImpl(base)
  1058. while impl.kind in {nnkRefTy, nnkPtrTy}:
  1059. impl = getTypeImpl(impl[0])
  1060. foldObjectBody(dst, impl, tmpSym, jsonNode, jsonPath, originalJsonPathLen)
  1061. let body = typeNode[2]
  1062. foldObjectBody(dst, body, tmpSym, jsonNode, jsonPath, originalJsonPathLen)
  1063. else:
  1064. error("unhandled kind: " & $typeNode.kind, typeNode)
  1065. macro assignObjectImpl[T](dst: var T; jsonNode: JsonNode; jsonPath: var string) =
  1066. let typeSym = getTypeInst(dst)
  1067. let originalJsonPathLen = genSym(nskLet, "originalJsonPathLen")
  1068. result = newStmtList()
  1069. result.add quote do:
  1070. let `originalJsonPathLen` = len(`jsonPath`)
  1071. if typeSym.kind in {nnkTupleTy, nnkTupleConstr}:
  1072. # both, `dst` and `typeSym` don't have good lineinfo. But nothing
  1073. # else is available here.
  1074. detectIncompatibleType(typeSym, dst)
  1075. foldObjectBody(result, typeSym, dst, jsonNode, jsonPath, originalJsonPathLen)
  1076. else:
  1077. foldObjectBody(result, typeSym.getTypeImpl, dst, jsonNode, jsonPath, originalJsonPathLen)
  1078. proc initFromJson[T : object|tuple](dst: var T; jsonNode: JsonNode; jsonPath: var string) =
  1079. assignObjectImpl(dst, jsonNode, jsonPath)
  1080. proc to*[T](node: JsonNode, t: typedesc[T]): T =
  1081. ## `Unmarshals`:idx: the specified node into the object type specified.
  1082. ##
  1083. ## Known limitations:
  1084. ##
  1085. ## * Heterogeneous arrays are not supported.
  1086. ## * Sets in object variants are not supported.
  1087. ## * Not nil annotations are not supported.
  1088. ##
  1089. ## Example:
  1090. ##
  1091. ## .. code-block:: Nim
  1092. ## let jsonNode = parseJson("""
  1093. ## {
  1094. ## "person": {
  1095. ## "name": "Nimmer",
  1096. ## "age": 21
  1097. ## },
  1098. ## "list": [1, 2, 3, 4]
  1099. ## }
  1100. ## """)
  1101. ##
  1102. ## type
  1103. ## Person = object
  1104. ## name: string
  1105. ## age: int
  1106. ##
  1107. ## Data = object
  1108. ## person: Person
  1109. ## list: seq[int]
  1110. ##
  1111. ## var data = to(jsonNode, Data)
  1112. ## doAssert data.person.name == "Nimmer"
  1113. ## doAssert data.person.age == 21
  1114. ## doAssert data.list == @[1, 2, 3, 4]
  1115. var jsonPath = ""
  1116. initFromJson(result, node, jsonPath)
  1117. when false:
  1118. import os
  1119. var s = newFileStream(paramStr(1), fmRead)
  1120. if s == nil: quit("cannot open the file" & paramStr(1))
  1121. var x: JsonParser
  1122. open(x, s, paramStr(1))
  1123. while true:
  1124. next(x)
  1125. case x.kind
  1126. of jsonError:
  1127. Echo(x.errorMsg())
  1128. break
  1129. of jsonEof: break
  1130. of jsonString, jsonInt, jsonFloat: echo(x.str)
  1131. of jsonTrue: echo("!TRUE")
  1132. of jsonFalse: echo("!FALSE")
  1133. of jsonNull: echo("!NULL")
  1134. of jsonObjectStart: echo("{")
  1135. of jsonObjectEnd: echo("}")
  1136. of jsonArrayStart: echo("[")
  1137. of jsonArrayEnd: echo("]")
  1138. close(x)
  1139. # { "json": 5 }
  1140. # To get that we shall use, obj["json"]