我正试图以递归方式第一次浏览JSON对象,并且在运行调试器时的代码似乎工作,直到它找到我正在寻找的groupId时尝试返回对象。这是我得到的错误:
Uncaught SyntaxError: Illegal return statement
at Object.InjectedScript._evaluateOn (<anonymous>:895:55)
at Object.InjectedScript._evaluateAndWrap (<anonymous>:828:34)
at Object.InjectedScript.evaluateOnCallFrame (<anonymous>:954:21)
at findGroupId (http://s.codepen.io/boomerang/5978872e6c1baaa184d2e8ced60239201437139491273/index.html?editors=001:503:21)
at findGroupId (http://s.codepen.io/boomerang/5978872e6c1baaa184d2e8ced60239201437139491273/index.html?editors=001:491:32)
at findGroupId (http://s.codepen.io/boomerang/5978872e6c1baaa184d2e8ced60239201437139491273/index.html?editors=001:491:32)
at findGroupId (http://s.codepen.io/boomerang/5978872e6c1baaa184d2e8ced60239201437139491273/index.html?editors=001:491:32)
at findGroupId (http://s.codepen.io/boomerang/5978872e6c1baaa184d2e8ced60239201437139491273/index.html?editors=001:491:32)
at findGroupId (http://s.codepen.io/boomerang/5978872e6c1baaa184d2e8ced60239201437139491273/index.html?editors=001:491:32)
at findGroupId (http://s.codepen.io/boomerang/5978872e6c1baaa184d2e8ced60239201437139491273/index.html?editors=001:491:32)
随意批评它的任何部分,因为这是我第一次尝试这样做。 :)
我的示例代码如下:
'use strict';
var findGroupId = function (obj, id) {
var checkForId = function (key, obj) {
if (key == id) {
return true;
}
return false;
};
if (typeof obj === 'object') {
for (var i in obj) {
if (typeof obj[i] === 'object') {
findGroupId(obj[i], id);
} else if (Array.isArray(obj[i])) {
for (var x = 0 ; x <= obj[i].length ; x++) {
findGroupId(obj[i], id);
}
} else {
var result = checkForId(obj[i], obj);
if (result) {
debugger;
return obj;
}
}
}
}
};
var result = findGroupId(obj, "37078;1");
console.log(result);
这是一个可执行的例子: http://codepen.io/eaglejs/pen/vOaZgd
感谢Pablo,这是固定的解决方案: http://codepen.io/eaglejs/pen/QbBKGK
答案 0 :(得分:1)
这里的问题是你实际上没有返回任何内容,你必须在代码中的所有函数调用中返回一些内容。
最简单的解决方法是存储结果,如果未定义则返回结果。
function checkForId(key, obj, id) {
if (key == id) {
return true;
}
return false;
}
var findGroupId = function (obj, id) {
if (typeof obj === 'object') {
for (var i in obj) {
if (typeof obj[i] === 'object') {
var myresult = findGroupId(obj[i], id);
if (myresult)
return myresult;
} else if (Array.isArray(obj[i])) {
for (var x = 0; x <= obj[i].length; x++) {
var myresult = findGroupId(obj[i], id);
if (myresult)
return myresult;
}
} else {
var result = checkForId(obj[i], obj, id);
if (result) {
return obj;
}
}
}
}
};
运行的修改后的codepen
请注意,我还改进了一些findGroupId,删除了checkForId并将其置于“循环”之外,因为否则你会反复重新定义它。