7

我有一个 JSON 数据结构,如下所示:

{
    "name": "World",
    "children": [
      { "name": "US",
          "children": [
           { "name": "CA" },
           { "name": "NJ" }
         ]
      },
      { "name": "INDIA",
          "children": [
          { "name": "OR" },
          { "name": "TN" },
          { "name": "AP" }
         ]
      }
 ]
};

我需要将键名从“name”和“children”更改为“key”和“value”。关于如何为这个嵌套结构中的每个键名执行此操作的任何建议?

4

3 回答 3

15

我不知道为什么您的 JSON 标记末尾有分号(假设这是您在问题中表示的内容),但如果将其删除,那么您可以在解析数据时使用reviver 函数进行修改。

var parsed = JSON.parse(myJSONData, function(k, v) {
    if (k === "name") 
        this.key = v;
    else if (k === "children")
        this.value = v;
    else
        return v;
});

演示:http: //jsfiddle.net/BeSad/

于 2012-11-22T19:27:26.120 回答
0

你可以使用这样的函数:

function clonerename(source) {
    if (Object.prototype.toString.call(source) === '[object Array]') {
        var clone = [];
        for (var i=0; i<source.length; i++) {
            clone[i] = goclone(source[i]);
        }
        return clone;
    } else if (typeof(source)=="object") {
        var clone = {};
        for (var prop in source) {
            if (source.hasOwnProperty(prop)) {
                var newPropName = prop;
                if (prop=='name') newPropName='key';
                else if (prop=='children') newPropName='value';
                clone[newPropName] = clonerename(source[prop]);
            }
        }
        return clone;
    } else {
        return source;
    }
}

var B = clonerename(A);

请注意,您拥有的不是 JSON 数据结构(这不存在,因为JSON 是一种数据交换格式),但可能是您从 JSON 字符串中获得的对象。

于 2012-11-22T19:12:03.990 回答
0

试试这个:

function convert(data){
  return {
    key: data.name,
    value: data.children.map(convert);
  };
}

或者,如果您需要支持没有地图的旧版浏览器:

function convert(data){
  var children = [];
  for (var i = 0, len = data.children.length; i < len; i++){
    children.push(convert(data.children[i]));
  }

  return {
    key: data.name,
    value: children
  };
}
于 2012-11-22T19:17:19.037 回答