序列化一个值

可以使用 JSON.stringify 函数将 JavaScript 值转换为 JSON 字符串。

JSON.stringify(value[, replacer[, space]])
  1. value 要转换为 JSON 字符串的值。
/* Boolean */  JSON.stringify(true)             // 'true'
/* Number  */  JSON.stringify(12)               // '12'
/* String  */  JSON.stringify('foo')            // '"foo"'
/* Object  */  JSON.stringify({})               // '{}'
               JSON.stringify({foo: 'baz'})     // '{"foo": "baz"}'
/* Array   */  JSON.stringify([1, true, 'foo']) // '[1, true, "foo"]'
/* Date    */  JSON.stringify(new Date())       // '"2016-08-06T17:25:23.588Z"'
/* Symbol  */  JSON.stringify({x:Symbol()})     // '{}'
  1. replacer 一种改变字符串化过程行为的函数,或者一个 String 和 Number 对象数组,用作白名单,用于过滤要包含在 JSON 字符串中的值对象的属性。如果此值为 null 或未提供,则对象的所有属性都包含在生成的 JSON 字符串中。
// replacer as a function
function replacer (key, value) {
    // Filtering out properties
    if (typeof value === "string") {
        return
    }    
    return value
}

var foo = { foundation: "Mozilla", model: "box", week: 45, transport: "car", month: 7 }
JSON.stringify(foo, replacer)
// -> '{"week": 45, "month": 7}'
// replacer as an array
JSON.stringify(foo, ['foundation', 'week', 'month'])
// -> '{"foundation": "Mozilla", "week": 45, "month": 7}'
// only the `foundation`, `week`, and `month` properties are kept
  1. space 为了便于阅读,可以将用于缩进的空格数指定为第三个参数。
JSON.stringify({x: 1, y: 1}, null, 2)  // 2 space characters will be used for indentation
/* output:
    {
      'x': 1,
      'y': 1
    }
*/

或者,可以提供字符串值以用于缩进。例如,传递'\t'将导致制表符用于缩进。

JSON.stringify({x: 1, y: 1}, null, '\t')
/* output:
    {
        'x': 1,
        'y': 1
    }
*/