1

次のオブジェクトがあります。

var xhr = JSON.parse('{"name1":{"errors":["This value should not be blank."]}, "children":{"name2":{"errors":["This value should not be blank."]},"message":[],"name3":{"errors":["This value should not be blank."]}, "children":{"name4":{"errors":["This value should not be blank."]} }}}');

console.log(xhr);

オブジェクトを再帰的に読み取る必要がありxhrます。
私が投稿したオブジェクトは単なる例です。これは、子が多かれ少なかれ可能性があることを意味します。
Anywas objectReader は次の出力を取得できるはずです。

name1 ["This value should not be blank."] 
name2 ["This value should not be blank."] 
name3 ["This value should not be blank."] 
name4 ["This value should not be blank."] 

私は部分的に動作する次のコードを書き込もうとしました:

_.each(xhr, function (xhrObject, name) {
    if(xhrObject.errors) {
        console.log(name, xhrObject.errors);
    }
});

これは http://jsfiddle.net/UWEMT/リソースです。
アンダースコアを使用してこのタスクを達成する方法はありますか? ありがとう。</p>

4

5 に答える 5

1

これを参照してください:http://jsfiddle.net/UWEMT/6/

prs(xhr);

function prs(x){
        _.each(x, function (xhrObject, name) {
            if(xhrObject.errors) {
                console.log(name, xhrObject.errors);
            }
            else prs(xhrObject);
        })
}
​

オブジェクトにエラーがある場合、それは終了ノードであり、そうでない場合は、より多くのオブジェクトを含む子です。

于 2012-08-27T11:33:11.720 に答える
1

それはあなたがそこに持っているいくつかの奇妙に見えるjsonです...

ただし、次のような再帰ループを作成できます。

var xhr = JSON.parse('{"name1":{"errors":["This value should not be blank."]}, "children":{"name2":{"errors":["This value should not be blank."]},"message":[],"name3":{"errors":["This value should not be blank."]}, "children":{"name4":{"errors":["This value should not be blank."]} }}}');

function loop( json ) {
    _.each(json, function (value, key) {
        if(value.errors) {
            console.log(key, value.errors);
        }
        else {
             loop(value);     
        }
    });
}

loop(xhr);​

http://jsfiddle.net/YE6Qn/1/

于 2012-08-27T11:33:20.567 に答える
0
var xhr = JSON.parse("…");

(function recurse(obj) {
    for (var name in obj) {
        if (name != "children")
            console.log(name, obj[name].errors);
    }
    if ("children" in obj)
        recurse(obj.children);
})(xhr);

このコードは、JSON の奇妙な構造を反映しています (たとえば、名前を「子」にすることはできません)。

于 2012-08-27T11:38:22.503 に答える
0

ユーザー再帰のみ、jsfiddle - http://jsfiddle.net/UWEMT/7/

_.each(xhr, function read(item, name) {
    if(name == "children") {
        _.each(item, read);
    }

    if (item.errors) {
        console.log(name, item.errors)
    }
});
于 2012-08-27T11:39:24.860 に答える
0

単純な js ソリューション:

function convertObj(obj) {     
  for (var p in obj) {
    if (obj.hasOwnProperty(p)) {
      if (obj[p].errors) {
        console.log(p, obj[p].errors);
      } else {
        convertObj(obj[p]);
      }
    }
  }
}
于 2012-08-27T11:57:34.990 に答える