12

这不是关于如何管理或纠正错误 JSON,而是关于如何向用户解释错误在错误 JSON 中的位置。

有没有办法找出解析器在 JSON 中的哪个位置失败。

我想在 node.js 应用程序中解决此问题,因此请尽可能将您的答案保留在该域中。

当我使用内置 JSON 对象和错误 JSON 的 parse 方法时,我只收到异常消息SyntaxError: Unexpected string。我想知道错误发生在哪里。

首选的JSON.validate(json)是返回结果 ok/error 和错误位置。像这样的东西:

var faultyJsonToParse = '{"string":"value", "boolean": true"}';
var result = JSON.validate(faultyJsonToParse);
if (result.ok == true) {
   console.log('Good JSON, well done!');
} else {
   console.log('The validator found a \'' + result.error + '\' of type \'' + result.errorType + '\' in your JSON near position ' + result.position);
}

上述想要的结果是:

The validator found a 'SyntaxError' of type 'Unexpected string' in your JSON near position 35.
4

3 回答 3

15

尝试jsonLint

var faultyJsonToParse = '{"string":"value", "boolean": true"}';

try {
    jsonlint.parse(faultyJsonToParse)
} catch(e) {
    document.write('<pre>' + e)
}

结果:

Error: Parse error on line 1:
...ue", "boolean": true"}
-----------------------^
Expecting 'EOF', '}', ',', ']', got 'undefined'

(虽然jsonLint是一个node项目,但是也可以在web中使用:直接抓取https://github.com/zaach/jsonlint/blob/master/web/jsonlint.js

正如@eh9 所建议的,围绕标准 json 解析器创建一个包装器以提供详细的异常信息是有意义的:

JSON._parse = JSON.parse
JSON.parse = function (json) {
    try {
        return JSON._parse(json)
    } catch(e) {
        jsonlint.parse(json)
    }
}

JSON.parse(someJson) // either a valid object, or an meaningful exception
于 2012-11-10T16:08:13.873 回答
2

的内置版本JSON.parse()没有一致的行为。当论证结构良好时它是一致的,如果不是则不一致。这可以追溯到原始 JSON 库实现中此函数的不完整规范。该规范是不完整的,因为它没有为异常对象定义接口。而这种情况直接导致你的问题。

虽然我目前不知道现成的解决方案,但该解决方案需要编写 JSON 解析器并跟踪位置信息以进行错误处理。这可以通过以下方式无缝插入到您现有的代码中:(1)首先调用本机版本,以及(2)如果本机版本抛出异常,调用位置感知版本(它会更慢)让它抛出异常您自己的代码标准化。

于 2012-11-10T15:48:30.850 回答
2

如果您使用的是 NodeJS,clarinet 是一个非常好的基于事件的 JSON 解析器,它将帮助您生成更好的错误消息(行和列或错误)。我使用单簧管的解析器构建了一个小实用程序,它返回:

snippet (string): the actual line where the error happened
line (number)   : the line number of the error
column (number) : the column number of the error 
message (string): the parser's error message

代码在这里:https ://gist.github.com/davidrapin/93eec270153d90581097

于 2015-04-14T14:58:55.927 回答