1 // Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
11 // Rust JSON serialization library
12 // Copyright (c) 2011 Google Inc.
14 #![forbid(non_camel_case_types)]
15 #![allow(missing_docs)]
17 //! JSON parsing and serialization
21 //! JSON (JavaScript Object Notation) is a way to write data in Javascript.
22 //! Like XML, it allows to encode structured data in a text format that can be easily read by humans
23 //! Its simple syntax and native compatibility with JavaScript have made it a widely used format.
25 //! Data types that can be encoded are JavaScript types (see the `Json` enum for more details):
27 //! * `Boolean`: equivalent to rust's `bool`
28 //! * `Number`: equivalent to rust's `f64`
29 //! * `String`: equivalent to rust's `String`
30 //! * `Array`: equivalent to rust's `Vec<T>`, but also allowing objects of different types in the
32 //! * `Object`: equivalent to rust's `BTreeMap<String, json::Json>`
35 //! An object is a series of string keys mapping to values, in `"key": value` format.
36 //! Arrays are enclosed in square brackets ([ ... ]) and objects in curly brackets ({ ... }).
37 //! A simple JSON document encoding a person, their age, address and phone numbers could look like
41 //! "FirstName": "John",
42 //! "LastName": "Doe",
45 //! "Street": "Downing Street 10",
47 //! "Country": "Great Britain"
56 //! # Rust Type-based Encoding and Decoding
58 //! Rust provides a mechanism for low boilerplate encoding & decoding of values to and from JSON via
59 //! the serialization API.
60 //! To be able to encode a piece of data, it must implement the `serialize::RustcEncodable` trait.
61 //! To be able to decode a piece of data, it must implement the `serialize::RustcDecodable` trait.
62 //! The Rust compiler provides an annotation to automatically generate the code for these traits:
63 //! `#[derive(RustcDecodable, RustcEncodable)]`
65 //! The JSON API provides an enum `json::Json` and a trait `ToJson` to encode objects.
66 //! The `ToJson` trait provides a `to_json` method to convert an object into a `json::Json` value.
67 //! A `json::Json` value can be encoded as a string or buffer using the functions described above.
68 //! You can also use the `json::Encoder` object, which implements the `Encoder` trait.
70 //! When using `ToJson` the `RustcEncodable` trait implementation is not mandatory.
74 //! ## Using Autoserialization
76 //! Create a struct called `TestStruct` and serialize and deserialize it to and from JSON using the
77 //! serialization API, using the derived serialization code.
80 //! # #![feature(rustc_private)]
81 //! extern crate serialize as rustc_serialize; // for the deriving below
82 //! use rustc_serialize::json;
84 //! // Automatically generate `Decodable` and `Encodable` trait implementations
85 //! #[derive(RustcDecodable, RustcEncodable)]
86 //! pub struct TestStruct {
89 //! data_vector: Vec<u8>,
93 //! let object = TestStruct {
95 //! data_str: "homura".to_string(),
96 //! data_vector: vec![2,3,4,5],
99 //! // Serialize using `json::encode`
100 //! let encoded = json::encode(&object).unwrap();
102 //! // Deserialize using `json::decode`
103 //! let decoded: TestStruct = json::decode(&encoded[..]).unwrap();
107 //! ## Using the `ToJson` trait
109 //! The examples above use the `ToJson` trait to generate the JSON string, which is required
110 //! for custom mappings.
112 //! ### Simple example of `ToJson` usage
115 //! # #![feature(rustc_private)]
116 //! extern crate serialize;
117 //! use serialize::json::{self, ToJson, Json};
119 //! // A custom data structure
120 //! struct ComplexNum {
125 //! // JSON value representation
126 //! impl ToJson for ComplexNum {
127 //! fn to_json(&self) -> Json {
128 //! Json::String(format!("{}+{}i", self.a, self.b))
132 //! // Only generate `RustcEncodable` trait implementation
133 //! #[derive(Encodable)]
134 //! pub struct ComplexNumRecord {
141 //! let num = ComplexNum { a: 0.0001, b: 12.539 };
142 //! let data: String = json::encode(&ComplexNumRecord{
144 //! dsc: "test".to_string(),
145 //! val: num.to_json(),
147 //! println!("data: {}", data);
148 //! // data: {"uid":1,"dsc":"test","val":"0.0001+12.539i"};
152 //! ### Verbose example of `ToJson` usage
155 //! # #![feature(rustc_private)]
156 //! extern crate serialize;
157 //! use std::collections::BTreeMap;
158 //! use serialize::json::{self, Json, ToJson};
160 //! // Only generate `Decodable` trait implementation
161 //! #[derive(Decodable)]
162 //! pub struct TestStruct {
164 //! data_str: String,
165 //! data_vector: Vec<u8>,
168 //! // Specify encoding method manually
169 //! impl ToJson for TestStruct {
170 //! fn to_json(&self) -> Json {
171 //! let mut d = BTreeMap::new();
172 //! // All standard types implement `to_json()`, so use it
173 //! d.insert("data_int".to_string(), self.data_int.to_json());
174 //! d.insert("data_str".to_string(), self.data_str.to_json());
175 //! d.insert("data_vector".to_string(), self.data_vector.to_json());
181 //! // Serialize using `ToJson`
182 //! let input_data = TestStruct {
184 //! data_str: "madoka".to_string(),
185 //! data_vector: vec![2,3,4,5],
187 //! let json_obj: Json = input_data.to_json();
188 //! let json_str: String = json_obj.to_string();
190 //! // Deserialize like before
191 //! let decoded: TestStruct = json::decode(&json_str).unwrap();
195 use self::JsonEvent
::*;
196 use self::ErrorCode
::*;
197 use self::ParserError
::*;
198 use self::DecoderError
::*;
199 use self::ParserState
::*;
200 use self::InternalStackElement
::*;
202 use std
::collections
::{HashMap, BTreeMap}
;
203 use std
::io
::prelude
::*;
206 use std
::num
::FpCategory
as Fp
;
208 use std
::str::FromStr
;
210 use std
::{char, f64, fmt, str}
;
215 /// Represents a json value
216 #[derive(Clone, PartialEq, PartialOrd, Debug)]
221 String(string
::String
),
224 Object(self::Object
),
228 pub type Array
= Vec
<Json
>;
229 pub type Object
= BTreeMap
<string
::String
, Json
>;
231 pub struct PrettyJson
<'a
> { inner: &'a Json }
233 pub struct AsJson
<'a
, T
: 'a
> { inner: &'a T }
234 pub struct AsPrettyJson
<'a
, T
: 'a
> { inner: &'a T, indent: Option<usize> }
236 /// The errors that can arise while parsing a JSON stream.
237 #[derive(Clone, Copy, PartialEq, Debug)]
241 EOFWhileParsingObject
,
242 EOFWhileParsingArray
,
243 EOFWhileParsingValue
,
244 EOFWhileParsingString
,
250 InvalidUnicodeCodePoint
,
251 LoneLeadingSurrogateInHexEscape
,
252 UnexpectedEndOfHexEscape
,
258 #[derive(Clone, PartialEq, Debug)]
259 pub enum ParserError
{
261 SyntaxError(ErrorCode
, usize, usize),
262 IoError(io
::ErrorKind
, String
),
265 // Builder and Parser have the same errors.
266 pub type BuilderError
= ParserError
;
268 #[derive(Clone, PartialEq, Debug)]
269 pub enum DecoderError
{
270 ParseError(ParserError
),
271 ExpectedError(string
::String
, string
::String
),
272 MissingFieldError(string
::String
),
273 UnknownVariantError(string
::String
),
274 ApplicationError(string
::String
)
277 #[derive(Copy, Clone, Debug)]
278 pub enum EncoderError
{
279 FmtError(fmt
::Error
),
283 /// Returns a readable error string for a given error code.
284 pub fn error_str(error
: ErrorCode
) -> &'
static str {
286 InvalidSyntax
=> "invalid syntax",
287 InvalidNumber
=> "invalid number",
288 EOFWhileParsingObject
=> "EOF While parsing object",
289 EOFWhileParsingArray
=> "EOF While parsing array",
290 EOFWhileParsingValue
=> "EOF While parsing value",
291 EOFWhileParsingString
=> "EOF While parsing string",
292 KeyMustBeAString
=> "key must be a string",
293 ExpectedColon
=> "expected `:`",
294 TrailingCharacters
=> "trailing characters",
295 TrailingComma
=> "trailing comma",
296 InvalidEscape
=> "invalid escape",
297 UnrecognizedHex
=> "invalid \\u{ esc}ape (unrecognized hex)",
298 NotFourDigit
=> "invalid \\u{ esc}ape (not four digits)",
299 NotUtf8
=> "contents not utf-8",
300 InvalidUnicodeCodePoint
=> "invalid Unicode code point",
301 LoneLeadingSurrogateInHexEscape
=> "lone leading surrogate in hex escape",
302 UnexpectedEndOfHexEscape
=> "unexpected end of hex escape",
306 /// Shortcut function to decode a JSON `&str` into an object
307 pub fn decode
<T
: ::Decodable
>(s
: &str) -> DecodeResult
<T
> {
308 let json
= match from_str(s
) {
310 Err(e
) => return Err(ParseError(e
))
313 let mut decoder
= Decoder
::new(json
);
314 ::Decodable
::decode(&mut decoder
)
317 /// Shortcut function to encode a `T` into a JSON `String`
318 pub fn encode
<T
: ::Encodable
>(object
: &T
) -> Result
<string
::String
, EncoderError
> {
319 let mut s
= String
::new();
321 let mut encoder
= Encoder
::new(&mut s
);
322 object
.encode(&mut encoder
)?
;
327 impl fmt
::Display
for ErrorCode
{
328 fn fmt(&self, f
: &mut fmt
::Formatter
) -> fmt
::Result
{
329 error_str(*self).fmt(f
)
333 fn io_error_to_error(io
: io
::Error
) -> ParserError
{
334 IoError(io
.kind(), io
.to_string())
337 impl fmt
::Display
for ParserError
{
338 fn fmt(&self, f
: &mut fmt
::Formatter
) -> fmt
::Result
{
339 // FIXME this should be a nicer error
340 fmt
::Debug
::fmt(self, f
)
344 impl fmt
::Display
for DecoderError
{
345 fn fmt(&self, f
: &mut fmt
::Formatter
) -> fmt
::Result
{
346 // FIXME this should be a nicer error
347 fmt
::Debug
::fmt(self, f
)
351 impl std
::error
::Error
for DecoderError
{
352 fn description(&self) -> &str { "decoder error" }
355 impl fmt
::Display
for EncoderError
{
356 fn fmt(&self, f
: &mut fmt
::Formatter
) -> fmt
::Result
{
357 // FIXME this should be a nicer error
358 fmt
::Debug
::fmt(self, f
)
362 impl std
::error
::Error
for EncoderError
{
363 fn description(&self) -> &str { "encoder error" }
366 impl From
<fmt
::Error
> for EncoderError
{
367 fn from(err
: fmt
::Error
) -> EncoderError { EncoderError::FmtError(err) }
370 pub type EncodeResult
= Result
<(), EncoderError
>;
371 pub type DecodeResult
<T
> = Result
<T
, DecoderError
>;
373 fn escape_str(wr
: &mut fmt
::Write
, v
: &str) -> EncodeResult
{
378 for (i
, byte
) in v
.bytes().enumerate() {
379 let escaped
= match byte
{
382 b'\x00' => "\\u0000
",
383 b'\x01' => "\\u0001
",
384 b'\x02' => "\\u0002
",
385 b'\x03' => "\\u0003
",
386 b'\x04' => "\\u0004
",
387 b'\x05' => "\\u0005
",
388 b'\x06' => "\\u0006
",
389 b'\x07' => "\\u0007
",
393 b'\x0b' => "\\u000b
",
396 b'\x0e' => "\\u000e
",
397 b'\x0f' => "\\u000f
",
398 b'\x10' => "\\u0010
",
399 b'\x11' => "\\u0011
",
400 b'\x12' => "\\u0012
",
401 b'\x13' => "\\u0013
",
402 b'\x14' => "\\u0014
",
403 b'\x15' => "\\u0015
",
404 b'\x16' => "\\u0016
",
405 b'\x17' => "\\u0017
",
406 b'\x18' => "\\u0018
",
407 b'\x19' => "\\u0019
",
408 b'\x1a' => "\\u001a
",
409 b'\x1b' => "\\u001b
",
410 b'\x1c' => "\\u001c
",
411 b'\x1d' => "\\u001d
",
412 b'\x1e' => "\\u001e
",
413 b'\x1f' => "\\u001f
",
414 b'\x7f' => "\\u007f
",
419 wr.write_str(&v[start..i])?;
422 wr.write_str(escaped)?;
427 if start != v.len() {
428 wr.write_str(&v[start..])?;
435 fn escape_char(writer: &mut fmt::Write, v: char) -> EncodeResult {
436 escape_str(writer, unsafe {
437 str::from_utf8_unchecked(v.encode_utf8().as_slice())
441 fn spaces(wr: &mut fmt::Write, mut n: usize) -> EncodeResult {
442 const BUF: &'static str = " ";
444 while n >= BUF.len() {
450 wr.write_str(&BUF[..n])?;
455 fn fmt_number_or_null(v: f64) -> string::String {
457 Fp::Nan | Fp::Infinite => string::String::from("null
"),
458 _ if v.fract() != 0f64 => v.to_string(),
459 _ => v.to_string() + ".0",
463 /// A structure for implementing serialization to JSON.
464 pub struct Encoder<'a> {
465 writer: &'a mut (fmt::Write+'a),
466 is_emitting_map_key: bool,
469 impl<'a> Encoder<'a> {
470 /// Creates a new JSON encoder whose output will be written to the writer
472 pub fn new(writer: &'a mut fmt::Write) -> Encoder<'a> {
473 Encoder { writer: writer, is_emitting_map_key: false, }
477 macro_rules! emit_enquoted_if_mapkey {
478 ($enc:ident,$e:expr) => {
479 if $enc.is_emitting_map_key {
480 try!(write!($enc.writer, "\"{}
\"", $e));
483 try!(write!($enc.writer, "{}
", $e));
489 impl<'a> ::Encoder for Encoder<'a> {
490 type Error = EncoderError;
492 fn emit_nil(&mut self) -> EncodeResult {
493 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
494 write!(self.writer, "null
")?;
498 fn emit_uint(&mut self, v: usize) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
499 fn emit_u64(&mut self, v: u64) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
500 fn emit_u32(&mut self, v: u32) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
501 fn emit_u16(&mut self, v: u16) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
502 fn emit_u8(&mut self, v: u8) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
504 fn emit_int(&mut self, v: isize) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
505 fn emit_i64(&mut self, v: i64) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
506 fn emit_i32(&mut self, v: i32) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
507 fn emit_i16(&mut self, v: i16) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
508 fn emit_i8(&mut self, v: i8) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
510 fn emit_bool(&mut self, v: bool) -> EncodeResult {
511 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
513 write!(self.writer, "true")?;
515 write!(self.writer, "false")?;
520 fn emit_f64(&mut self, v: f64) -> EncodeResult {
521 emit_enquoted_if_mapkey!(self, fmt_number_or_null(v))
523 fn emit_f32(&mut self, v: f32) -> EncodeResult {
524 self.emit_f64(v as f64)
527 fn emit_char(&mut self, v: char) -> EncodeResult {
528 escape_char(self.writer, v)
530 fn emit_str(&mut self, v: &str) -> EncodeResult {
531 escape_str(self.writer, v)
534 fn emit_enum<F>(&mut self, _name: &str, f: F) -> EncodeResult where
535 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
540 fn emit_enum_variant<F>(&mut self,
544 f: F) -> EncodeResult where
545 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
547 // enums are encoded as strings or objects
549 // Kangaroo(34,"William
") => {"variant": "Kangaroo", "fields": [34,"William"]}
551 escape_str(self.writer, name)
553 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
554 write!(self.writer, "{{\"variant
\":")?;
555 escape_str(self.writer, name)?;
556 write!(self.writer, ",\"fields
\":[")?;
558 write!(self.writer, "]}}")?;
563 fn emit_enum_variant_arg<F>(&mut self, idx: usize, f: F) -> EncodeResult where
564 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
566 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
568 write!(self.writer, ",")?;
573 fn emit_enum_struct_variant<F>(&mut self,
577 f: F) -> EncodeResult where
578 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
580 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
581 self.emit_enum_variant(name, id, cnt, f)
584 fn emit_enum_struct_variant_field<F>(&mut self,
587 f: F) -> EncodeResult where
588 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
590 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
591 self.emit_enum_variant_arg(idx, f)
594 fn emit_struct<F>(&mut self, _: &str, _: usize, f: F) -> EncodeResult where
595 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
597 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
598 write!(self.writer, "{{")?;
600 write!(self.writer, "}}")?;
604 fn emit_struct_field<F>(&mut self, name: &str, idx: usize, f: F) -> EncodeResult where
605 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
607 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
608 if idx != 0 { write!(self.writer, ",")?; }
609 escape_str(self.writer, name)?;
610 write!(self.writer, ":")?;
614 fn emit_tuple<F>(&mut self, len: usize, f: F) -> EncodeResult where
615 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
617 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
618 self.emit_seq(len, f)
620 fn emit_tuple_arg<F>(&mut self, idx: usize, f: F) -> EncodeResult where
621 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
623 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
624 self.emit_seq_elt(idx, f)
627 fn emit_tuple_struct<F>(&mut self, _name: &str, len: usize, f: F) -> EncodeResult where
628 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
630 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
631 self.emit_seq(len, f)
633 fn emit_tuple_struct_arg<F>(&mut self, idx: usize, f: F) -> EncodeResult where
634 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
636 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
637 self.emit_seq_elt(idx, f)
640 fn emit_option<F>(&mut self, f: F) -> EncodeResult where
641 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
643 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
646 fn emit_option_none(&mut self) -> EncodeResult {
647 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
650 fn emit_option_some<F>(&mut self, f: F) -> EncodeResult where
651 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
653 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
657 fn emit_seq<F>(&mut self, _len: usize, f: F) -> EncodeResult where
658 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
660 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
661 write!(self.writer, "[")?;
663 write!(self.writer, "]")?;
667 fn emit_seq_elt<F>(&mut self, idx: usize, f: F) -> EncodeResult where
668 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
670 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
672 write!(self.writer, ",")?;
677 fn emit_map<F>(&mut self, _len: usize, f: F) -> EncodeResult where
678 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
680 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
681 write!(self.writer, "{{")?;
683 write!(self.writer, "}}")?;
687 fn emit_map_elt_key<F>(&mut self, idx: usize, f: F) -> EncodeResult where
688 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
690 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
691 if idx != 0 { write!(self.writer, ",")? }
692 self.is_emitting_map_key = true;
694 self.is_emitting_map_key = false;
698 fn emit_map_elt_val<F>(&mut self, _idx: usize, f: F) -> EncodeResult where
699 F: FnOnce(&mut Encoder<'a>) -> EncodeResult,
701 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
702 write!(self.writer, ":")?;
707 /// Another encoder for JSON, but prints out human-readable JSON instead of
709 pub struct PrettyEncoder<'a> {
710 writer: &'a mut (fmt::Write+'a),
713 is_emitting_map_key: bool,
716 impl<'a> PrettyEncoder<'a> {
717 /// Creates a new encoder whose output will be written to the specified writer
718 pub fn new(writer: &'a mut fmt::Write) -> PrettyEncoder<'a> {
723 is_emitting_map_key: false,
727 /// Set the number of spaces to indent for each level.
728 /// This is safe to set during encoding.
729 pub fn set_indent(&mut self, indent: usize) {
730 // self.indent very well could be 0 so we need to use checked division.
731 let level = self.curr_indent.checked_div(self.indent).unwrap_or(0);
732 self.indent = indent;
733 self.curr_indent = level * self.indent;
737 impl<'a> ::Encoder for PrettyEncoder<'a> {
738 type Error = EncoderError;
740 fn emit_nil(&mut self) -> EncodeResult {
741 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
742 write!(self.writer, "null
")?;
746 fn emit_uint(&mut self, v: usize) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
747 fn emit_u64(&mut self, v: u64) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
748 fn emit_u32(&mut self, v: u32) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
749 fn emit_u16(&mut self, v: u16) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
750 fn emit_u8(&mut self, v: u8) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
752 fn emit_int(&mut self, v: isize) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
753 fn emit_i64(&mut self, v: i64) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
754 fn emit_i32(&mut self, v: i32) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
755 fn emit_i16(&mut self, v: i16) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
756 fn emit_i8(&mut self, v: i8) -> EncodeResult { emit_enquoted_if_mapkey!(self, v) }
758 fn emit_bool(&mut self, v: bool) -> EncodeResult {
759 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
761 write!(self.writer, "true")?;
763 write!(self.writer, "false")?;
768 fn emit_f64(&mut self, v: f64) -> EncodeResult {
769 emit_enquoted_if_mapkey!(self, fmt_number_or_null(v))
771 fn emit_f32(&mut self, v: f32) -> EncodeResult {
772 self.emit_f64(v as f64)
775 fn emit_char(&mut self, v: char) -> EncodeResult {
776 escape_char(self.writer, v)
778 fn emit_str(&mut self, v: &str) -> EncodeResult {
779 escape_str(self.writer, v)
782 fn emit_enum<F>(&mut self, _name: &str, f: F) -> EncodeResult where
783 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
788 fn emit_enum_variant<F>(&mut self,
793 -> EncodeResult where
794 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
797 escape_str(self.writer, name)
799 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
800 write!(self.writer, "{{\n")?;
801 self.curr_indent += self.indent;
802 spaces(self.writer, self.curr_indent)?;
803 write!(self.writer, "\"variant
\": ")?;
804 escape_str(self.writer, name)?;
805 write!(self.writer, ",\n")?;
806 spaces(self.writer, self.curr_indent)?;
807 write!(self.writer, "\"fields
\": [\n")?;
808 self.curr_indent += self.indent;
810 self.curr_indent -= self.indent;
811 write!(self.writer, "\n")?;
812 spaces(self.writer, self.curr_indent)?;
813 self.curr_indent -= self.indent;
814 write!(self.writer, "]\n")?;
815 spaces(self.writer, self.curr_indent)?;
816 write!(self.writer, "}}")?;
821 fn emit_enum_variant_arg<F>(&mut self, idx: usize, f: F) -> EncodeResult where
822 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
824 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
826 write!(self.writer, ",\n")?;
828 spaces(self.writer, self.curr_indent)?;
832 fn emit_enum_struct_variant<F>(&mut self,
836 f: F) -> EncodeResult where
837 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
839 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
840 self.emit_enum_variant(name, id, cnt, f)
843 fn emit_enum_struct_variant_field<F>(&mut self,
846 f: F) -> EncodeResult where
847 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
849 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
850 self.emit_enum_variant_arg(idx, f)
854 fn emit_struct<F>(&mut self, _: &str, len: usize, f: F) -> EncodeResult where
855 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
857 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
859 write!(self.writer, "{{}
}")?;
861 write!(self.writer, "{{")?;
862 self.curr_indent += self.indent;
864 self.curr_indent -= self.indent;
865 write!(self.writer, "\n")?;
866 spaces(self.writer, self.curr_indent)?;
867 write!(self.writer, "}}")?;
872 fn emit_struct_field<F>(&mut self, name: &str, idx: usize, f: F) -> EncodeResult where
873 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
875 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
877 write!(self.writer, "\n")?;
879 write!(self.writer, ",\n")?;
881 spaces(self.writer, self.curr_indent)?;
882 escape_str(self.writer, name)?;
883 write!(self.writer, ": ")?;
887 fn emit_tuple<F>(&mut self, len: usize, f: F) -> EncodeResult where
888 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
890 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
891 self.emit_seq(len, f)
893 fn emit_tuple_arg<F>(&mut self, idx: usize, f: F) -> EncodeResult where
894 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
896 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
897 self.emit_seq_elt(idx, f)
900 fn emit_tuple_struct<F>(&mut self, _: &str, len: usize, f: F) -> EncodeResult where
901 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
903 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
904 self.emit_seq(len, f)
906 fn emit_tuple_struct_arg<F>(&mut self, idx: usize, f: F) -> EncodeResult where
907 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
909 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
910 self.emit_seq_elt(idx, f)
913 fn emit_option<F>(&mut self, f: F) -> EncodeResult where
914 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
916 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
919 fn emit_option_none(&mut self) -> EncodeResult {
920 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
923 fn emit_option_some<F>(&mut self, f: F) -> EncodeResult where
924 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
926 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
930 fn emit_seq<F>(&mut self, len: usize, f: F) -> EncodeResult where
931 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
933 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
935 write!(self.writer, "[]")?;
937 write!(self.writer, "[")?;
938 self.curr_indent += self.indent;
940 self.curr_indent -= self.indent;
941 write!(self.writer, "\n")?;
942 spaces(self.writer, self.curr_indent)?;
943 write!(self.writer, "]")?;
948 fn emit_seq_elt<F>(&mut self, idx: usize, f: F) -> EncodeResult where
949 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
951 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
953 write!(self.writer, "\n")?;
955 write!(self.writer, ",\n")?;
957 spaces(self.writer, self.curr_indent)?;
961 fn emit_map<F>(&mut self, len: usize, f: F) -> EncodeResult where
962 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
964 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
966 write!(self.writer, "{{}
}")?;
968 write!(self.writer, "{{")?;
969 self.curr_indent += self.indent;
971 self.curr_indent -= self.indent;
972 write!(self.writer, "\n")?;
973 spaces(self.writer, self.curr_indent)?;
974 write!(self.writer, "}}")?;
979 fn emit_map_elt_key<F>(&mut self, idx: usize, f: F) -> EncodeResult where
980 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
982 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
984 write!(self.writer, "\n")?;
986 write!(self.writer, ",\n")?;
988 spaces(self.writer, self.curr_indent)?;
989 self.is_emitting_map_key = true;
991 self.is_emitting_map_key = false;
995 fn emit_map_elt_val<F>(&mut self, _idx: usize, f: F) -> EncodeResult where
996 F: FnOnce(&mut PrettyEncoder<'a>) -> EncodeResult,
998 if self.is_emitting_map_key { return Err(EncoderError::BadHashmapKey); }
999 write!(self.writer, ": ")?;
1004 impl Encodable for Json {
1005 fn encode<E: ::Encoder>(&self, e: &mut E) -> Result<(), E::Error> {
1007 Json::I64(v) => v.encode(e),
1008 Json::U64(v) => v.encode(e),
1009 Json::F64(v) => v.encode(e),
1010 Json::String(ref v) => v.encode(e),
1011 Json::Boolean(v) => v.encode(e),
1012 Json::Array(ref v) => v.encode(e),
1013 Json::Object(ref v) => v.encode(e),
1014 Json::Null => e.emit_nil(),
1019 /// Create an `AsJson` wrapper which can be used to print a value as JSON
1020 /// on-the-fly via `write!`
1021 pub fn as_json<T>(t: &T) -> AsJson<T> {
1025 /// Create an `AsPrettyJson` wrapper which can be used to print a value as JSON
1026 /// on-the-fly via `write!`
1027 pub fn as_pretty_json<T>(t: &T) -> AsPrettyJson<T> {
1028 AsPrettyJson { inner: t, indent: None }
1032 /// Borrow this json object as a pretty object to generate a pretty
1033 /// representation for it via `Display`.
1034 pub fn pretty(&self) -> PrettyJson {
1035 PrettyJson { inner: self }
1038 /// If the Json value is an Object, returns the value associated with the provided key.
1039 /// Otherwise, returns None.
1040 pub fn find<'a>(&'a self, key: &str) -> Option<&'a Json>{
1042 Json::Object(ref map) => map.get(key),
1047 /// Attempts to get a nested Json Object for each key in `keys`.
1048 /// If any key is found not to exist, find_path will return None.
1049 /// Otherwise, it will return the Json value associated with the final key.
1050 pub fn find_path<'a>(&'a self, keys: &[&str]) -> Option<&'a Json>{
1051 let mut target = self;
1053 match target.find(*key) {
1054 Some(t) => { target = t; },
1061 /// If the Json value is an Object, performs a depth-first search until
1062 /// a value associated with the provided key is found. If no value is found
1063 /// or the Json value is not an Object, returns None.
1064 pub fn search<'a>(&'a self, key: &str) -> Option<&'a Json> {
1066 &Json::Object(ref map) => {
1067 match map.get(key) {
1068 Some(json_value) => Some(json_value),
1071 match v.search(key) {
1072 x if x.is_some() => return x,
1084 /// Returns true if the Json value is an Object. Returns false otherwise.
1085 pub fn is_object(&self) -> bool {
1086 self.as_object().is_some()
1089 /// If the Json value is an Object, returns the associated BTreeMap.
1090 /// Returns None otherwise.
1091 pub fn as_object(&self) -> Option<&Object> {
1093 Json::Object(ref map) => Some(map),
1098 /// Returns true if the Json value is an Array. Returns false otherwise.
1099 pub fn is_array(&self) -> bool {
1100 self.as_array().is_some()
1103 /// If the Json value is an Array, returns the associated vector.
1104 /// Returns None otherwise.
1105 pub fn as_array(&self) -> Option<&Array> {
1107 Json::Array(ref array) => Some(&*array),
1112 /// Returns true if the Json value is a String. Returns false otherwise.
1113 pub fn is_string(&self) -> bool {
1114 self.as_string().is_some()
1117 /// If the Json value is a String, returns the associated str.
1118 /// Returns None otherwise.
1119 pub fn as_string(&self) -> Option<&str> {
1121 Json::String(ref s) => Some(&s[..]),
1126 /// Returns true if the Json value is a Number. Returns false otherwise.
1127 pub fn is_number(&self) -> bool {
1129 Json::I64(_) | Json::U64(_) | Json::F64(_) => true,
1134 /// Returns true if the Json value is a i64. Returns false otherwise.
1135 pub fn is_i64(&self) -> bool {
1137 Json::I64(_) => true,
1142 /// Returns true if the Json value is a u64. Returns false otherwise.
1143 pub fn is_u64(&self) -> bool {
1145 Json::U64(_) => true,
1150 /// Returns true if the Json value is a f64. Returns false otherwise.
1151 pub fn is_f64(&self) -> bool {
1153 Json::F64(_) => true,
1158 /// If the Json value is a number, return or cast it to a i64.
1159 /// Returns None otherwise.
1160 pub fn as_i64(&self) -> Option<i64> {
1162 Json::I64(n) => Some(n),
1163 Json::U64(n) => Some(n as i64),
1168 /// If the Json value is a number, return or cast it to a u64.
1169 /// Returns None otherwise.
1170 pub fn as_u64(&self) -> Option<u64> {
1172 Json::I64(n) => Some(n as u64),
1173 Json::U64(n) => Some(n),
1178 /// If the Json value is a number, return or cast it to a f64.
1179 /// Returns None otherwise.
1180 pub fn as_f64(&self) -> Option<f64> {
1182 Json::I64(n) => Some(n as f64),
1183 Json::U64(n) => Some(n as f64),
1184 Json::F64(n) => Some(n),
1189 /// Returns true if the Json value is a Boolean. Returns false otherwise.
1190 pub fn is_boolean(&self) -> bool {
1191 self.as_boolean().is_some()
1194 /// If the Json value is a Boolean, returns the associated bool.
1195 /// Returns None otherwise.
1196 pub fn as_boolean(&self) -> Option<bool> {
1198 Json::Boolean(b) => Some(b),
1203 /// Returns true if the Json value is a Null. Returns false otherwise.
1204 pub fn is_null(&self) -> bool {
1205 self.as_null().is_some()
1208 /// If the Json value is a Null, returns ().
1209 /// Returns None otherwise.
1210 pub fn as_null(&self) -> Option<()> {
1212 Json::Null => Some(()),
1218 impl<'a> Index<&'a str> for Json {
1221 fn index(&self, idx: &'a str) -> &Json {
1222 self.find(idx).unwrap()
1226 impl Index<usize> for Json {
1229 fn index(&self, idx: usize) -> &Json {
1231 Json::Array(ref v) => &v[idx],
1232 _ => panic!("can only index Json with
usize if it is an array
")
1237 /// The output of the streaming parser.
1238 #[derive(PartialEq, Clone, Debug)]
1239 pub enum JsonEvent {
1248 StringValue(string::String),
1253 #[derive(PartialEq, Debug)]
1255 // Parse a value in an array, true means first element.
1257 // Parse ',' or ']' after an element in an array.
1259 // Parse a key:value in an object, true means first element.
1261 // Parse ',' or ']' after an element in an object.
1265 // Expecting the stream to end.
1267 // Parsing can't continue.
1271 /// A Stack represents the current position of the parser in the logical
1272 /// structure of the JSON stream.
1273 /// For example foo.bar[3].x
1275 stack: Vec<InternalStackElement>,
1276 str_buffer: Vec<u8>,
1279 /// StackElements compose a Stack.
1280 /// For example, StackElement::Key("foo
"), StackElement::Key("bar
"),
1281 /// StackElement::Index(3) and StackElement::Key("x
") are the
1282 /// StackElements compositing the stack that represents foo.bar[3].x
1283 #[derive(PartialEq, Clone, Debug)]
1284 pub enum StackElement<'l> {
1289 // Internally, Key elements are stored as indices in a buffer to avoid
1290 // allocating a string for every member of an object.
1291 #[derive(PartialEq, Clone, Debug)]
1292 enum InternalStackElement {
1294 InternalKey(u16, u16), // start, size
1298 pub fn new() -> Stack {
1299 Stack { stack: Vec::new(), str_buffer: Vec::new() }
1302 /// Returns The number of elements in the Stack.
1303 pub fn len(&self) -> usize { self.stack.len() }
1305 /// Returns true if the stack is empty.
1306 pub fn is_empty(&self) -> bool { self.stack.is_empty() }
1308 /// Provides access to the StackElement at a given index.
1309 /// lower indices are at the bottom of the stack while higher indices are
1311 pub fn get(&self, idx: usize) -> StackElement {
1312 match self.stack[idx] {
1313 InternalIndex(i) => StackElement::Index(i),
1314 InternalKey(start, size) => {
1315 StackElement::Key(str::from_utf8(
1316 &self.str_buffer[start as usize .. start as usize + size as usize])
1322 /// Compares this stack with an array of StackElements.
1323 pub fn is_equal_to(&self, rhs: &[StackElement]) -> bool {
1324 if self.stack.len() != rhs.len() { return false; }
1325 for (i, r) in rhs.iter().enumerate() {
1326 if self.get(i) != *r { return false; }
1331 /// Returns true if the bottom-most elements of this stack are the same as
1332 /// the ones passed as parameter.
1333 pub fn starts_with(&self, rhs: &[StackElement]) -> bool {
1334 if self.stack.len() < rhs.len() { return false; }
1335 for (i, r) in rhs.iter().enumerate() {
1336 if self.get(i) != *r { return false; }
1341 /// Returns true if the top-most elements of this stack are the same as
1342 /// the ones passed as parameter.
1343 pub fn ends_with(&self, rhs: &[StackElement]) -> bool {
1344 if self.stack.len() < rhs.len() { return false; }
1345 let offset = self.stack.len() - rhs.len();
1346 for (i, r) in rhs.iter().enumerate() {
1347 if self.get(i + offset) != *r { return false; }
1352 /// Returns the top-most element (if any).
1353 pub fn top(&self) -> Option<StackElement> {
1354 match self.stack.last() {
1356 Some(&InternalIndex(i)) => Some(StackElement::Index(i)),
1357 Some(&InternalKey(start, size)) => {
1358 Some(StackElement::Key(str::from_utf8(
1359 &self.str_buffer[start as usize .. (start+size) as usize]
1365 // Used by Parser to insert StackElement::Key elements at the top of the stack.
1366 fn push_key(&mut self, key: string::String) {
1367 self.stack.push(InternalKey(self.str_buffer.len() as u16, key.len() as u16));
1368 for c in key.as_bytes() {
1369 self.str_buffer.push(*c);
1373 // Used by Parser to insert StackElement::Index elements at the top of the stack.
1374 fn push_index(&mut self, index: u32) {
1375 self.stack.push(InternalIndex(index));
1378 // Used by Parser to remove the top-most element of the stack.
1380 assert!(!self.is_empty());
1381 match *self.stack.last().unwrap() {
1382 InternalKey(_, sz) => {
1383 let new_size = self.str_buffer.len() - sz as usize;
1384 self.str_buffer.truncate(new_size);
1386 InternalIndex(_) => {}
1391 // Used by Parser to test whether the top-most element is an index.
1392 fn last_is_index(&self) -> bool {
1393 if self.is_empty() { return false; }
1394 return match *self.stack.last().unwrap() {
1395 InternalIndex(_) => true,
1400 // Used by Parser to increment the index of the top-most element.
1401 fn bump_index(&mut self) {
1402 let len = self.stack.len();
1403 let idx = match *self.stack.last().unwrap() {
1404 InternalIndex(i) => { i + 1 }
1407 self.stack[len - 1] = InternalIndex(idx);
1411 /// A streaming JSON parser implemented as an iterator of JsonEvent, consuming
1412 /// an iterator of char.
1413 pub struct Parser<T> {
1418 // We maintain a stack representing where we are in the logical structure
1419 // of the JSON stream.
1421 // A state machine is kept to make it possible to interrupt and resume parsing.
1425 impl<T: Iterator<Item=char>> Iterator for Parser<T> {
1426 type Item = JsonEvent;
1428 fn next(&mut self) -> Option<JsonEvent> {
1429 if self.state == ParseFinished {
1433 if self.state == ParseBeforeFinish {
1434 self.parse_whitespace();
1435 // Make sure there is no trailing characters.
1437 self.state = ParseFinished;
1440 return Some(self.error_event(TrailingCharacters));
1448 impl<T: Iterator<Item=char>> Parser<T> {
1449 /// Creates the JSON parser.
1450 pub fn new(rdr: T) -> Parser<T> {
1451 let mut p = Parser {
1456 stack: Stack::new(),
1463 /// Provides access to the current position in the logical structure of the
1465 pub fn stack(&self) -> &Stack {
1469 fn eof(&self) -> bool { self.ch.is_none() }
1470 fn ch_or_null(&self) -> char { self.ch.unwrap_or('\x00') }
1471 fn bump(&mut self) {
1472 self.ch = self.rdr.next();
1474 if self.ch_is('\n') {
1482 fn next_char(&mut self) -> Option<char> {
1486 fn ch_is(&self, c: char) -> bool {
1490 fn error<U>(&self, reason: ErrorCode) -> Result<U, ParserError> {
1491 Err(SyntaxError(reason, self.line, self.col))
1494 fn parse_whitespace(&mut self) {
1495 while self.ch_is(' ') ||
1498 self.ch_is('\r') { self.bump(); }
1501 fn parse_number(&mut self) -> JsonEvent {
1502 let mut neg = false;
1504 if self.ch_is('-') {
1509 let res = match self.parse_u64() {
1511 Err(e) => { return Error(e); }
1514 if self.ch_is('.') || self.ch_is('e') || self.ch_is('E') {
1515 let mut res = res as f64;
1517 if self.ch_is('.') {
1518 res = match self.parse_decimal(res) {
1520 Err(e) => { return Error(e); }
1524 if self.ch_is('e') || self.ch_is('E') {
1525 res = match self.parse_exponent(res) {
1527 Err(e) => { return Error(e); }
1538 let res = (res as i64).wrapping_neg();
1540 // Make sure we didn't underflow.
1542 Error(SyntaxError(InvalidNumber, self.line, self.col))
1552 fn parse_u64(&mut self) -> Result<u64, ParserError> {
1553 let mut accum = 0u64;
1554 let last_accum = 0; // necessary to detect overflow.
1556 match self.ch_or_null() {
1560 // A leading '0' must be the only digit before the decimal point.
1561 if let '0' ... '9' = self.ch_or_null() {
1562 return self.error(InvalidNumber)
1567 match self.ch_or_null() {
1568 c @ '0' ... '9' => {
1569 accum = accum.wrapping_mul(10);
1570 accum = accum.wrapping_add((c as u64) - ('0' as u64));
1572 // Detect overflow by comparing to the last value.
1573 if accum <= last_accum { return self.error(InvalidNumber); }
1581 _ => return self.error(InvalidNumber),
1587 fn parse_decimal(&mut self, mut res: f64) -> Result<f64, ParserError> {
1590 // Make sure a digit follows the decimal place.
1591 match self.ch_or_null() {
1593 _ => return self.error(InvalidNumber)
1598 match self.ch_or_null() {
1599 c @ '0' ... '9' => {
1601 res += (((c as isize) - ('0' as isize)) as f64) * dec;
1611 fn parse_exponent(&mut self, mut res: f64) -> Result<f64, ParserError> {
1615 let mut neg_exp = false;
1617 if self.ch_is('+') {
1619 } else if self.ch_is('-') {
1624 // Make sure a digit follows the exponent place.
1625 match self.ch_or_null() {
1627 _ => return self.error(InvalidNumber)
1630 match self.ch_or_null() {
1631 c @ '0' ... '9' => {
1633 exp += (c as usize) - ('0' as usize);
1641 let exp = 10_f64.powi(exp as i32);
1651 fn decode_hex_escape(&mut self) -> Result<u16, ParserError> {
1654 while i < 4 && !self.eof() {
1656 n = match self.ch_or_null() {
1657 c @ '0' ... '9' => n * 16 + ((c as u16) - ('0' as u16)),
1658 'a' | 'A' => n * 16 + 10,
1659 'b' | 'B' => n * 16 + 11,
1660 'c' | 'C' => n * 16 + 12,
1661 'd' | 'D' => n * 16 + 13,
1662 'e' | 'E' => n * 16 + 14,
1663 'f' | 'F' => n * 16 + 15,
1664 _ => return self.error(InvalidEscape)
1670 // Error out if we didn't parse 4 digits.
1672 return self.error(InvalidEscape);
1678 fn parse_str(&mut self) -> Result<string::String, ParserError> {
1679 let mut escape = false;
1680 let mut res = string::String::new();
1685 return self.error(EOFWhileParsingString);
1689 match self.ch_or_null() {
1690 '"'
=> res
.push('
"'),
1691 '\\' => res.push('\\'),
1692 '/' => res.push('/'),
1693 'b' => res.push('\x08'),
1694 'f' => res.push('\x0c'),
1695 'n' => res.push('\n'),
1696 'r' => res.push('\r'),
1697 't' => res.push('\t'),
1698 'u' => match self.decode_hex_escape()? {
1699 0xDC00 ... 0xDFFF => {
1700 return self.error(LoneLeadingSurrogateInHexEscape)
1703 // Non-BMP characters are encoded as a sequence of
1704 // two hex escapes, representing UTF-16 surrogates.
1705 n1 @ 0xD800 ... 0xDBFF => {
1706 match (self.next_char(), self.next_char()) {
1707 (Some('\\'), Some('u')) => (),
1708 _ => return self.error(UnexpectedEndOfHexEscape),
1711 let n2 = self.decode_hex_escape()?;
1712 if n2 < 0xDC00 || n2 > 0xDFFF {
1713 return self.error(LoneLeadingSurrogateInHexEscape)
1715 let c = (((n1 - 0xD800) as u32) << 10 |
1716 (n2 - 0xDC00) as u32) + 0x1_0000;
1717 res.push(char::from_u32(c).unwrap());
1720 n => match char::from_u32(n as u32) {
1721 Some(c) => res.push(c),
1722 None => return self.error(InvalidUnicodeCodePoint),
1725 _ => return self.error(InvalidEscape),
1728 } else if self.ch_is('\\') {
1736 Some(c
) => res
.push(c
),
1737 None
=> unreachable
!()
1743 // Invoked at each iteration, consumes the stream until it has enough
1744 // information to return a JsonEvent.
1745 // Manages an internal state so that parsing can be interrupted and resumed.
1746 // Also keeps track of the position in the logical structure of the json
1747 // stream isize the form of a stack that can be queried by the user using the
1749 fn parse(&mut self) -> JsonEvent
{
1751 // The only paths where the loop can spin a new iteration
1752 // are in the cases ParseArrayComma and ParseObjectComma if ','
1753 // is parsed. In these cases the state is set to (respectively)
1754 // ParseArray(false) and ParseObject(false), which always return,
1755 // so there is no risk of getting stuck in an infinite loop.
1756 // All other paths return before the end of the loop's iteration.
1757 self.parse_whitespace();
1761 return self.parse_start();
1763 ParseArray(first
) => {
1764 return self.parse_array(first
);
1766 ParseArrayComma
=> {
1767 match self.parse_array_comma_or_end() {
1768 Some(evt
) => { return evt; }
1772 ParseObject(first
) => {
1773 return self.parse_object(first
);
1775 ParseObjectComma
=> {
1777 if self.ch_is('
,'
) {
1778 self.state
= ParseObject(false);
1781 return self.parse_object_end();
1785 return self.error_event(InvalidSyntax
);
1791 fn parse_start(&mut self) -> JsonEvent
{
1792 let val
= self.parse_value();
1793 self.state
= match val
{
1794 Error(_
) => ParseFinished
,
1795 ArrayStart
=> ParseArray(true),
1796 ObjectStart
=> ParseObject(true),
1797 _
=> ParseBeforeFinish
,
1802 fn parse_array(&mut self, first
: bool
) -> JsonEvent
{
1803 if self.ch_is('
]'
) {
1805 self.error_event(InvalidSyntax
)
1807 self.state
= if self.stack
.is_empty() {
1809 } else if self.stack
.last_is_index() {
1819 self.stack
.push_index(0);
1821 let val
= self.parse_value();
1822 self.state
= match val
{
1823 Error(_
) => ParseFinished
,
1824 ArrayStart
=> ParseArray(true),
1825 ObjectStart
=> ParseObject(true),
1826 _
=> ParseArrayComma
,
1832 fn parse_array_comma_or_end(&mut self) -> Option
<JsonEvent
> {
1833 if self.ch_is('
,'
) {
1834 self.stack
.bump_index();
1835 self.state
= ParseArray(false);
1838 } else if self.ch_is('
]'
) {
1840 self.state
= if self.stack
.is_empty() {
1842 } else if self.stack
.last_is_index() {
1849 } else if self.eof() {
1850 Some(self.error_event(EOFWhileParsingArray
))
1852 Some(self.error_event(InvalidSyntax
))
1856 fn parse_object(&mut self, first
: bool
) -> JsonEvent
{
1857 if self.ch_is('
}'
) {
1859 if self.stack
.is_empty() {
1860 return self.error_event(TrailingComma
);
1865 self.state
= if self.stack
.is_empty() {
1867 } else if self.stack
.last_is_index() {
1876 return self.error_event(EOFWhileParsingObject
);
1878 if !self.ch_is('
"') {
1879 return self.error_event(KeyMustBeAString);
1881 let s = match self.parse_str() {
1884 self.state = ParseFinished;
1888 self.parse_whitespace();
1890 return self.error_event(EOFWhileParsingObject);
1891 } else if self.ch_or_null() != ':' {
1892 return self.error_event(ExpectedColon);
1894 self.stack.push_key(s);
1896 self.parse_whitespace();
1898 let val = self.parse_value();
1900 self.state = match val {
1901 Error(_) => ParseFinished,
1902 ArrayStart => ParseArray(true),
1903 ObjectStart => ParseObject(true),
1904 _ => ParseObjectComma,
1909 fn parse_object_end(&mut self) -> JsonEvent {
1910 if self.ch_is('}') {
1911 self.state = if self.stack.is_empty() {
1913 } else if self.stack.last_is_index() {
1920 } else if self.eof() {
1921 self.error_event(EOFWhileParsingObject)
1923 self.error_event(InvalidSyntax)
1927 fn parse_value(&mut self) -> JsonEvent {
1928 if self.eof() { return self.error_event(EOFWhileParsingValue); }
1929 match self.ch_or_null() {
1930 'n' => { self.parse_ident("ull", NullValue) }
1931 't' => { self.parse_ident("rue", BooleanValue(true)) }
1932 'f' => { self.parse_ident("alse", BooleanValue(false)) }
1933 '0' ... '9' | '-' => self.parse_number(),
1934 '"'
=> match self.parse_str() {
1935 Ok(s
) => StringValue(s
),
1946 _
=> { self.error_event(InvalidSyntax) }
1950 fn parse_ident(&mut self, ident
: &str, value
: JsonEvent
) -> JsonEvent
{
1951 if ident
.chars().all(|c
| Some(c
) == self.next_char()) {
1955 Error(SyntaxError(InvalidSyntax
, self.line
, self.col
))
1959 fn error_event(&mut self, reason
: ErrorCode
) -> JsonEvent
{
1960 self.state
= ParseFinished
;
1961 Error(SyntaxError(reason
, self.line
, self.col
))
1965 /// A Builder consumes a json::Parser to create a generic Json structure.
1966 pub struct Builder
<T
> {
1968 token
: Option
<JsonEvent
>,
1971 impl<T
: Iterator
<Item
=char>> Builder
<T
> {
1972 /// Create a JSON Builder.
1973 pub fn new(src
: T
) -> Builder
<T
> {
1974 Builder { parser: Parser::new(src), token: None, }
1977 // Decode a Json value from a Parser.
1978 pub fn build(&mut self) -> Result
<Json
, BuilderError
> {
1980 let result
= self.build_value();
1984 Some(Error(ref e
)) => { return Err(e.clone()); }
1985 ref tok
=> { panic!("unexpected token {:?}
", tok.clone()); }
1990 fn bump(&mut self) {
1991 self.token = self.parser.next();
1994 fn build_value(&mut self) -> Result<Json, BuilderError> {
1996 Some(NullValue) => Ok(Json::Null),
1997 Some(I64Value(n)) => Ok(Json::I64(n)),
1998 Some(U64Value(n)) => Ok(Json::U64(n)),
1999 Some(F64Value(n)) => Ok(Json::F64(n)),
2000 Some(BooleanValue(b)) => Ok(Json::Boolean(b)),
2001 Some(StringValue(ref mut s)) => {
2002 let mut temp = string::String::new();
2004 Ok(Json::String(temp))
2006 Some(Error(ref e)) => Err(e.clone()),
2007 Some(ArrayStart) => self.build_array(),
2008 Some(ObjectStart) => self.build_object(),
2009 Some(ObjectEnd) => self.parser.error(InvalidSyntax),
2010 Some(ArrayEnd) => self.parser.error(InvalidSyntax),
2011 None => self.parser.error(EOFWhileParsingValue),
2015 fn build_array(&mut self) -> Result<Json, BuilderError> {
2017 let mut values = Vec::new();
2020 if self.token == Some(ArrayEnd) {
2021 return Ok(Json::Array(values.into_iter().collect()));
2023 match self.build_value() {
2024 Ok(v) => values.push(v),
2025 Err(e) => { return Err(e) }
2031 fn build_object(&mut self) -> Result<Json, BuilderError> {
2034 let mut values = BTreeMap::new();
2038 Some(ObjectEnd) => { return Ok(Json::Object(values)); }
2039 Some(Error(ref e)) => { return Err(e.clone()); }
2043 let key = match self.parser.stack().top() {
2044 Some(StackElement::Key(k)) => { k.to_owned() }
2045 _ => { panic!("invalid state"); }
2047 match self.build_value() {
2048 Ok(value) => { values.insert(key, value); }
2049 Err(e) => { return Err(e); }
2053 self.parser.error(EOFWhileParsingObject)
2057 /// Decodes a json value from an `&mut io::Read`
2058 pub fn from_reader(rdr: &mut Read) -> Result<Json, BuilderError> {
2059 let mut contents = Vec::new();
2060 match rdr.read_to_end(&mut contents) {
2062 Err(e) => return Err(io_error_to_error(e))
2064 let s = match str::from_utf8(&contents).ok() {
2066 _ => return Err(SyntaxError(NotUtf8, 0, 0))
2068 let mut builder = Builder::new(s.chars());
2072 /// Decodes a json value from a string
2073 pub fn from_str(s: &str) -> Result<Json, BuilderError> {
2074 let mut builder = Builder::new(s.chars());
2078 /// A structure to decode JSON to values in rust.
2079 pub struct Decoder {
2084 /// Creates a new decoder instance for decoding the specified JSON value.
2085 pub fn new(json: Json) -> Decoder {
2086 Decoder { stack: vec![json] }
2091 fn pop(&mut self) -> Json {
2092 self.stack.pop().unwrap()
2096 macro_rules! expect {
2097 ($e:expr, Null) => ({
2099 Json::Null => Ok(()),
2100 other => Err(ExpectedError("Null
".to_owned(),
2101 format!("{}
", other)))
2104 ($e:expr, $t:ident) => ({
2106 Json::$t(v) => Ok(v),
2108 Err(ExpectedError(stringify!($t).to_owned(),
2109 format!("{}
", other)))
2115 macro_rules! read_primitive {
2116 ($name:ident, $ty:ty) => {
2117 fn $name(&mut self) -> DecodeResult<$ty> {
2119 Json::I64(f) => Ok(f as $ty),
2120 Json::U64(f) => Ok(f as $ty),
2121 Json::F64(f) => Err(ExpectedError("Integer
".to_owned(), format!("{}
", f))),
2122 // re: #12967.. a type w/ numeric keys (ie HashMap<usize, V> etc)
2123 // is going to have a string here, as per JSON spec.
2124 Json::String(s) => match s.parse().ok() {
2126 None => Err(ExpectedError("Number
".to_owned(), s)),
2128 value => Err(ExpectedError("Number
".to_owned(), format!("{}
", value))),
2134 impl ::Decoder for Decoder {
2135 type Error = DecoderError;
2137 fn read_nil(&mut self) -> DecodeResult<()> {
2138 expect!(self.pop(), Null)
2141 read_primitive! { read_uint, usize }
2142 read_primitive! { read_u8, u8 }
2143 read_primitive! { read_u16, u16 }
2144 read_primitive! { read_u32, u32 }
2145 read_primitive! { read_u64, u64 }
2146 read_primitive! { read_int, isize }
2147 read_primitive! { read_i8, i8 }
2148 read_primitive! { read_i16, i16 }
2149 read_primitive! { read_i32, i32 }
2150 read_primitive! { read_i64, i64 }
2152 fn read_f32(&mut self) -> DecodeResult<f32> { self.read_f64().map(|x| x as f32) }
2154 fn read_f64(&mut self) -> DecodeResult<f64> {
2156 Json::I64(f) => Ok(f as f64),
2157 Json::U64(f) => Ok(f as f64),
2158 Json::F64(f) => Ok(f),
2159 Json::String(s) => {
2160 // re: #12967.. a type w/ numeric keys (ie HashMap<usize, V> etc)
2161 // is going to have a string here, as per JSON spec.
2162 match s.parse().ok() {
2164 None => Err(ExpectedError("Number
".to_owned(), s)),
2167 Json::Null => Ok(f64::NAN),
2168 value => Err(ExpectedError("Number
".to_owned(), format!("{}
", value)))
2172 fn read_bool(&mut self) -> DecodeResult<bool> {
2173 expect!(self.pop(), Boolean)
2176 fn read_char(&mut self) -> DecodeResult<char> {
2177 let s = self.read_str()?;
2179 let mut it = s.chars();
2180 match (it.next(), it.next()) {
2181 // exactly one character
2182 (Some(c), None) => return Ok(c),
2186 Err(ExpectedError("single character string
".to_owned(), format!("{}
", s)))
2189 fn read_str(&mut self) -> DecodeResult<string::String> {
2190 expect!(self.pop(), String)
2193 fn read_enum<T, F>(&mut self, _name: &str, f: F) -> DecodeResult<T> where
2194 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2199 fn read_enum_variant<T, F>(&mut self, names: &[&str],
2200 mut f: F) -> DecodeResult<T>
2201 where F: FnMut(&mut Decoder, usize) -> DecodeResult<T>,
2203 let name = match self.pop() {
2204 Json::String(s) => s,
2205 Json::Object(mut o) => {
2206 let n = match o.remove(&"variant
".to_owned()) {
2207 Some(Json::String(s)) => s,
2209 return Err(ExpectedError("String
".to_owned(), format!("{}
", val)))
2212 return Err(MissingFieldError("variant
".to_owned()))
2215 match o.remove(&"fields
".to_string()) {
2216 Some(Json::Array(l)) => {
2217 for field in l.into_iter().rev() {
2218 self.stack.push(field);
2222 return Err(ExpectedError("Array
".to_owned(), format!("{}
", val)))
2225 return Err(MissingFieldError("fields
".to_owned()))
2231 return Err(ExpectedError("String or Object
".to_owned(), format!("{}
", json)))
2234 let idx = match names.iter().position(|n| *n == &name[..]) {
2236 None => return Err(UnknownVariantError(name))
2241 fn read_enum_variant_arg<T, F>(&mut self, _idx: usize, f: F) -> DecodeResult<T> where
2242 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2247 fn read_enum_struct_variant<T, F>(&mut self, names: &[&str], f: F) -> DecodeResult<T> where
2248 F: FnMut(&mut Decoder, usize) -> DecodeResult<T>,
2250 self.read_enum_variant(names, f)
2254 fn read_enum_struct_variant_field<T, F>(&mut self,
2258 -> DecodeResult<T> where
2259 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2261 self.read_enum_variant_arg(idx, f)
2264 fn read_struct<T, F>(&mut self, _name: &str, _len: usize, f: F) -> DecodeResult<T> where
2265 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2267 let value = f(self)?;
2272 fn read_struct_field<T, F>(&mut self,
2276 -> DecodeResult<T> where
2277 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2279 let mut obj = expect!(self.pop(), Object)?;
2281 let value = match obj.remove(&name.to_string()) {
2283 // Add a Null and try to parse it as an Option<_>
2284 // to get None as a default value.
2285 self.stack.push(Json::Null);
2288 Err(_) => return Err(MissingFieldError(name.to_string())),
2292 self.stack.push(json);
2296 self.stack.push(Json::Object(obj));
2300 fn read_tuple<T, F>(&mut self, tuple_len: usize, f: F) -> DecodeResult<T> where
2301 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2303 self.read_seq(move |d, len| {
2304 if len == tuple_len {
2307 Err(ExpectedError(format!("Tuple{}
", tuple_len), format!("Tuple{}
", len)))
2312 fn read_tuple_arg<T, F>(&mut self, idx: usize, f: F) -> DecodeResult<T> where
2313 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2315 self.read_seq_elt(idx, f)
2318 fn read_tuple_struct<T, F>(&mut self,
2322 -> DecodeResult<T> where
2323 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2325 self.read_tuple(len, f)
2328 fn read_tuple_struct_arg<T, F>(&mut self,
2331 -> DecodeResult<T> where
2332 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2334 self.read_tuple_arg(idx, f)
2337 fn read_option<T, F>(&mut self, mut f: F) -> DecodeResult<T> where
2338 F: FnMut(&mut Decoder, bool) -> DecodeResult<T>,
2341 Json::Null => f(self, false),
2342 value => { self.stack.push(value); f(self, true) }
2346 fn read_seq<T, F>(&mut self, f: F) -> DecodeResult<T> where
2347 F: FnOnce(&mut Decoder, usize) -> DecodeResult<T>,
2349 let array = expect!(self.pop(), Array)?;
2350 let len = array.len();
2351 for v in array.into_iter().rev() {
2357 fn read_seq_elt<T, F>(&mut self, _idx: usize, f: F) -> DecodeResult<T> where
2358 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2363 fn read_map<T, F>(&mut self, f: F) -> DecodeResult<T> where
2364 F: FnOnce(&mut Decoder, usize) -> DecodeResult<T>,
2366 let obj = expect!(self.pop(), Object)?;
2367 let len = obj.len();
2368 for (key, value) in obj {
2369 self.stack.push(value);
2370 self.stack.push(Json::String(key));
2375 fn read_map_elt_key<T, F>(&mut self, _idx: usize, f: F) -> DecodeResult<T> where
2376 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2381 fn read_map_elt_val<T, F>(&mut self, _idx: usize, f: F) -> DecodeResult<T> where
2382 F: FnOnce(&mut Decoder) -> DecodeResult<T>,
2387 fn error(&mut self, err: &str) -> DecoderError {
2388 ApplicationError(err.to_string())
2392 /// A trait for converting values to JSON
2394 /// Converts the value of `self` to an instance of JSON
2395 fn to_json(&self) -> Json;
2398 macro_rules! to_json_impl_i64 {
2400 $(impl ToJson for $t {
2401 fn to_json(&self) -> Json {
2402 Json::I64(*self as i64)
2408 to_json_impl_i64! { isize, i8, i16, i32, i64 }
2410 macro_rules! to_json_impl_u64 {
2412 $(impl ToJson for $t {
2413 fn to_json(&self) -> Json {
2414 Json::U64(*self as u64)
2420 to_json_impl_u64! { usize, u8, u16, u32, u64 }
2422 impl ToJson for Json {
2423 fn to_json(&self) -> Json { self.clone() }
2426 impl ToJson for f32 {
2427 fn to_json(&self) -> Json { (*self as f64).to_json() }
2430 impl ToJson for f64 {
2431 fn to_json(&self) -> Json {
2432 match self.classify() {
2433 Fp::Nan | Fp::Infinite => Json::Null,
2434 _ => Json::F64(*self)
2439 impl ToJson for () {
2440 fn to_json(&self) -> Json { Json::Null }
2443 impl ToJson for bool {
2444 fn to_json(&self) -> Json { Json::Boolean(*self) }
2447 impl ToJson for str {
2448 fn to_json(&self) -> Json { Json::String(self.to_string()) }
2451 impl ToJson for string::String {
2452 fn to_json(&self) -> Json { Json::String((*self).clone()) }
2455 macro_rules! tuple_impl {
2456 // use variables to indicate the arity of the tuple
2457 ($($tyvar:ident),* ) => {
2458 // the trailing commas are for the 1 tuple
2460 $( $tyvar : ToJson ),*
2461 > ToJson for ( $( $tyvar ),* , ) {
2464 #[allow(non_snake_case)]
2465 fn to_json(&self) -> Json {
2467 ($(ref $tyvar),*,) => Json::Array(vec![$($tyvar.to_json()),*])
2476 tuple_impl!{A, B, C}
2477 tuple_impl!{A, B, C, D}
2478 tuple_impl!{A, B, C, D, E}
2479 tuple_impl!{A, B, C, D, E, F}
2480 tuple_impl!{A, B, C, D, E, F, G}
2481 tuple_impl!{A, B, C, D, E, F, G, H}
2482 tuple_impl!{A, B, C, D, E, F, G, H, I}
2483 tuple_impl!{A, B, C, D, E, F, G, H, I, J}
2484 tuple_impl!{A, B, C, D, E, F, G, H, I, J, K}
2485 tuple_impl!{A, B, C, D, E, F, G, H, I, J, K, L}
2487 impl<A: ToJson> ToJson for [A] {
2488 fn to_json(&self) -> Json { Json::Array(self.iter().map(|elt| elt.to_json()).collect()) }
2491 impl<A: ToJson> ToJson for Vec<A> {
2492 fn to_json(&self) -> Json { Json::Array(self.iter().map(|elt| elt.to_json()).collect()) }
2495 impl<A: ToJson> ToJson for BTreeMap<string::String, A> {
2496 fn to_json(&self) -> Json {
2497 let mut d = BTreeMap::new();
2498 for (key, value) in self {
2499 d.insert((*key).clone(), value.to_json());
2505 impl<A: ToJson> ToJson for HashMap<string::String, A> {
2506 fn to_json(&self) -> Json {
2507 let mut d = BTreeMap::new();
2508 for (key, value) in self {
2509 d.insert((*key).clone(), value.to_json());
2515 impl<A:ToJson> ToJson for Option<A> {
2516 fn to_json(&self) -> Json {
2519 Some(ref value) => value.to_json()
2524 struct FormatShim<'a, 'b: 'a> {
2525 inner: &'a mut fmt::Formatter<'b>,
2528 impl<'a, 'b> fmt::Write for FormatShim<'a, 'b> {
2529 fn write_str(&mut self, s: &str) -> fmt::Result {
2530 match self.inner.write_str(s) {
2532 Err(_) => Err(fmt::Error)
2537 impl fmt::Display for Json {
2538 /// Encodes a json value into a string
2539 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
2540 let mut shim = FormatShim { inner: f };
2541 let mut encoder = Encoder::new(&mut shim);
2542 match self.encode(&mut encoder) {
2544 Err(_) => Err(fmt::Error)
2549 impl<'a> fmt::Display for PrettyJson<'a> {
2550 /// Encodes a json value into a string
2551 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
2552 let mut shim = FormatShim { inner: f };
2553 let mut encoder = PrettyEncoder::new(&mut shim);
2554 match self.inner.encode(&mut encoder) {
2556 Err(_) => Err(fmt::Error)
2561 impl<'a, T: Encodable> fmt::Display for AsJson<'a, T> {
2562 /// Encodes a json value into a string
2563 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
2564 let mut shim = FormatShim { inner: f };
2565 let mut encoder = Encoder::new(&mut shim);
2566 match self.inner.encode(&mut encoder) {
2568 Err(_) => Err(fmt::Error)
2573 impl<'a, T> AsPrettyJson<'a, T> {
2574 /// Set the indentation level for the emitted JSON
2575 pub fn indent(mut self, indent: usize) -> AsPrettyJson<'a, T> {
2576 self.indent = Some(indent);
2581 impl<'a, T: Encodable> fmt::Display for AsPrettyJson<'a, T> {
2582 /// Encodes a json value into a string
2583 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
2584 let mut shim = FormatShim { inner: f };
2585 let mut encoder = PrettyEncoder::new(&mut shim);
2587 Some(n) => encoder.set_indent(n),
2590 match self.inner.encode(&mut encoder) {
2592 Err(_) => Err(fmt::Error)
2597 impl FromStr for Json {
2598 type Err = BuilderError;
2599 fn from_str(s: &str) -> Result<Json, BuilderError> {
2607 use self::Animal::*;
2608 use self::test::Bencher;
2609 use {Encodable, Decodable};
2611 use super::ErrorCode::*;
2612 use super::ParserError::*;
2613 use super::DecoderError::*;
2614 use super::JsonEvent::*;
2615 use super::{Json, from_str, DecodeResult, DecoderError, JsonEvent, Parser,
2616 StackElement, Stack, Decoder, Encoder, EncoderError};
2617 use std::{i64, u64, f32, f64};
2618 use std::io::prelude::*;
2619 use std::collections::BTreeMap;
2622 #[derive(RustcDecodable, Eq, PartialEq, Debug)]
2628 fn test_decode_option_none() {
2630 let obj: OptionData = super::decode(s).unwrap();
2631 assert_eq!(obj, OptionData { opt: None });
2635 fn test_decode_option_some() {
2636 let s = "{ \"opt\": 10 }
";
2637 let obj: OptionData = super::decode(s).unwrap();
2638 assert_eq!(obj, OptionData { opt: Some(10) });
2642 fn test_decode_option_malformed() {
2643 check_err::<OptionData>("{ \"opt\": [] }
",
2644 ExpectedError("Number
".to_string(), "[]".to_string()));
2645 check_err::<OptionData>("{ \"opt\": false }
",
2646 ExpectedError("Number
".to_string(), "false".to_string()));
2649 #[derive(PartialEq, RustcEncodable, RustcDecodable, Debug)]
2652 Frog(string::String, isize)
2655 #[derive(PartialEq, RustcEncodable, RustcDecodable, Debug)]
2659 c: Vec<string::String>,
2662 #[derive(PartialEq, RustcEncodable, RustcDecodable, Debug)]
2667 fn mk_object(items: &[(string::String, Json)]) -> Json {
2668 let mut d = BTreeMap::new();
2672 (ref key, ref value) => { d.insert((*key).clone(), (*value).clone()); },
2680 fn test_from_str_trait() {
2682 assert!(s.parse::<Json>().unwrap() == s.parse().unwrap());
2686 fn test_write_null() {
2687 assert_eq!(Null.to_string(), "null
");
2688 assert_eq!(Null.pretty().to_string(), "null
");
2692 fn test_write_i64() {
2693 assert_eq!(U64(0).to_string(), "0");
2694 assert_eq!(U64(0).pretty().to_string(), "0");
2696 assert_eq!(U64(1234).to_string(), "1234");
2697 assert_eq!(U64(1234).pretty().to_string(), "1234");
2699 assert_eq!(I64(-5678).to_string(), "-5678");
2700 assert_eq!(I64(-5678).pretty().to_string(), "-5678");
2702 assert_eq!(U64(7650007200025252000).to_string(), "7650007200025252000");
2703 assert_eq!(U64(7650007200025252000).pretty().to_string(), "7650007200025252000");
2707 fn test_write_f64() {
2708 assert_eq!(F64(3.0).to_string(), "3.0");
2709 assert_eq!(F64(3.0).pretty().to_string(), "3.0");
2711 assert_eq!(F64(3.1).to_string(), "3.1");
2712 assert_eq!(F64(3.1).pretty().to_string(), "3.1");
2714 assert_eq!(F64(-1.5).to_string(), "-1.5");
2715 assert_eq!(F64(-1.5).pretty().to_string(), "-1.5");
2717 assert_eq!(F64(0.5).to_string(), "0.5");
2718 assert_eq!(F64(0.5).pretty().to_string(), "0.5");
2720 assert_eq!(F64(f64::NAN).to_string(), "null
");
2721 assert_eq!(F64(f64::NAN).pretty().to_string(), "null
");
2723 assert_eq!(F64(f64::INFINITY).to_string(), "null
");
2724 assert_eq!(F64(f64::INFINITY).pretty().to_string(), "null
");
2726 assert_eq!(F64(f64::NEG_INFINITY).to_string(), "null
");
2727 assert_eq!(F64(f64::NEG_INFINITY).pretty().to_string(), "null
");
2731 fn test_write_str() {
2732 assert_eq!(String("".to_string()).to_string(), "\"\"");
2733 assert_eq!(String("".to_string()).pretty().to_string(), "\"\"");
2735 assert_eq!(String("homura
".to_string()).to_string(), "\"homura
\"");
2736 assert_eq!(String("madoka
".to_string()).pretty().to_string(), "\"madoka
\"");
2740 fn test_write_bool() {
2741 assert_eq!(Boolean(true).to_string(), "true");
2742 assert_eq!(Boolean(true).pretty().to_string(), "true");
2744 assert_eq!(Boolean(false).to_string(), "false");
2745 assert_eq!(Boolean(false).pretty().to_string(), "false");
2749 fn test_write_array() {
2750 assert_eq!(Array(vec![]).to_string(), "[]");
2751 assert_eq!(Array(vec![]).pretty().to_string(), "[]");
2753 assert_eq!(Array(vec![Boolean(true)]).to_string(), "[true]");
2755 Array(vec![Boolean(true)]).pretty().to_string(),
2762 let long_test_array = Array(vec![
2765 Array(vec![String("foo
\nbar
".to_string()), F64(3.5)])]);
2767 assert_eq!(long_test_array.to_string(),
2768 "[false,null
,[\"foo
\\nbar
\",3.5]]");
2770 long_test_array.pretty().to_string(),
2784 fn test_write_object() {
2785 assert_eq!(mk_object(&[]).to_string(), "{}
");
2786 assert_eq!(mk_object(&[]).pretty().to_string(), "{}
");
2790 ("a
".to_string(), Boolean(true))
2795 mk_object(&[("a
".to_string(), Boolean(true))]).pretty().to_string(),
2802 let complex_obj = mk_object(&[
2803 ("b
".to_string(), Array(vec![
2804 mk_object(&[("c
".to_string(), String("\x0c
\r".to_string()))]),
2805 mk_object(&[("d
".to_string(), String("".to_string()))])
2810 complex_obj.to_string(),
2813 {\"c\":\"\\f\\r\"}
,\
2819 complex_obj.pretty().to_string(),
2824 \"c
\": \"\\f
\\r
\"\n \
2833 let a = mk_object(&[
2834 ("a
".to_string(), Boolean(true)),
2835 ("b
".to_string(), Array(vec![
2836 mk_object(&[("c
".to_string(), String("\x0c
\r".to_string()))]),
2837 mk_object(&[("d
".to_string(), String("".to_string()))])
2841 // We can't compare the strings directly because the object fields be
2842 // printed in a different order.
2843 assert_eq!(a.clone(), a.to_string().parse().unwrap());
2844 assert_eq!(a.clone(), a.pretty().to_string().parse().unwrap());
2848 fn test_write_enum() {
2851 format!("{}
", super::as_json(&animal)),
2855 format!("{}
", super::as_pretty_json(&animal)),
2859 let animal = Frog("Henry
".to_string(), 349);
2861 format!("{}
", super::as_json(&animal)),
2862 "{\"variant\":\"Frog\",\"fields\":[\"Henry\",349]}
"
2865 format!("{}
", super::as_pretty_json(&animal)),
2867 \"variant
\": \"Frog
\",\n \
2876 macro_rules! check_encoder_for_simple {
2877 ($value:expr, $expected:expr) => ({
2878 let s = format!("{}
", super::as_json(&$value));
2879 assert_eq!(s, $expected);
2881 let s = format!("{}
", super::as_pretty_json(&$value));
2882 assert_eq!(s, $expected);
2887 fn test_write_some() {
2888 check_encoder_for_simple!(Some("jodhpurs
".to_string()), "\"jodhpurs
\"");
2892 fn test_write_none() {
2893 check_encoder_for_simple!(None::<string::String>, "null
");
2897 fn test_write_char() {
2898 check_encoder_for_simple!('a', "\"a
\"");
2899 check_encoder_for_simple!('\t', "\"\\t
\"");
2900 check_encoder_for_simple!('\u{0000}', "\"\\u0000
\"");
2901 check_encoder_for_simple!('\u{001b}', "\"\\u001b
\"");
2902 check_encoder_for_simple!('\u{007f}', "\"\\u007f
\"");
2903 check_encoder_for_simple!('\u{00a0}', "\"\u{00a0}\"");
2904 check_encoder_for_simple!('\u{abcd}', "\"\u{abcd}\"");
2905 check_encoder_for_simple!('\u{10ffff}', "\"\u{10ffff}
\"");
2909 fn test_trailing_characters() {
2910 assert_eq!(from_str("nulla
"), Err(SyntaxError(TrailingCharacters, 1, 5)));
2911 assert_eq!(from_str("truea
"), Err(SyntaxError(TrailingCharacters, 1, 5)));
2912 assert_eq!(from_str("falsea
"), Err(SyntaxError(TrailingCharacters, 1, 6)));
2913 assert_eq!(from_str("1a
"), Err(SyntaxError(TrailingCharacters, 1, 2)));
2914 assert_eq!(from_str("[]a
"), Err(SyntaxError(TrailingCharacters, 1, 3)));
2915 assert_eq!(from_str("{}a
"), Err(SyntaxError(TrailingCharacters, 1, 3)));
2919 fn test_read_identifiers() {
2920 assert_eq!(from_str("n
"), Err(SyntaxError(InvalidSyntax, 1, 2)));
2921 assert_eq!(from_str("nul
"), Err(SyntaxError(InvalidSyntax, 1, 4)));
2922 assert_eq!(from_str("t
"), Err(SyntaxError(InvalidSyntax, 1, 2)));
2923 assert_eq!(from_str("truz
"), Err(SyntaxError(InvalidSyntax, 1, 4)));
2924 assert_eq!(from_str("f
"), Err(SyntaxError(InvalidSyntax, 1, 2)));
2925 assert_eq!(from_str("faz
"), Err(SyntaxError(InvalidSyntax, 1, 3)));
2927 assert_eq!(from_str("null
"), Ok(Null));
2928 assert_eq!(from_str("true"), Ok(Boolean(true)));
2929 assert_eq!(from_str("false"), Ok(Boolean(false)));
2930 assert_eq!(from_str(" null
"), Ok(Null));
2931 assert_eq!(from_str(" true "), Ok(Boolean(true)));
2932 assert_eq!(from_str(" false "), Ok(Boolean(false)));
2936 fn test_decode_identifiers() {
2937 let v: () = super::decode("null
").unwrap();
2940 let v: bool = super::decode("true").unwrap();
2941 assert_eq!(v, true);
2943 let v: bool = super::decode("false").unwrap();
2944 assert_eq!(v, false);
2948 fn test_read_number() {
2949 assert_eq!(from_str("+"), Err(SyntaxError(InvalidSyntax, 1, 1)));
2950 assert_eq!(from_str("."), Err(SyntaxError(InvalidSyntax, 1, 1)));
2951 assert_eq!(from_str("NaN
"), Err(SyntaxError(InvalidSyntax, 1, 1)));
2952 assert_eq!(from_str("-"), Err(SyntaxError(InvalidNumber, 1, 2)));
2953 assert_eq!(from_str("00"), Err(SyntaxError(InvalidNumber, 1, 2)));
2954 assert_eq!(from_str("1."), Err(SyntaxError(InvalidNumber, 1, 3)));
2955 assert_eq!(from_str("1e
"), Err(SyntaxError(InvalidNumber, 1, 3)));
2956 assert_eq!(from_str("1e
+"), Err(SyntaxError(InvalidNumber, 1, 4)));
2958 assert_eq!(from_str("18446744073709551616"), Err(SyntaxError(InvalidNumber, 1, 20)));
2959 assert_eq!(from_str("-9223372036854775809"), Err(SyntaxError(InvalidNumber, 1, 21)));
2961 assert_eq!(from_str("3"), Ok(U64(3)));
2962 assert_eq!(from_str("3.1"), Ok(F64(3.1)));
2963 assert_eq!(from_str("-1.2"), Ok(F64(-1.2)));
2964 assert_eq!(from_str("0.4"), Ok(F64(0.4)));
2965 assert_eq!(from_str("0.4e5
"), Ok(F64(0.4e5)));
2966 assert_eq!(from_str("0.4e+15"), Ok(F64(0.4e15)));
2967 assert_eq!(from_str("0.4e-01"), Ok(F64(0.4e-01)));
2968 assert_eq!(from_str(" 3 "), Ok(U64(3)));
2970 assert_eq!(from_str("-9223372036854775808"), Ok(I64(i64::MIN)));
2971 assert_eq!(from_str("9223372036854775807"), Ok(U64(i64::MAX as u64)));
2972 assert_eq!(from_str("18446744073709551615"), Ok(U64(u64::MAX)));
2976 fn test_decode_numbers() {
2977 let v: f64 = super::decode("3").unwrap();
2980 let v: f64 = super::decode("3.1").unwrap();
2983 let v: f64 = super::decode("-1.2").unwrap();
2984 assert_eq!(v, -1.2);
2986 let v: f64 = super::decode("0.4").unwrap();
2989 let v: f64 = super::decode("0.4e5
").unwrap();
2990 assert_eq!(v, 0.4e5);
2992 let v: f64 = super::decode("0.4e15
").unwrap();
2993 assert_eq!(v, 0.4e15);
2995 let v: f64 = super::decode("0.4e-01").unwrap();
2996 assert_eq!(v, 0.4e-01);
2998 let v: u64 = super::decode("0").unwrap();
3001 let v: u64 = super::decode("18446744073709551615").unwrap();
3002 assert_eq!(v, u64::MAX);
3004 let v: i64 = super::decode("-9223372036854775808").unwrap();
3005 assert_eq!(v, i64::MIN);
3007 let v: i64 = super::decode("9223372036854775807").unwrap();
3008 assert_eq!(v, i64::MAX);
3010 let res: DecodeResult<i64> = super::decode("765.25");
3011 assert_eq!(res, Err(ExpectedError("Integer
".to_string(),
3012 "765.25".to_string())));
3016 fn test_read_str() {
3017 assert_eq!(from_str("\""), Err(SyntaxError(EOFWhileParsingString, 1, 2)));
3018 assert_eq!(from_str("\"lol
"), Err(SyntaxError(EOFWhileParsingString, 1, 5)));
3020 assert_eq!(from_str("\"\""), Ok(String("".to_string())));
3021 assert_eq!(from_str("\"foo
\""), Ok(String("foo
".to_string())));
3022 assert_eq!(from_str("\"\\\"\""), Ok(String("\"".to_string())));
3023 assert_eq!(from_str("\"\\b
\""), Ok(String("\x08
".to_string())));
3024 assert_eq!(from_str("\"\\n
\""), Ok(String("\n".to_string())));
3025 assert_eq!(from_str("\"\\r
\""), Ok(String("\r".to_string())));
3026 assert_eq!(from_str("\"\\t
\""), Ok(String("\t".to_string())));
3027 assert_eq!(from_str(" \"foo
\" "), Ok(String("foo
".to_string())));
3028 assert_eq!(from_str("\"\\u12ab
\""), Ok(String("\u{12ab}".to_string())));
3029 assert_eq!(from_str("\"\\uAB12
\""), Ok(String("\u{AB12}".to_string())));
3033 fn test_decode_str() {
3034 let s = [("\"\"", ""),
3037 ("\"\\b
\"", "\x08
"),
3041 ("\"\\u12ab
\"", "\u{12ab}"),
3042 ("\"\\uAB12
\"", "\u{AB12}")];
3045 let v: string::String = super::decode(i).unwrap();
3051 fn test_read_array() {
3052 assert_eq!(from_str("["), Err(SyntaxError(EOFWhileParsingValue, 1, 2)));
3053 assert_eq!(from_str("[1"), Err(SyntaxError(EOFWhileParsingArray, 1, 3)));
3054 assert_eq!(from_str("[1,"), Err(SyntaxError(EOFWhileParsingValue, 1, 4)));
3055 assert_eq!(from_str("[1,]"), Err(SyntaxError(InvalidSyntax, 1, 4)));
3056 assert_eq!(from_str("[6 7]"), Err(SyntaxError(InvalidSyntax, 1, 4)));
3058 assert_eq!(from_str("[]"), Ok(Array(vec![])));
3059 assert_eq!(from_str("[ ]"), Ok(Array(vec![])));
3060 assert_eq!(from_str("[true]"), Ok(Array(vec![Boolean(true)])));
3061 assert_eq!(from_str("[ false ]"), Ok(Array(vec![Boolean(false)])));
3062 assert_eq!(from_str("[null
]"), Ok(Array(vec![Null])));
3063 assert_eq!(from_str("[3, 1]"),
3064 Ok(Array(vec![U64(3), U64(1)])));
3065 assert_eq!(from_str("\n[3, 2]\n"),
3066 Ok(Array(vec![U64(3), U64(2)])));
3067 assert_eq!(from_str("[2, [4, 1]]"),
3068 Ok(Array(vec![U64(2), Array(vec![U64(4), U64(1)])])));
3072 fn test_decode_array() {
3073 let v: Vec<()> = super::decode("[]").unwrap();
3076 let v: Vec<()> = super::decode("[null
]").unwrap();
3077 assert_eq!(v, [()]);
3079 let v: Vec<bool> = super::decode("[true]").unwrap();
3080 assert_eq!(v, [true]);
3082 let v: Vec<isize> = super::decode("[3, 1]").unwrap();
3083 assert_eq!(v, [3, 1]);
3085 let v: Vec<Vec<usize>> = super::decode("[[3], [1, 2]]").unwrap();
3086 assert_eq!(v, [vec![3], vec![1, 2]]);
3090 fn test_decode_tuple() {
3091 let t: (usize, usize, usize) = super::decode("[1, 2, 3]").unwrap();
3092 assert_eq!(t, (1, 2, 3));
3094 let t: (usize, string::String) = super::decode("[1, \"two
\"]").unwrap();
3095 assert_eq!(t, (1, "two
".to_string()));
3099 fn test_decode_tuple_malformed_types() {
3100 assert!(super::decode::<(usize, string::String)>("[1, 2]").is_err());
3104 fn test_decode_tuple_malformed_length() {
3105 assert!(super::decode::<(usize, usize)>("[1, 2, 3]").is_err());
3109 fn test_read_object() {
3110 assert_eq!(from_str("{"), Err(SyntaxError(EOFWhileParsingObject, 1, 2)));
3111 assert_eq!(from_str("{ "), Err(SyntaxError(EOFWhileParsingObject, 1, 3)));
3112 assert_eq!(from_str("{1"), Err(SyntaxError(KeyMustBeAString, 1, 2)));
3113 assert_eq!(from_str("{ \"a
\""), Err(SyntaxError(EOFWhileParsingObject, 1, 6)));
3114 assert_eq!(from_str("{\"a
\""), Err(SyntaxError(EOFWhileParsingObject, 1, 5)));
3115 assert_eq!(from_str("{\"a
\" "), Err(SyntaxError(EOFWhileParsingObject, 1, 6)));
3117 assert_eq!(from_str("{\"a
\" 1"), Err(SyntaxError(ExpectedColon, 1, 6)));
3118 assert_eq!(from_str("{\"a
\":"), Err(SyntaxError(EOFWhileParsingValue, 1, 6)));
3119 assert_eq!(from_str("{\"a
\":1"), Err(SyntaxError(EOFWhileParsingObject, 1, 7)));
3120 assert_eq!(from_str("{\"a
\":1 1"), Err(SyntaxError(InvalidSyntax, 1, 8)));
3121 assert_eq!(from_str("{\"a
\":1,"), Err(SyntaxError(EOFWhileParsingObject, 1, 8)));
3123 assert_eq!(from_str("{}
").unwrap(), mk_object(&[]));
3124 assert_eq!(from_str("{\"a\": 3}
").unwrap(),
3125 mk_object(&[("a
".to_string(), U64(3))]));
3127 assert_eq!(from_str(
3128 "{ \"a\": null, \"b\" : true }
").unwrap(),
3130 ("a
".to_string(), Null),
3131 ("b
".to_string(), Boolean(true))]));
3132 assert_eq!(from_str("\n{ \"a\": null, \"b\" : true }
\n").unwrap(),
3134 ("a
".to_string(), Null),
3135 ("b
".to_string(), Boolean(true))]));
3136 assert_eq!(from_str(
3137 "{\"a\" : 1.0 ,\"b\": [ true ]}
").unwrap(),
3139 ("a
".to_string(), F64(1.0)),
3140 ("b
".to_string(), Array(vec![Boolean(true)]))
3142 assert_eq!(from_str(
3148 { \"c\": {\"d\": null}
} \
3152 ("a
".to_string(), F64(1.0)),
3153 ("b
".to_string(), Array(vec![
3155 String("foo
\nbar
".to_string()),
3157 ("c
".to_string(), mk_object(&[("d
".to_string(), Null)]))
3164 fn test_decode_struct() {
3167 { \"a\": null, \"b\": 2, \"c\": [\"abc\", \"xyz\"] }
3171 let v: Outer = super::decode(s).unwrap();
3176 Inner { a: (), b: 2, c: vec!["abc".to_string(), "xyz".to_string()] }
3182 #[derive(RustcDecodable)]
3183 struct FloatStruct {
3188 fn test_decode_struct_with_nan() {
3189 let s = "{\"f\":null,\"a\":[null,123]}
";
3190 let obj: FloatStruct = super::decode(s).unwrap();
3191 assert!(obj.f.is_nan());
3192 assert!(obj.a[0].is_nan());
3193 assert_eq!(obj.a[1], 123f64);
3197 fn test_decode_option() {
3198 let value: Option<string::String> = super::decode("null
").unwrap();
3199 assert_eq!(value, None);
3201 let value: Option<string::String> = super::decode("\"jodhpurs
\"").unwrap();
3202 assert_eq!(value, Some("jodhpurs
".to_string()));
3206 fn test_decode_enum() {
3207 let value: Animal = super::decode("\"Dog
\"").unwrap();
3208 assert_eq!(value, Dog);
3210 let s = "{\"variant\":\"Frog\",\"fields\":[\"Henry\",349]}
";
3211 let value: Animal = super::decode(s).unwrap();
3212 assert_eq!(value, Frog("Henry
".to_string(), 349));
3216 fn test_decode_map() {
3217 let s = "{\"a
\": \"Dog
\", \"b
\": {\"variant
\":\"Frog
\",\
3218 \"fields
\":[\"Henry
\", 349]}}";
3219 let mut map: BTreeMap<string::String, Animal> = super::decode(s).unwrap();
3221 assert_eq!(map.remove(&"a
".to_string()), Some(Dog));
3222 assert_eq!(map.remove(&"b
".to_string()), Some(Frog("Henry
".to_string(), 349)));
3226 fn test_multiline_errors() {
3227 assert_eq!(from_str("{\n \"foo
\":\n \"bar
\""),
3228 Err(SyntaxError(EOFWhileParsingObject, 3, 8)));
3231 #[derive(RustcDecodable)]
3233 struct DecodeStruct {
3237 w: Vec<DecodeStruct>
3239 #[derive(RustcDecodable)]
3244 fn check_err<T: Decodable>(to_parse: &'static str, expected: DecoderError) {
3245 let res: DecodeResult<T> = match from_str(to_parse) {
3246 Err(e) => Err(ParseError(e)),
3247 Ok(json) => Decodable::decode(&mut Decoder::new(json))
3250 Ok(_) => panic!("`{:?}` parsed
& decoded ok
, expecting error `{:?}`
",
3251 to_parse, expected),
3252 Err(ParseError(e)) => panic!("`{:?}` is not valid json
: {:?}
",
3255 assert_eq!(e, expected);
3260 fn test_decode_errors_struct() {
3261 check_err::<DecodeStruct>("[]", ExpectedError("Object
".to_string(), "[]".to_string()));
3262 check_err::<DecodeStruct>("{\"x\": true, \"y\": true, \"z\": \"\", \"w\": []}
",
3263 ExpectedError("Number
".to_string(), "true".to_string()));
3264 check_err::<DecodeStruct>("{\"x\": 1, \"y\": [], \"z\": \"\", \"w\": []}
",
3265 ExpectedError("Boolean
".to_string(), "[]".to_string()));
3266 check_err::<DecodeStruct>("{\"x\": 1, \"y\": true, \"z\": {}
, \"w
\": []}",
3267 ExpectedError("String
".to_string(), "{}
".to_string()));
3268 check_err::<DecodeStruct>("{\"x\": 1, \"y\": true, \"z\": \"\", \"w\": null}
",
3269 ExpectedError("Array
".to_string(), "null
".to_string()));
3270 check_err::<DecodeStruct>("{\"x\": 1, \"y\": true, \"z\": \"\"}
",
3271 MissingFieldError("w
".to_string()));
3274 fn test_decode_errors_enum() {
3275 check_err::<DecodeEnum>("{}
",
3276 MissingFieldError("variant
".to_string()));
3277 check_err::<DecodeEnum>("{\"variant\": 1}
",
3278 ExpectedError("String
".to_string(), "1".to_string()));
3279 check_err::<DecodeEnum>("{\"variant\": \"A\"}
",
3280 MissingFieldError("fields
".to_string()));
3281 check_err::<DecodeEnum>("{\"variant\": \"A\", \"fields\": null}
",
3282 ExpectedError("Array
".to_string(), "null
".to_string()));
3283 check_err::<DecodeEnum>("{\"variant\": \"C\", \"fields\": []}
",
3284 UnknownVariantError("C
".to_string()));
3289 let json_value = from_str("{\"dog\" : \"cat\"}
").unwrap();
3290 let found_str = json_value.find("dog
");
3291 assert!(found_str.unwrap().as_string().unwrap() == "cat
");
3295 fn test_find_path(){
3296 let json_value = from_str("{\"dog\":{\"cat\": {\"mouse\" : \"cheese\"}
}}").unwrap();
3297 let found_str = json_value.find_path(&["dog
", "cat
", "mouse
"]);
3298 assert!(found_str.unwrap().as_string().unwrap() == "cheese
");
3303 let json_value = from_str("{\"dog\":{\"cat\": {\"mouse\" : \"cheese\"}
}}").unwrap();
3304 let found_str = json_value.search("mouse
").and_then(|j| j.as_string());
3305 assert!(found_str.unwrap() == "cheese
");
3310 let json_value = from_str("{\"animals\":[\"dog\",\"cat\",\"mouse\"]}
").unwrap();
3311 let ref array = json_value["animals
"];
3312 assert_eq!(array[0].as_string().unwrap(), "dog
");
3313 assert_eq!(array[1].as_string().unwrap(), "cat
");
3314 assert_eq!(array[2].as_string().unwrap(), "mouse
");
3318 fn test_is_object(){
3319 let json_value = from_str("{}
").unwrap();
3320 assert!(json_value.is_object());
3324 fn test_as_object(){
3325 let json_value = from_str("{}
").unwrap();
3326 let json_object = json_value.as_object();
3327 assert!(json_object.is_some());
3332 let json_value = from_str("[1, 2, 3]").unwrap();
3333 assert!(json_value.is_array());
3338 let json_value = from_str("[1, 2, 3]").unwrap();
3339 let json_array = json_value.as_array();
3340 let expected_length = 3;
3341 assert!(json_array.is_some() && json_array.unwrap().len() == expected_length);
3345 fn test_is_string(){
3346 let json_value = from_str("\"dog
\"").unwrap();
3347 assert!(json_value.is_string());
3351 fn test_as_string(){
3352 let json_value = from_str("\"dog
\"").unwrap();
3353 let json_str = json_value.as_string();
3354 let expected_str = "dog
";
3355 assert_eq!(json_str, Some(expected_str));
3359 fn test_is_number(){
3360 let json_value = from_str("12").unwrap();
3361 assert!(json_value.is_number());
3366 let json_value = from_str("-12").unwrap();
3367 assert!(json_value.is_i64());
3369 let json_value = from_str("12").unwrap();
3370 assert!(!json_value.is_i64());
3372 let json_value = from_str("12.0").unwrap();
3373 assert!(!json_value.is_i64());
3378 let json_value = from_str("12").unwrap();
3379 assert!(json_value.is_u64());
3381 let json_value = from_str("-12").unwrap();
3382 assert!(!json_value.is_u64());
3384 let json_value = from_str("12.0").unwrap();
3385 assert!(!json_value.is_u64());
3390 let json_value = from_str("12").unwrap();
3391 assert!(!json_value.is_f64());
3393 let json_value = from_str("-12").unwrap();
3394 assert!(!json_value.is_f64());
3396 let json_value = from_str("12.0").unwrap();
3397 assert!(json_value.is_f64());
3399 let json_value = from_str("-12.0").unwrap();
3400 assert!(json_value.is_f64());
3405 let json_value = from_str("-12").unwrap();
3406 let json_num = json_value.as_i64();
3407 assert_eq!(json_num, Some(-12));
3412 let json_value = from_str("12").unwrap();
3413 let json_num = json_value.as_u64();
3414 assert_eq!(json_num, Some(12));
3419 let json_value = from_str("12.0").unwrap();
3420 let json_num = json_value.as_f64();
3421 assert_eq!(json_num, Some(12f64));
3425 fn test_is_boolean(){
3426 let json_value = from_str("false").unwrap();
3427 assert!(json_value.is_boolean());
3431 fn test_as_boolean(){
3432 let json_value = from_str("false").unwrap();
3433 let json_bool = json_value.as_boolean();
3434 let expected_bool = false;
3435 assert!(json_bool.is_some() && json_bool.unwrap() == expected_bool);
3440 let json_value = from_str("null
").unwrap();
3441 assert!(json_value.is_null());
3446 let json_value = from_str("null
").unwrap();
3447 let json_null = json_value.as_null();
3448 let expected_null = ();
3449 assert!(json_null.is_some() && json_null.unwrap() == expected_null);
3453 fn test_encode_hashmap_with_numeric_key() {
3454 use std::str::from_utf8;
3455 use std::collections::HashMap;
3456 let mut hm: HashMap<usize, bool> = HashMap::new();
3458 let mut mem_buf = Vec::new();
3459 write!(&mut mem_buf, "{}
", super::as_pretty_json(&hm)).unwrap();
3460 let json_str = from_utf8(&mem_buf[..]).unwrap();
3461 match from_str(json_str) {
3462 Err(_) => panic!("Unable to parse json_str
: {:?}
", json_str),
3463 _ => {} // it parsed and we are good to go
3468 fn test_prettyencode_hashmap_with_numeric_key() {
3469 use std::str::from_utf8;
3470 use std::collections::HashMap;
3471 let mut hm: HashMap<usize, bool> = HashMap::new();
3473 let mut mem_buf = Vec::new();
3474 write!(&mut mem_buf, "{}
", super::as_pretty_json(&hm)).unwrap();
3475 let json_str = from_utf8(&mem_buf[..]).unwrap();
3476 match from_str(json_str) {
3477 Err(_) => panic!("Unable to parse json_str
: {:?}
", json_str),
3478 _ => {} // it parsed and we are good to go
3483 fn test_prettyencoder_indent_level_param() {
3484 use std::str::from_utf8;
3485 use std::collections::BTreeMap;
3487 let mut tree = BTreeMap::new();
3489 tree.insert("hello
".to_string(), String("guten tag
".to_string()));
3490 tree.insert("goodbye
".to_string(), String("sayonara
".to_string()));
3493 // The following layout below should look a lot like
3494 // the pretty-printed JSON (indent * x)
3497 String("greetings
".to_string()), // 1x
3498 Object(tree), // 1x + 2x + 2x + 1x
3500 // End JSON array (7 lines)
3503 // Helper function for counting indents
3504 fn indents(source: &str) -> usize {
3505 let trimmed = source.trim_left_matches(' ');
3506 source.len() - trimmed.len()
3509 // Test up to 4 spaces of indents (more?)
3511 let mut writer = Vec::new();
3512 write!(&mut writer, "{}
",
3513 super::as_pretty_json(&json).indent(i)).unwrap();
3515 let printed = from_utf8(&writer[..]).unwrap();
3517 // Check for indents at each line
3518 let lines: Vec<&str> = printed.lines().collect();
3519 assert_eq!(lines.len(), 7); // JSON should be 7 lines
3521 assert_eq!(indents(lines[0]), 0 * i); // [
3522 assert_eq!(indents(lines[1]), 1 * i); // "greetings
",
3523 assert_eq!(indents(lines[2]), 1 * i); // {
3524 assert_eq!(indents(lines[3]), 2 * i); // "hello
": "guten tag
",
3525 assert_eq!(indents(lines[4]), 2 * i); // "goodbye
": "sayonara
"
3526 assert_eq!(indents(lines[5]), 1 * i); // },
3527 assert_eq!(indents(lines[6]), 0 * i); // ]
3529 // Finally, test that the pretty-printed JSON is valid
3530 from_str(printed).ok().expect("Pretty
-printed JSON is invalid
!");
3535 fn test_hashmap_with_enum_key() {
3536 use std::collections::HashMap;
3538 #[derive(RustcEncodable, Eq, Hash, PartialEq, RustcDecodable, Debug)]
3544 let mut map = HashMap::new();
3545 map.insert(Enum::Foo, 0);
3546 let result = json::encode(&map).unwrap();
3547 assert_eq!(&result[..], r#"{"Foo":0}
"#);
3548 let decoded: HashMap<Enum, _> = json::decode(&result).unwrap();
3549 assert_eq!(map, decoded);
3553 fn test_hashmap_with_numeric_key_can_handle_double_quote_delimited_key() {
3554 use std::collections::HashMap;
3556 let json_str = "{\"1\":true}
";
3557 let json_obj = match from_str(json_str) {
3558 Err(_) => panic!("Unable to parse json_str
: {:?}
", json_str),
3561 let mut decoder = Decoder::new(json_obj);
3562 let _hm: HashMap<usize, bool> = Decodable::decode(&mut decoder).unwrap();
3566 fn test_hashmap_with_numeric_key_will_error_with_string_keys() {
3567 use std::collections::HashMap;
3569 let json_str = "{\"a\":true}
";
3570 let json_obj = match from_str(json_str) {
3571 Err(_) => panic!("Unable to parse json_str
: {:?}
", json_str),
3574 let mut decoder = Decoder::new(json_obj);
3575 let result: Result<HashMap<usize, bool>, DecoderError> = Decodable::decode(&mut decoder);
3576 assert_eq!(result, Err(ExpectedError("Number
".to_string(), "a
".to_string())));
3579 fn assert_stream_equal(src: &str,
3580 expected: Vec<(JsonEvent, Vec<StackElement>)>) {
3581 let mut parser = Parser::new(src.chars());
3584 let evt = match parser.next() {
3588 let (ref expected_evt, ref expected_stack) = expected[i];
3589 if !parser.stack().is_equal_to(expected_stack) {
3590 panic!("Parser stack is not equal to {:?}
", expected_stack);
3592 assert_eq!(&evt, expected_evt);
3597 #[cfg_attr(target_pointer_width = "32", ignore)] // FIXME(#14064)
3598 fn test_streaming_parser() {
3599 assert_stream_equal(
3600 r#"{ "foo":"bar", "array" : [0, 1, 2, 3, 4, 5], "idents":[null,true,false]}
"#,
3602 (ObjectStart, vec![]),
3603 (StringValue("bar
".to_string()), vec![StackElement::Key("foo
")]),
3604 (ArrayStart, vec![StackElement::Key("array
")]),
3605 (U64Value(0), vec![StackElement::Key("array
"), StackElement::Index(0)]),
3606 (U64Value(1), vec![StackElement::Key("array
"), StackElement::Index(1)]),
3607 (U64Value(2), vec![StackElement::Key("array
"), StackElement::Index(2)]),
3608 (U64Value(3), vec![StackElement::Key("array
"), StackElement::Index(3)]),
3609 (U64Value(4), vec![StackElement::Key("array
"), StackElement::Index(4)]),
3610 (U64Value(5), vec![StackElement::Key("array
"), StackElement::Index(5)]),
3611 (ArrayEnd, vec![StackElement::Key("array
")]),
3612 (ArrayStart, vec![StackElement::Key("idents
")]),
3613 (NullValue, vec![StackElement::Key("idents
"),
3614 StackElement::Index(0)]),
3615 (BooleanValue(true), vec![StackElement::Key("idents
"),
3616 StackElement::Index(1)]),
3617 (BooleanValue(false), vec![StackElement::Key("idents
"),
3618 StackElement::Index(2)]),
3619 (ArrayEnd, vec![StackElement::Key("idents
")]),
3620 (ObjectEnd, vec![]),
3624 fn last_event(src: &str) -> JsonEvent {
3625 let mut parser = Parser::new(src.chars());
3626 let mut evt = NullValue;
3628 evt = match parser.next() {
3636 #[cfg_attr(target_pointer_width = "32", ignore)] // FIXME(#14064)
3637 fn test_read_object_streaming() {
3638 assert_eq!(last_event("{ "), Error(SyntaxError(EOFWhileParsingObject, 1, 3)));
3639 assert_eq!(last_event("{1"), Error(SyntaxError(KeyMustBeAString, 1, 2)));
3640 assert_eq!(last_event("{ \"a
\""), Error(SyntaxError(EOFWhileParsingObject, 1, 6)));
3641 assert_eq!(last_event("{\"a
\""), Error(SyntaxError(EOFWhileParsingObject, 1, 5)));
3642 assert_eq!(last_event("{\"a
\" "), Error(SyntaxError(EOFWhileParsingObject, 1, 6)));
3644 assert_eq!(last_event("{\"a
\" 1"), Error(SyntaxError(ExpectedColon, 1, 6)));
3645 assert_eq!(last_event("{\"a
\":"), Error(SyntaxError(EOFWhileParsingValue, 1, 6)));
3646 assert_eq!(last_event("{\"a
\":1"), Error(SyntaxError(EOFWhileParsingObject, 1, 7)));
3647 assert_eq!(last_event("{\"a
\":1 1"), Error(SyntaxError(InvalidSyntax, 1, 8)));
3648 assert_eq!(last_event("{\"a
\":1,"), Error(SyntaxError(EOFWhileParsingObject, 1, 8)));
3649 assert_eq!(last_event("{\"a\":1,}
"), Error(SyntaxError(TrailingComma, 1, 8)));
3651 assert_stream_equal(
3653 vec![(ObjectStart, vec![]), (ObjectEnd, vec![])]
3655 assert_stream_equal(
3658 (ObjectStart, vec![]),
3659 (U64Value(3), vec![StackElement::Key("a
")]),
3660 (ObjectEnd, vec![]),
3663 assert_stream_equal(
3664 "{ \"a\": null, \"b\" : true }
",
3666 (ObjectStart, vec![]),
3667 (NullValue, vec![StackElement::Key("a
")]),
3668 (BooleanValue(true), vec![StackElement::Key("b
")]),
3669 (ObjectEnd, vec![]),
3672 assert_stream_equal(
3673 "{\"a\" : 1.0 ,\"b\": [ true ]}
",
3675 (ObjectStart, vec![]),
3676 (F64Value(1.0), vec![StackElement::Key("a
")]),
3677 (ArrayStart, vec![StackElement::Key("b
")]),
3678 (BooleanValue(true),vec![StackElement::Key("b
"), StackElement::Index(0)]),
3679 (ArrayEnd, vec![StackElement::Key("b
")]),
3680 (ObjectEnd, vec![]),
3683 assert_stream_equal(
3689 { "c": {"d": null}
}
3693 (ObjectStart, vec![]),
3694 (F64Value(1.0), vec![StackElement::Key("a
")]),
3695 (ArrayStart, vec![StackElement::Key("b
")]),
3696 (BooleanValue(true), vec![StackElement::Key("b
"),
3697 StackElement::Index(0)]),
3698 (StringValue("foo
\nbar
".to_string()), vec![StackElement::Key("b
"),
3699 StackElement::Index(1)]),
3700 (ObjectStart, vec![StackElement::Key("b
"),
3701 StackElement::Index(2)]),
3702 (ObjectStart, vec![StackElement::Key("b
"),
3703 StackElement::Index(2),
3704 StackElement::Key("c
")]),
3705 (NullValue, vec![StackElement::Key("b
"),
3706 StackElement::Index(2),
3707 StackElement::Key("c
"),
3708 StackElement::Key("d
")]),
3709 (ObjectEnd, vec![StackElement::Key("b
"),
3710 StackElement::Index(2),
3711 StackElement::Key("c
")]),
3712 (ObjectEnd, vec![StackElement::Key("b
"),
3713 StackElement::Index(2)]),
3714 (ArrayEnd, vec![StackElement::Key("b
")]),
3715 (ObjectEnd, vec![]),
3720 #[cfg_attr(target_pointer_width = "32", ignore)] // FIXME(#14064)
3721 fn test_read_array_streaming() {
3722 assert_stream_equal(
3725 (ArrayStart, vec![]),
3729 assert_stream_equal(
3732 (ArrayStart, vec![]),
3736 assert_stream_equal(
3739 (ArrayStart, vec![]),
3740 (BooleanValue(true), vec![StackElement::Index(0)]),
3744 assert_stream_equal(
3747 (ArrayStart, vec![]),
3748 (BooleanValue(false), vec![StackElement::Index(0)]),
3752 assert_stream_equal(
3755 (ArrayStart, vec![]),
3756 (NullValue, vec![StackElement::Index(0)]),
3760 assert_stream_equal(
3763 (ArrayStart, vec![]),
3764 (U64Value(3), vec![StackElement::Index(0)]),
3765 (U64Value(1), vec![StackElement::Index(1)]),
3769 assert_stream_equal(
3772 (ArrayStart, vec![]),
3773 (U64Value(3), vec![StackElement::Index(0)]),
3774 (U64Value(2), vec![StackElement::Index(1)]),
3778 assert_stream_equal(
3781 (ArrayStart, vec![]),
3782 (U64Value(2), vec![StackElement::Index(0)]),
3783 (ArrayStart, vec![StackElement::Index(1)]),
3784 (U64Value(4), vec![StackElement::Index(1), StackElement::Index(0)]),
3785 (U64Value(1), vec![StackElement::Index(1), StackElement::Index(1)]),
3786 (ArrayEnd, vec![StackElement::Index(1)]),
3791 assert_eq!(last_event("["), Error(SyntaxError(EOFWhileParsingValue, 1, 2)));
3793 assert_eq!(from_str("["), Err(SyntaxError(EOFWhileParsingValue, 1, 2)));
3794 assert_eq!(from_str("[1"), Err(SyntaxError(EOFWhileParsingArray, 1, 3)));
3795 assert_eq!(from_str("[1,"), Err(SyntaxError(EOFWhileParsingValue, 1, 4)));
3796 assert_eq!(from_str("[1,]"), Err(SyntaxError(InvalidSyntax, 1, 4)));
3797 assert_eq!(from_str("[6 7]"), Err(SyntaxError(InvalidSyntax, 1, 4)));
3801 fn test_trailing_characters_streaming() {
3802 assert_eq!(last_event("nulla
"), Error(SyntaxError(TrailingCharacters, 1, 5)));
3803 assert_eq!(last_event("truea
"), Error(SyntaxError(TrailingCharacters, 1, 5)));
3804 assert_eq!(last_event("falsea
"), Error(SyntaxError(TrailingCharacters, 1, 6)));
3805 assert_eq!(last_event("1a
"), Error(SyntaxError(TrailingCharacters, 1, 2)));
3806 assert_eq!(last_event("[]a
"), Error(SyntaxError(TrailingCharacters, 1, 3)));
3807 assert_eq!(last_event("{}a
"), Error(SyntaxError(TrailingCharacters, 1, 3)));
3810 fn test_read_identifiers_streaming() {
3811 assert_eq!(Parser::new("null
".chars()).next(), Some(NullValue));
3812 assert_eq!(Parser::new("true".chars()).next(), Some(BooleanValue(true)));
3813 assert_eq!(Parser::new("false".chars()).next(), Some(BooleanValue(false)));
3815 assert_eq!(last_event("n
"), Error(SyntaxError(InvalidSyntax, 1, 2)));
3816 assert_eq!(last_event("nul
"), Error(SyntaxError(InvalidSyntax, 1, 4)));
3817 assert_eq!(last_event("t
"), Error(SyntaxError(InvalidSyntax, 1, 2)));
3818 assert_eq!(last_event("truz
"), Error(SyntaxError(InvalidSyntax, 1, 4)));
3819 assert_eq!(last_event("f
"), Error(SyntaxError(InvalidSyntax, 1, 2)));
3820 assert_eq!(last_event("faz
"), Error(SyntaxError(InvalidSyntax, 1, 3)));
3825 let mut stack = Stack::new();
3827 assert!(stack.is_empty());
3828 assert!(stack.is_empty());
3829 assert!(!stack.last_is_index());
3831 stack.push_index(0);
3834 assert!(stack.len() == 1);
3835 assert!(stack.is_equal_to(&[StackElement::Index(1)]));
3836 assert!(stack.starts_with(&[StackElement::Index(1)]));
3837 assert!(stack.ends_with(&[StackElement::Index(1)]));
3838 assert!(stack.last_is_index());
3839 assert!(stack.get(0) == StackElement::Index(1));
3841 stack.push_key("foo
".to_string());
3843 assert!(stack.len() == 2);
3844 assert!(stack.is_equal_to(&[StackElement::Index(1), StackElement::Key("foo
")]));
3845 assert!(stack.starts_with(&[StackElement::Index(1), StackElement::Key("foo
")]));
3846 assert!(stack.starts_with(&[StackElement::Index(1)]));
3847 assert!(stack.ends_with(&[StackElement::Index(1), StackElement::Key("foo
")]));
3848 assert!(stack.ends_with(&[StackElement::Key("foo
")]));
3849 assert!(!stack.last_is_index());
3850 assert!(stack.get(0) == StackElement::Index(1));
3851 assert!(stack.get(1) == StackElement::Key("foo
"));
3853 stack.push_key("bar
".to_string());
3855 assert!(stack.len() == 3);
3856 assert!(stack.is_equal_to(&[StackElement::Index(1),
3857 StackElement::Key("foo
"),
3858 StackElement::Key("bar
")]));
3859 assert!(stack.starts_with(&[StackElement::Index(1)]));
3860 assert!(stack.starts_with(&[StackElement::Index(1), StackElement::Key("foo
")]));
3861 assert!(stack.starts_with(&[StackElement::Index(1),
3862 StackElement::Key("foo
"),
3863 StackElement::Key("bar
")]));
3864 assert!(stack.ends_with(&[StackElement::Key("bar
")]));
3865 assert!(stack.ends_with(&[StackElement::Key("foo
"), StackElement::Key("bar
")]));
3866 assert!(stack.ends_with(&[StackElement::Index(1),
3867 StackElement::Key("foo
"),
3868 StackElement::Key("bar
")]));
3869 assert!(!stack.last_is_index());
3870 assert!(stack.get(0) == StackElement::Index(1));
3871 assert!(stack.get(1) == StackElement::Key("foo
"));
3872 assert!(stack.get(2) == StackElement::Key("bar
"));
3876 assert!(stack.len() == 2);
3877 assert!(stack.is_equal_to(&[StackElement::Index(1), StackElement::Key("foo
")]));
3878 assert!(stack.starts_with(&[StackElement::Index(1), StackElement::Key("foo
")]));
3879 assert!(stack.starts_with(&[StackElement::Index(1)]));
3880 assert!(stack.ends_with(&[StackElement::Index(1), StackElement::Key("foo
")]));
3881 assert!(stack.ends_with(&[StackElement::Key("foo
")]));
3882 assert!(!stack.last_is_index());
3883 assert!(stack.get(0) == StackElement::Index(1));
3884 assert!(stack.get(1) == StackElement::Key("foo
"));
3889 use std::collections::{HashMap,BTreeMap};
3892 let array2 = Array(vec!(U64(1), U64(2)));
3893 let array3 = Array(vec!(U64(1), U64(2), U64(3)));
3895 let mut tree_map = BTreeMap::new();
3896 tree_map.insert("a
".to_string(), U64(1));
3897 tree_map.insert("b
".to_string(), U64(2));
3901 assert_eq!(array2.to_json(), array2);
3902 assert_eq!(object.to_json(), object);
3903 assert_eq!(3_isize.to_json(), I64(3));
3904 assert_eq!(4_i8.to_json(), I64(4));
3905 assert_eq!(5_i16.to_json(), I64(5));
3906 assert_eq!(6_i32.to_json(), I64(6));
3907 assert_eq!(7_i64.to_json(), I64(7));
3908 assert_eq!(8_usize.to_json(), U64(8));
3909 assert_eq!(9_u8.to_json(), U64(9));
3910 assert_eq!(10_u16.to_json(), U64(10));
3911 assert_eq!(11_u32.to_json(), U64(11));
3912 assert_eq!(12_u64.to_json(), U64(12));
3913 assert_eq!(13.0_f32.to_json(), F64(13.0_f64));
3914 assert_eq!(14.0_f64.to_json(), F64(14.0_f64));
3915 assert_eq!(().to_json(), Null);
3916 assert_eq!(f32::INFINITY.to_json(), Null);
3917 assert_eq!(f64::NAN.to_json(), Null);
3918 assert_eq!(true.to_json(), Boolean(true));
3919 assert_eq!(false.to_json(), Boolean(false));
3920 assert_eq!("abc
".to_json(), String("abc
".to_string()));
3921 assert_eq!("abc
".to_string().to_json(), String("abc
".to_string()));
3922 assert_eq!((1_usize, 2_usize).to_json(), array2);
3923 assert_eq!((1_usize, 2_usize, 3_usize).to_json(), array3);
3924 assert_eq!([1_usize, 2_usize].to_json(), array2);
3925 assert_eq!((&[1_usize, 2_usize, 3_usize]).to_json(), array3);
3926 assert_eq!((vec![1_usize, 2_usize]).to_json(), array2);
3927 assert_eq!(vec!(1_usize, 2_usize, 3_usize).to_json(), array3);
3928 let mut tree_map = BTreeMap::new();
3929 tree_map.insert("a
".to_string(), 1 as usize);
3930 tree_map.insert("b
".to_string(), 2);
3931 assert_eq!(tree_map.to_json(), object);
3932 let mut hash_map = HashMap::new();
3933 hash_map.insert("a
".to_string(), 1 as usize);
3934 hash_map.insert("b
".to_string(), 2);
3935 assert_eq!(hash_map.to_json(), object);
3936 assert_eq!(Some(15).to_json(), I64(15));
3937 assert_eq!(Some(15 as usize).to_json(), U64(15));
3938 assert_eq!(None::<isize>.to_json(), Null);
3942 fn test_encode_hashmap_with_arbitrary_key() {
3943 use std::collections::HashMap;
3944 #[derive(PartialEq, Eq, Hash, RustcEncodable)]
3945 struct ArbitraryType(usize);
3946 let mut hm: HashMap<ArbitraryType, bool> = HashMap::new();
3947 hm.insert(ArbitraryType(1), true);
3948 let mut mem_buf = string::String::new();
3949 let mut encoder = Encoder::new(&mut mem_buf);
3950 let result = hm.encode(&mut encoder);
3951 match result.err().unwrap() {
3952 EncoderError::BadHashmapKey => (),
3953 _ => panic!("expected bad hash map key
")
3958 fn bench_streaming_small(b: &mut Bencher) {
3960 let mut parser = Parser::new(
3966 { "c": {"d": null}
}
3971 match parser.next() {
3979 fn bench_small(b: &mut Bencher) {
3981 let _ = from_str(r#"{
3986 { "c": {"d": null}
}
3992 fn big_json() -> string::String {
3993 let mut src = "[\n".to_string();
3995 src.push_str(r#"{ "a": true, "b": null
, "c":3.1415, "d": "Hello world", "e": \
3998 src.push_str("{}
]");
4003 fn bench_streaming_large(b: &mut Bencher) {
4004 let src = big_json();
4006 let mut parser = Parser::new(src.chars());
4008 match parser.next() {
4016 fn bench_large(b: &mut Bencher) {
4017 let src = big_json();
4018 b.iter( || { let _ = from_str(&src); });