我正在尝试使用JSON解析器来检测并保存重复的密钥。我正在使用node.js中的JSON.parse()和一个reviver,我希望当我得到一个重复的密钥时,它会告诉我。但事实并非如此。还有另外一种方法吗?是否有更好的JSON解析器处理reviver或其他参数中的重复键?
"use strict";
try {
var content = '{"value": "a", "value": "b", "value": "c" }';
console.log(content);
var parsed = JSON.parse(content, function(k, v) {
console.log(k+"="+JSON.stringify(v));
return v;
});
} catch (e) {
console.log(e);
}
输出是:
{"value": "a", "value": "b", "value": "c" }
value="c"
={"value":"c"}
答案 0 :(得分:2)
JSON.parse()
parses the string the same way whether or not you provide a reviver function(换句话说,当传入reviver
时,它不会切换到“流解析器”)。提供reviver
函数只是一种方便,因此不必自己编写必要的循环。
在npm上一些流式JSON解析器,例如:clarinet,JSONStream和oboe。这是对那些3的一点测试:
var clarinet = require('clarinet').parser();
var JSONStream = require('JSONStream').parse('*', function (value, path) {
return { key: path[path.length - 1], value: value, path: path }
});
var rs = new (require('stream').Readable)();
rs._read = function(n) {};
var oboe = require('oboe')(rs);
var content = '{"value": "a", "value": "b", "value": "c" }';
clarinet.onopenobject = clarinet.onkey = function(k) {
console.log('clarinet key =', k);
};
clarinet.onvalue = function(v) {
console.log('clarinet value =', v);
};
clarinet.write(content).close();
JSONStream.on('data', function(d) {
console.log('JSONStream data:', arguments);
}).end(content);
oboe.on('node:*', function(n) {
console.log('oboe node:', arguments);
});
rs.push(content);
rs.push(null);
// output:
// clarinet key = value
// clarinet value = a
// clarinet key = value
// clarinet value = b
// clarinet key = value
// clarinet value = c
// JSONStream data: { '0': { key: 'value', value: 'a', path: [ 'value' ] } }
// JSONStream data: { '0': { key: 'value', value: 'b', path: [ 'value' ] } }
// JSONStream data: { '0': { key: 'value', value: 'c', path: [ 'value' ] } }
// oboe node: { '0': 'a', '1': [ 'value' ], '2': [ { value: 'a' }, 'a' ] }
// oboe node: { '0': 'b', '1': [ 'value' ], '2': [ { value: 'b' }, 'b' ] }
// oboe node: { '0': 'c', '1': [ 'value' ], '2': [ { value: 'c' }, 'c' ] }
// oboe node: { '0': { value: 'c' }, '1': [], '2': [ { value: 'c' } ] }