在 JavaScript 中解析 JSON 字符串
在 JavaScript 中,JSON
对象用于解析 JSON 字符串。此方法仅适用于现代浏览器(IE8 +,Firefox 3.5+等)。
解析有效的 JSON 字符串时,结果是 JavaScript 对象,数组或其他值。
JSON.parse('"bar of foo"')
// "bar of foo" (type string)
JSON.parse("true")
// true (type boolean)
JSON.parse("1")
// 1 (type number)
JSON.parse("[1,2,3]")
// [1, 2, 3] (type array)
JSON.parse('{"foo":"bar"}')
// {foo: "bar"} (type object)
JSON.parse("null")
// null (type object)
无效的字符串将引发 JavaScript 错误
JSON.parse('{foo:"bar"}')
// Uncaught SyntaxError: Unexpected token f in JSON at position 1
JSON.parse("[1,2,3,]")
// Uncaught SyntaxError: Unexpected token ] in JSON at position 7
JSON.parse("undefined")
// Uncaught SyntaxError: Unexpected token u in JSON at position 0
JSON.parse
方法包括一个可选的 reviver 函数,它可以限制或修改解析结果
JSON.parse("[1,2,3,4,5,6]", function(key, value) {
return value > 3 ? '' : value;
})
// [1, 2, 3, "", "", ""]
var x = {};
JSON.parse('{"a":1,"b":2,"c":3,"d":4,"e":5,"f":6}', function(key, value) {
if (value > 3) { x[key] = value; }
})
// x = {d: 4, e: 5, f: 6}
在最后一个示例中,JSON.parse
返回 undefined
值。为防止这种情况,请将 value
返回到 reviver 功能中。