如何访问和处理嵌套对象,数组或JSON?

时间:2012-08-12 13:02:12

标签: javascript arrays object recursion data-manipulation

我有一个包含对象和数组的嵌套数据结构。如何提取信息,即访问特定或多个值(或键)?

例如:

var data = {
    code: 42,
    items: [{
        id: 1,
        name: 'foo'
    }, {
        id: 2,
        name: 'bar'
    }]
};

如何访问name中第二项的items

29 个答案:

答案 0 :(得分:1013)

预赛

JavaScript只有一种数据类型可以包含多个值:对象数组是一种特殊形式的对象。

(普通)对象的格式为

{key: value, key: value, ...}

数组的格式为

[value, value, ...]

数组和对象都公开key -> value结构。数组中的键必须是数字,而任何字符串都可以用作对象中的键。键值对也称为"属性"

可以使用点表示法

访问属性
const value = obj.someProperty;

括号表示法,如果属性名称不是有效的JavaScript identifier name [spec],或者名称是变量的值:

// the space is not a valid character in identifier names
const value = obj["some Property"];

// property name as variable
const name = "some Property";
const value = obj[name];

因此,只能使用括号表示法访问数组元素:

const value = arr[5]; // arr.5 would be a syntax error

// property name / index as variable
const x = 5;
const value = arr[x];

等等...... JSON怎么样?

JSON是数据的文本表示,就像XML,YAML,CSV等。要处理这些数据,首先必须将其转换为JavaScript数据类型,即数组和对象(以及如何使用这些数据进行解释)。问题Parse JSON in JavaScript?中解释了如何解析JSON。

进一步阅读材料

如何访问数组和对象是JavaScript的基本知识,因此建议您阅读MDN JavaScript Guide,尤其是部分



访问嵌套数据结构

嵌套数据结构是引用其他数组或对象的数组或对象,即其值是数组或对象。可以通过连续应用点或括号表示来访问这种结构。

以下是一个例子:

const data = {
    code: 42,
    items: [{
        id: 1,
        name: 'foo'
    }, {
        id: 2,
        name: 'bar'
    }]
};

假设我们想要访问第二项的name

以下是我们如何逐步完成的工作:

我们可以看到data是一个对象,因此我们可以使用点表示法访问其属性。访问items属性如下:

data.items

值是一个数组,要访问它的第二个元素,我们必须使用括号表示法:

data.items[1]

此值是一个对象,我们再次使用点表示法来访问name属性。所以我们最终得到:

const item_name = data.items[1].name;

或者,我们可以对任何属性使用括号表示法,特别是如果名称包含的字符会使点符号用法无效:

const item_name = data['items'][1]['name'];

我试图访问某个属性,但我只回到了undefined

大多数情况下,当您获得undefined时,对象/数组根本没有具有该名称的属性。

const foo = {bar: {baz: 42}};
console.log(foo.baz); // undefined

使用console.logconsole.dir并检查对象/数组的结构。您尝试访问的属性实际上可能是在嵌套对象/数组上定义的。

console.log(foo.bar.baz); // 42

如果物业名称是动态的,我事先不知道怎么办?

如果属性名称未知或我们想要访问数组的对象/元素的所有属性,我们可以使用对象的for...in [MDN]循环和数组的for [MDN]循环来迭代所有属性/元素。

<强>物件

要迭代data的所有属性,我们可以像这样迭代对象

for (const prop in data) {
    // `prop` contains the name of each property, i.e. `'code'` or `'items'`
    // consequently, `data[prop]` refers to the value of each property, i.e.
    // either `42` or the array
}

根据对象的来源(以及您想要做什么),您可能必须在每次迭代中测试该属性是否真的是对象的属性,或者它是继承的属性。您可以使用Object#hasOwnProperty [MDN]执行此操作。

作为使用for...in的{​​{1}}的替代方案,您可以使用Object.keys [MDN]获取属性名称数组

hasOwnProperty

<强>阵列

要迭代Object.keys(data).forEach(function(prop) { // `prop` is the property name // `data[prop]` is the property value }); 数组的所有元素,我们使用data.items循环:

for

也可以使用for(let i = 0, l = data.items.length; i < l; i++) { // `i` will take on the values `0`, `1`, `2`,..., i.e. in each iteration // we can access the next element in the array with `data.items[i]`, example: // // var obj = data.items[i]; // // Since each element is an object (in our example), // we can now access the objects properties with `obj.id` and `obj.name`. // We could also use `data.items[i].id`. } 迭代数组,但有理由避免这种情况:Why is 'for(var item in list)' with arrays considered bad practice in JavaScript?

随着ECMAScript 5对浏览器的支持不断增加,数组方法forEach [MDN]也成为一个有趣的选择:

for...in

在支持ES2015(ES6)的环境中,您还可以使用for...of [MDN]循环,它不仅适用于数组,也适用于任何iterable

data.items.forEach(function(value, index, array) {
    // The callback is executed for each element in the array.
    // `value` is the element itself (equivalent to `array[index]`)
    // `index` will be the index of the element in the array
    // `array` is a reference to the array itself (i.e. `data.items` in this case)
}); 

在每次迭代中,for (const item of data.items) { // `item` is the array element, **not** the index } 直接给出了迭代的下一个元素,没有&#34;索引&#34;访问或使用。


如果&#34;深度&#34;我不知道数据结构?

除了未知的键,&#34;深度&#34;它的数据结构(即有多少嵌套对象)也可能是未知的。如何访问深层嵌套属性通常取决于确切的数据结构。

但是如果数据结构包含重复模式,例如在二叉树的表示中,解决方案通常包括recursively [Wikipedia]访问数据结构的每个级别。

以下是获取二叉树的第一个叶节点的示例:

for...of

&#13;
&#13;
function getLeaf(node) {
    if (node.leftChild) {
        return getLeaf(node.leftChild); // <- recursive call
    }
    else if (node.rightChild) {
        return getLeaf(node.rightChild); // <- recursive call
    }
    else { // node must be a leaf node
        return node;
    }
}

const first_leaf = getLeaf(root);
&#13;
&#13;
&#13;

访问具有未知密钥和深度的嵌套数据结构的更通用的方法是测试值的类型并相应地采取行动。

这是一个将嵌套数据结构中的所有原始值添加到数组中的示例(假设它不包含任何函数)。如果我们遇到一个对象(或数组),我们只需在该值上再次调用const root = { leftChild: { leftChild: { leftChild: null, rightChild: null, data: 42 }, rightChild: { leftChild: null, rightChild: null, data: 5 } }, rightChild: { leftChild: { leftChild: null, rightChild: null, data: 6 }, rightChild: { leftChild: null, rightChild: null, data: 7 } } }; function getLeaf(node) { if (node.leftChild) { return getLeaf(node.leftChild); } else if (node.rightChild) { return getLeaf(node.rightChild); } else { // node must be a leaf node return node; } } console.log(getLeaf(root).data);(递归调用)。

toArray

&#13;
&#13;
function toArray(obj) {
    const result = [];
    for (const prop in obj) {
        const value = obj[prop];
        if (typeof value === 'object') {
            result.push(toArray(value)); // <- recursive call
        }
        else {
            result.push(value);
        }
    }
    return result;
}
&#13;
&#13;
&#13;



助手

由于复杂对象或数组的结构不一定明显,我们可以检查每一步的值来决定如何进一步移动。 console.log [MDN]console.dir [MDN]帮助我们做到这一点。例如(Chrome控制台的输出):

const data = {
  code: 42,
  items: [{
    id: 1,
    name: 'foo'
  }, {
    id: 2,
    name: 'bar'
  }]
};


function toArray(obj) {
  const result = [];
  for (const prop in obj) {
    const value = obj[prop];
    if (typeof value === 'object') {
      result.push(toArray(value));
    } else {
      result.push(value);
    }
  }
  return result;
}

console.log(toArray(data));

在这里,我们看到> console.log(data.items) [ Object, Object ] 是一个包含两个元素的数组,这两个元素都是对象。在Chrome控制台中,甚至可以立即扩展和检查对象。

data.items

这告诉我们> console.log(data.items[1]) Object id: 2 name: "bar" __proto__: Object 是一个对象,在展开它之后,我们发现它有三个属性,data.items[1]idname。后者是用于对象原型链的内部属性。但是,原型链和继承超出了这个答案的范围。

答案 1 :(得分:61)

你可以这样访问

data.items[1].name

data["items"][1]["name"]

两种方式都是平等的。

答案 2 :(得分:31)

如果您尝试通过itemid从示例结构中访问name,而不知道它在数组中的位置,那么最简单的方法就是使用underscore.js库:

var data = {
    code: 42,
    items: [{
        id: 1,
        name: 'foo'
    }, {
        id: 2,
        name: 'bar'
    }]
};

_.find(data.items, function(item) {
  return item.id === 2;
});
// Object {id: 2, name: "bar"}

根据我的经验,使用高阶函数而不是forfor..in循环会导致代码更易于推理,因此更易于维护。

只需2美分。

答案 3 :(得分:19)

有时,可能需要使用字符串访问嵌套对象。简单的方法是第一级,例如

var obj = { hello: "world" };
var key = "hello";
alert(obj[key]);//world

但复杂的json通常不是这种情况。随着json变得越来越复杂,在json中查找值的方法也变得复杂。用于导航json的递归方法是最好的,并且如何利用该递归取决于所搜索的数据的类型。如果涉及条件语句,json search可以是一个很好的工具。

如果正在访问的属性已知,但路径很复杂,例如在此对象中

var obj = {
 arr: [
    { id: 1, name: "larry" },    
    { id: 2, name: "curly" },
    { id: 3, name: "moe" }
 ]
};

而且你知道你想在对象中获得数组的第一个结果,也许你想使用

var moe = obj["arr[0].name"];

但是,这将导致异常,因为没有具有该名称的对象的属性。能够使用它的解决方案是展平对象的树方面。这可以递归完成。

function flatten(obj){
 var root = {};
 (function tree(obj, index){
   var suffix = toString.call(obj) == "[object Array]" ? "]" : "";
   for(var key in obj){
    if(!obj.hasOwnProperty(key))continue;
    root[index+key+suffix] = obj[key];
    if( toString.call(obj[key]) == "[object Array]" )tree(obj[key],index+key+suffix+"[");
    if( toString.call(obj[key]) == "[object Object]" )tree(obj[key],index+key+suffix+".");   
   }
 })(obj,"");
 return root;
}

现在,复杂的对象可以展平

var obj = previous definition;
var flat = flatten(obj);
var moe = flat["arr[0].name"];//moe

以下是使用此方法的 jsFiddle Demo

答案 4 :(得分:17)

对象和数组有很多内置方法可以帮助您处理数据。

注意:在我使用arrow functions的许多示例中。它们与function expressions类似,但它们在词汇上绑定this值。

Object.keys()Object.values()(ES 2017)和Object.entries()(ES 2017)

Object.keys()返回一个对象键的数组,Object.values()返回一个对象值的数组,Object.entries()返回一个对象数组密钥和相应的值格式为[key, value]

&#13;
&#13;
const obj = {
  a: 1
 ,b: 2
 ,c: 3
}

console.log(Object.keys(obj)) // ['a', 'b', 'c']
console.log(Object.values(obj)) // [1, 2, 3]
console.log(Object.entries(obj)) // [['a', 1], ['b', 2], ['c', 3]]
&#13;
&#13;
&#13;

带有for-of循环和解构赋值的

Object.entries()

&#13;
&#13;
const obj = {
  a: 1
 ,b: 2
 ,c: 3
}

for (const [key, value] of Object.entries(obj)) {
  console.log(`key: ${key}, value: ${value}`)
}
&#13;
&#13;
&#13;

使用for-of loopdestructuring assignment迭代Object.entries()的结果非常方便。

for-of循环允许您迭代数组元素。语法为for (const element of array)(我们可以将const替换为varlet,但如果我们不使用const,则最好使用element。 t打算修改const [key, value])。

解构赋值允许您从数组或对象中提取值并将它们分配给变量。在这种情况下,[key, value]表示我们不是将element数组分配给key,而是将该数组的第一个元素分配给value,将第二个元素分配给for (const element of Object.entries(obj)) { const key = element[0] ,value = element[1] } 。 }。它相当于:

every()

正如您所看到的,解构使这更加简单。

Array.prototype.every()Array.prototype.some()

如果指定的回调函数为数组的每个元素返回true,则true方法返回some()。如果指定的回调函数为某些(至少一个)元素返回truetrue方法将返回const arr = [1, 2, 3] // true, because every element is greater than 0 console.log(arr.every(x => x > 0)) // false, because 3^2 is greater than 5 console.log(arr.every(x => Math.pow(x, 2) < 5)) // true, because 2 is even (the remainder from dividing by 2 is 0) console.log(arr.some(x => x % 2 === 0)) // false, because none of the elements is equal to 5 console.log(arr.some(x => x === 5))

&#13;
&#13;
find()
&#13;
&#13;
&#13;

Array.prototype.find()Array.prototype.filter()

filter()方法返回第一个满足提供的回调函数的元素。 const arr = [1, 2, 3] // 2, because 2^2 !== 2 console.log(arr.find(x => x !== Math.pow(x, 2))) // 1, because it's the first element console.log(arr.find(x => true)) // undefined, because none of the elements equals 7 console.log(arr.find(x => x === 7)) // [2, 3], because these elements are greater than 1 console.log(arr.filter(x => x > 1)) // [1, 2, 3], because the function returns true for all elements console.log(arr.filter(x => true)) // [], because none of the elements equals neither 6 nor 7 console.log(arr.filter(x => x === 6 || x === 7))方法返回所有元素的数组,这些元素满足提供的回调函数。

&#13;
&#13;
map()
&#13;
&#13;
&#13;

Array.prototype.map()

const arr = [1, 2, 3] console.log(arr.map(x => x + 1)) // [2, 3, 4] console.log(arr.map(x => String.fromCharCode(96 + x))) // ['a', 'b', 'c'] console.log(arr.map(x => x)) // [1, 2, 3] (no-op) console.log(arr.map(x => Math.pow(x, 2))) // [1, 4, 9] console.log(arr.map(String)) // ['1', '2', '3']方法返回一个数组,其中包含在数组元素上调用提供的回调函数的结果。

&#13;
&#13;
reduce()
&#13;
&#13;
&#13;

Array.prototype.reduce()

const arr = [1, 2, 3] // Sum of array elements. console.log(arr.reduce((a, b) => a + b)) // 6 // The largest number in the array. console.log(arr.reduce((a, b) => a > b ? a : b)) // 3方法通过使用两个元素调用提供的回调函数将数组减少为单个值。

&#13;
&#13;
reduce()
&#13;
&#13;
&#13;

reduce()方法采用可选的第二个参数,即初始值。当您调用sum()的数组可以包含零个或一个元素时,这非常有用。例如,如果我们想创建一个函数const sum = arr => arr.reduce((a, b) => a + b, 0) console.log(sum([])) // 0 console.log(sum([4])) // 4 console.log(sum([2, 5])) // 7,它将一个数组作为参数并返回所有元素的总和,我们就可以这样写:

&#13;
&#13;
Info: Adding database (data source=tcp:xxxdbserver.database.windows.net,1433;initial catalog=xxx_db;user id=yyy@xxxdbserver)
Warning: Cannot connect to the database 'xxx_db'.  
Retrying operation 'Add' on object dbFullSql (data source=tcp:xxxdbserver.database.windows.net,1433;initial catalog=xxx_db;user id=yyy@xxxdbserver). Attempt 1 of 20.
Warning: The database 'xxx_db' could not be created.  
Retrying operation 'Add' on object dbFullSql (data source=tcp:xxxdbserver.database.windows.net,1433;initial catalog=xxx_db;user id=yyy@xxxdbserver). Attempt 2 of 20.
Info: Using ID 'zzz' for connections to the remote server.
Info: Adding file (xxx\appsettings.json).
Info: Adding file (xxx\appsettings.Production.json).
&#13;
&#13;
&#13;

答案 5 :(得分:11)

这个问题很古老,所以作为当代更新。随着ES2015的出现,您可以选择获取所需的数据。现在有一个名为对象解构的功能,用于访问嵌套对象。

const data = {
  code: 42,
  items: [{
    id: 1,
    name: 'foo'
  }, {
    id: 2,
    name: 'bar'
  }]
};

const {
  items: [, {
    name: secondName
  }]
} = data;

console.log(secondName);

上面的示例从名为secondName的数组中的name键创建一个名为items的变量,孤独,表示跳过数组中的第一个对象。

值得注意的是,这个例子可能有点过分,因为简单的数组访问更容易阅读,但它在分解一般对象时很有用。

这是对您的特定用例的简要介绍,解构可能是一种不常见的语法,一开始就习惯了。我建议您阅读Mozilla's Destructuring Assignment documentation了解详情。

答案 6 :(得分:9)

要访问嵌套属性,您需要指定其名称,然后搜索对象。

如果您已经知道确切的路径,那么您可以在脚本中对其进行硬编码,如下所示:

data['items'][1]['name']

这些也有效 -

data.items[1].name
data['items'][1].name
data.items[1]['name']

如果您事先不知道确切名称,或者用户是为您提供名称的用户。然后需要动态搜索数据结构。有些人建议使用for循环进行搜索,但使用Array.reduce可以非常简单地遍历路径。

const data = { code: 42, items: [{ id: 1, name: 'foo' }, { id: 2, name: 'bar' }] }
const path = [ 'items', '1', 'name']
let result = path.reduce((a,v) => a[v], data)

路径是一种说法:首先使用键items来获取对象,这恰好是一个数组。然后取1 - st元素(0索引数组)。最后在该数组元素中使用键name获取对象,该元素恰好是字符串bar

如果你有一条很长的路径,你甚至可以使用String.split来让所有这些变得更容易 -

'items.1.name'.split('.').reduce((a,v) => a[v], data)

这只是简单的JavaScript,不使用任何第三方库,如jQuery或lodash。

答案 7 :(得分:8)

如果您愿意包含库,使用 JSONPath 将是最灵活的解决方案之一: https://github.com/s3u/JSONPath(节点和浏览器)

对于您的用例,json路径为:

$..items[1].name

这样:

var secondName = jsonPath.eval(data, "$..items[1].name");

答案 8 :(得分:7)

我更喜欢JQuery。它更干净,更容易阅读。

&#13;
&#13;
 $.each($.parseJSON(data), function (key, value) {
    alert(value.<propertyname>);
});
&#13;
&#13;
&#13;

答案 9 :(得分:7)

您可以使用lodash _get功能:

var object = { 'a': [{ 'b': { 'c': 3 } }] };

_.get(object, 'a[0].b.c');
// => 3

答案 10 :(得分:7)

这里提到了 4 种不同的方法来获取对象属性:

var data = {
  code: 42,
  items: [{
    id: 1,
    name: 'foo'
  }, {
    id: 2,
    name: 'bar'
  }]
};
// Method 1
let method1 = data.items[1].name;
console.log(method1);

// Method 2
let method2 = data.items[1]["name"];
console.log(method2);

// Method 3
let method3 = data["items"][1]["name"];
console.log(method3);

// Method 4  Destructuring
let { items: [, { name: second_name }] } = data;
console.log(second_name);

答案 11 :(得分:6)

var ourStorage = {


"desk":    {
    "drawer": "stapler"
  },
"cabinet": {
    "top drawer": { 
      "folder1": "a file",
      "folder2": "secrets"
    },
    "bottom drawer": "soda"
  }
};
ourStorage.cabinet["top drawer"].folder2; // Outputs -> "secrets"

//parent.subParent.subsubParent["almost there"]["final property"]

基本上,在每个子对象之间展开一个点,该子对象在其下展开,并且当对象名称由两个字符串组成时,必须使用[“ obj Name”]表示法。否则,只需一个点就足够;

来源:https://learn.freecodecamp.org/javascript-algorithms-and-data-structures/basic-javascript/accessing-nested-objects

为此,访问嵌套数组的方式如下:

var ourPets = [
  {
    animalType: "cat",
    names: [
      "Meowzer",
      "Fluffy",
      "Kit-Cat"
    ]
  },
  {
    animalType: "dog",
    names: [
      "Spot",
      "Bowser",
      "Frankie"
    ]
  }
];
ourPets[0].names[1]; // Outputs "Fluffy"
ourPets[1].names[0]; // Outputs "Spot"

来源:https://learn.freecodecamp.org/javascript-algorithms-and-data-structures/basic-javascript/accessing-nested-arrays/

另一个描述上述情况的有用文档: https://developer.mozilla.org/en-US/docs/Learn/JavaScript/Objects/Basics#Bracket_notation

答案 12 :(得分:5)

如果您正在寻找符合特定条件的一个或多个对象,您可以使用query-js

选择一些选项
import QtQuick 2.4
import QtQuick.Controls 1.3
import QtQuick.Window 2.2
import QtQuick.Dialogs 1.2

ApplicationWindow {
    width: 640
    height: 480
    visible: true

    property var car: QtObject { property var wheels: [] }

    Item {

        Text {
            text: "The car has " + car.wheels.length + " wheels";
        }

        Component.onCompleted: {
            car.wheels.push("Rear-left");
            car.wheels.push("Rear-right");
            car.wheels.push("Front-left");
            car.wheels.push("Front-right");
        }
    }
}

还有//will return all elements with an id larger than 1 data.items.where(function(e){return e.id > 1;}); //will return the first element with an id larger than 1 data.items.first(function(e){return e.id > 1;}); //will return the first element with an id larger than 1 //or the second argument if non are found data.items.first(function(e){return e.id > 1;},{id:-1,name:""}); single分别与singleOrDefaultfirst非常相似。唯一的区别是,如果更多而不是找到一个匹配,他们将抛出。

有关query-js的进一步说明,您可以从此post

开始

答案 13 :(得分:5)

The Underscore js Way

这是一个JavaScript库,它提供了大量有用的var title = this.props.params.article_title; //from this title extract your article somehow 助手,而不会扩展任何内置对象。

解决方案:

functional programming

答案 14 :(得分:5)

简单的解释:

var data = {
    code: 42,
    items: [{
        id: 1,
        name: 'foo'
    }, {
        id: 2,
        name: 'bar'
    }]
};

/*
1. `data` is object contain `item` object*/
console.log(data);

/*
2. `item` object contain array of two objects as elements*/
console.log(data.items);

/*
3. you need 2nd element of array - the `1` from `[0, 1]`*/
console.log(data.items[1]);

/*
4. and you need value of `name` property of 2nd object-element of array)*/
console.log(data.items[1].name);

答案 15 :(得分:5)

老问题,但没有人提到lodash(只是下划线)。

如果您已经在项目中使用了lodash,我认为在一个复杂的例子中这是一种优雅的方式:

选择1

_.get(response, ['output', 'fund', 'data', '0', 'children', '0', 'group', 'myValue'], '')

同样如下:

选择2

response.output.fund.data[0].children[0].group.myValue

第一个和第二个选项之间的区别在于,在选项1 中,如果您在路径中缺少某个属性(未定义),则不会收到错误,它会返回你是第三个参数。

对于数组过滤器,lodash有_.find(),但我更喜欢使用常规filter()。但我仍然认为上面的方法_.get()在处理非常复杂的数据时非常有用。我在过去面对的是非常复杂的API,它很方便!

我希望对于那些寻找操作标题所暗示的真正复杂数据的选项非常有用。

答案 16 :(得分:4)

在2020年,您可以使用@ babel / plugin-proposal-optional-chaining,很容易访问对象中的嵌套值。

 const obj = {
 foo: {
   bar: {
     baz: class {
   },
  },
 },
};

const baz = new obj?.foo?.bar?.baz(); // baz instance

const safe = new obj?.qux?.baz(); // undefined
const safe2 = new obj?.foo.bar.qux?.(); // undefined

https://babeljs.io/docs/en/babel-plugin-proposal-optional-chaining

https://github.com/tc39/proposal-optional-chaining

答案 17 :(得分:4)

您可以使用语法jsonObject.key访问该值。而且,如果要访问数组中的值,则可以使用语法jsonObjectArray[index].key

以下是访问各种值的代码示例,供您理解。

        var data = {
            code: 42,
            items: [{
                id: 1,
                name: 'foo'
            }, {
                id: 2,
                name: 'bar'
            }]
        };

        // if you want 'bar'
        console.log(data.items[1].name);

        // if you want array of item names
        console.log(data.items.map(x => x.name));

        // get the id of the item where name = 'bar'
        console.log(data.items.filter(x => (x.name == "bar") ? x.id : null)[0].id);

答案 18 :(得分:4)

动态访问多级对象。

var obj = {
  name: "salut",
  subobj: {
    subsubobj: {
      names: "I am sub sub obj"
    }
  }
};

var level = "subobj.subsubobj.names";
level = level.split(".");

var currentObjState = obj;

for (var i = 0; i < level.length; i++) {
  currentObjState = currentObjState[level[i]];
}

console.log(currentObjState);

工作小提琴:https://jsfiddle.net/andreitodorut/3mws3kjL/

答案 19 :(得分:4)

我不认为提问者只涉及一个级别的嵌套对象,因此我提供以下演示来演示如何访问深度嵌套的json对象的节点。好的,让我们找到id为&#39; 5&#39;

的节点

&#13;
&#13;
var data = {
  code: 42,
  items: [{
    id: 1,
    name: 'aaa',
    items: [{
        id: 3,
        name: 'ccc'
      }, {
        id: 4,
        name: 'ddd'
      }]
    }, {
    id: 2,
    name: 'bbb',
    items: [{
        id: 5,
        name: 'eee'
      }, {
        id: 6,
        name: 'fff'
      }]
    }]
};

var jsonloop = new JSONLoop(data, 'id', 'items');

jsonloop.findNodeById(data, 5, function(err, node) {
  if (err) {
    document.write(err);
  } else {
    document.write(JSON.stringify(node, null, 2));
  }
});
&#13;
<script src="https://rawgit.com/dabeng/JSON-Loop/master/JSONLoop.js"></script>
&#13;
&#13;
&#13;

答案 20 :(得分:3)

以防万一,有人在2017年或以后访问此问题并寻找易于记忆的方式,这是Accessing Nested Objects in JavaScript上一篇精巧的博客文章,而没有被迷住

无法读取未定义的属性'foo'错误

1。 Oliver Steele的嵌套对象访问模式

最简单,最干净的方法是使用Oliver Steele的嵌套对象访问模式

const name = ((user || {}).personalInfo || {}).name;

使用这种符号,您将永远不会遇到

无法读取未定义的属性“名称”

基本上,您检查用户是否存在,如果不存在,则动态创建一个空对象。这样,将始终从存在的对象或空对象中访问下一级键,而永远不会从未定义的对象中访问

2。使用Array Reduce访问嵌套对象

要访问嵌套数组,您可以编写自己的数组reduce util。

const getNestedObject = (nestedObj, pathArr) => {
    return pathArr.reduce((obj, key) =>
        (obj && obj[key] !== 'undefined') ? obj[key] : undefined, nestedObj);
}

// pass in your object structure as array elements
const name = getNestedObject(user, ['personalInfo', 'name']);

// to access nested array, just pass in array index as an element the path array.
const city = getNestedObject(user, ['personalInfo', 'addresses', 0, 'city']);
// this will return the city from the first address item.

还有一个出色的类型处理最小库typy,可以为您完成所有这些工作。

答案 21 :(得分:2)

解析任意JSON树的pythonic,递归和函数方法:

handlers = {
    list:  iterate,
    dict:  delve,
    str:   emit_li,
    float: emit_li,
}

def emit_li(stuff, strong=False):
    emission = '<li><strong>%s</strong></li>' if strong else '<li>%s</li>'
    print(emission % stuff)

def iterate(a_list):
    print('<ul>')
    map(unravel, a_list)
    print('</ul>')

def delve(a_dict):
    print('<ul>')
    for key, value in a_dict.items():
        emit_li(key, strong=True)
        unravel(value)
    print('</ul>')

def unravel(structure):
    h = handlers[type(structure)]
    return h(structure)

unravel(data)

其中 data 是一个python列表(从JSON文本字符串解析):

data = [
    {'data': {'customKey1': 'customValue1',
           'customKey2': {'customSubKey1': {'customSubSubKey1': 'keyvalue'}}},
  'geometry': {'location': {'lat': 37.3860517, 'lng': -122.0838511},
               'viewport': {'northeast': {'lat': 37.4508789,
                                          'lng': -122.0446721},
                            'southwest': {'lat': 37.3567599,
                                          'lng': -122.1178619}}},
  'name': 'Mountain View',
  'scope': 'GOOGLE',
  'types': ['locality', 'political']}
]

答案 22 :(得分:1)

jQuery's grep函数允许您过滤数组:

var data = {
    code: 42,
    items: [{
        id: 1,
        name: 'foo'
    }, {
        id: 2,
        name: 'bar'
    }]
};

$.grep(data.items, function(item) {
    if (item.id === 2) {
        console.log(item.id); //console id of item
        console.log(item.name); //console name of item
        console.log(item); //console item object
        return item; //returns item object
    }

});
// Object {id: 2, name: "bar"}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>

答案 23 :(得分:0)

// const path = 'info.value[0].item'
// const obj = { info: { value: [ { item: 'it works!' } ], randominfo: 3 }  }
// getValue(path, obj)

export const getValue = ( path , obj) => {
  const newPath = path.replace(/\]/g, "")
  const arrayPath = newPath.split(/[\[\.]+/) || newPath;

  const final = arrayPath.reduce( (obj, k) => obj ?  obj[k] : obj, obj)
  return final;
}

答案 24 :(得分:0)

这是一种动态方法-您的“深层”键是字符串'items[1].name'(您可以在任何级别上使用数组符号[i])-如果键无效,则返回undefined。

let deep = (o,k) => {
  return k.split('.').reduce((a,c,i) => {
    let m=c.match(/(.*?)\[(\d*)\]/);
    if(m && a!=null && a[m[1]]!=null) return a[m[1]][+m[2]];
    return a==null ? a: a[c];
  },o)
}

var data = {
    code: 42,
    items: [
      { id: 1, name: 'foo'}, 
      { id: 2, name: 'bar'},
   ]
};

let deep = (o,k) => {
  return k.split('.').reduce((a,c,i) => {
    let m=c.match(/(.*?)\[(\d*)\]/);
    if(m && a!=null && a[m[1]]!=null) return a[m[1]][+m[2]];
    return a==null ? a: a[c];
  },o)
}

console.log( deep(data,'items[1].name') );

答案 25 :(得分:0)

我的stringjson来自PHP文件,但我仍然在var中指出。当我直接将json放入obj时,不会显示出为什么我将json文件放入

var obj=JSON.parse(stringjson); 所以之后我得到message obj并显示在警报框中,然后我得到data这是json数组并存储在一个变量ArrObj中,然后我用键值读取该数组的第一个对象,例如此ArrObj[0].id

     var stringjson={
        "success": true,
        "message": "working",
        "data": [{
                  "id": 1,
                  "name": "foo"
         }]
      };

                var obj=JSON.parse(stringjson);
                var key = "message";
                alert(obj[key]);
                var keyobj = "data";
                var ArrObj =obj[keyobj];

                alert(ArrObj[0].id);

答案 26 :(得分:0)

注意:此答案假设我们正在寻找id = 2


如果您有更复杂的数据处理需求,请考虑使用object-scan。一旦将头缠绕在它上,它就会非常强大。对于您的示例,您可以使用以下代码:

const objectScan = require('object-scan');

const find = (id, data) => objectScan(['items[*].id'], {
  abort: true,
  rtn: 'parent',
  filterFn: ({ value }) => value === id
})(data);

const data = {
  code: 42,
  items: [{
    id: 1,
    name: 'foo'
  }, {
    id: 2,
    name: 'bar'
  }]
};

console.log(find(2, data));
// => { id: 2, name: 'bar' }

答案 27 :(得分:0)

如果您尝试在 JSON 字符串中查找路径,您可以将数据转储到 https://jsonpathfinder.com 中,然后单击 GUI 元素。它将生成元素路径的 JS 语法。

除此之外,对于您可能想要迭代的任何数组,用循环替换相关的数组偏移索引,如 [0]

这是您可以在此处运行的工具的更简单版本。单击要将路径复制到剪贴板的节点。

/* code minified to make the tool easier to run without having to scroll */                                                         let bracketsOnly=!1,lastHighlighted={style:{}};const keyToStr=t=>!bracketsOnly&&/^[a-zA-Z_$][a-zA-Z$_\d]*$/.test(t)?`.${toHTML(t)}`:`[&quot;${toHTML(t)}&quot;]`,pathToData=t=>`data-path="data${t.join("")}"`,htmlSpecialChars={"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#039;","\t":"\\t","\r":"\\r","\n":"\\n"," ":"&nbsp;"},toHTML=t=>(""+t).replace(/[&<>"'\t\r\n ]/g,t=>htmlSpecialChars[t]),makeArray=(t,e)=>`\n  [<ul ${pathToData(e)}>\n    ${t.map((t,a)=>{e.push(`[${a}]`);const n=`<li ${pathToData(e)}>\n        ${pathify(t,e).trim()},\n      </li>`;return e.pop(),n}).join("")}\n  </ul>]\n`,makeObj=(t,e)=>`\n  {<ul ${pathToData(e)}>\n    ${Object.entries(t).map(([t,a])=>{e.push(keyToStr(t));const n=`<li ${pathToData(e)}>\n        "${toHTML(t)}": ${pathify(a,e).trim()},\n      </li>`;return e.pop(),n}).join("")}\n  </ul>}\n`,pathify=(t,e=[])=>Array.isArray(t)?makeArray(t,e):"object"==typeof t?makeObj(t,e):toHTML("string"==typeof t?`"${t}"`:t),defaultJSON='{\n  "corge": "test JSON... \\n   asdf\\t asdf",\n  "foo-bar": [\n    {"id": 42},\n    [42, {"foo": {"baz": {"ba  r<>!\\t": true, "4quux": "garply"}}}]\n  ]\n}',$=document.querySelector.bind(document),$$=document.querySelectorAll.bind(document),resultEl=$("#result"),pathEl=$("#path"),tryToJSON=t=>{try{resultEl.innerHTML=pathify(JSON.parse(t)),$("#error").innerText=""}catch(t){resultEl.innerHTML="",$("#error").innerText=t}},copyToClipboard=t=>{const e=document.createElement("textarea");e.innerText=t,document.body.appendChild(e),e.select(),document.execCommand("copy"),document.body.removeChild(e)},flashAlert=(t,e=2e3)=>{const a=document.createElement("div");a.textContent=t,a.classList.add("alert"),document.body.appendChild(a),setTimeout(()=>a.remove(),e)},handleClick=t=>{t.stopPropagation(),copyToClipboard(t.target.dataset.path),flashAlert("copied!"),$("#path-out").textContent=t.target.dataset.path},handleMouseOut=t=>{lastHighlighted.style.background="transparent",pathEl.style.display="none"},handleMouseOver=t=>{pathEl.textContent=t.target.dataset.path,pathEl.style.left=`${t.pageX+30}px`,pathEl.style.top=`${t.pageY}px`,pathEl.style.display="block",lastHighlighted.style.background="transparent",(lastHighlighted=t.target.closest("li")).style.background="#0ff"},handleNewJSON=t=>{tryToJSON(t.target.value),[...$$("#result *")].forEach(t=>{t.addEventListener("click",handleClick),t.addEventListener("mouseout",handleMouseOut),t.addEventListener("mouseover",handleMouseOver)})};$("textarea").addEventListener("change",handleNewJSON),$("textarea").addEventListener("keyup",handleNewJSON),$("textarea").value=defaultJSON,$("#brackets").addEventListener("change",t=>{bracketsOnly=!bracketsOnly,handleNewJSON({target:{value:$("textarea").value}})}),handleNewJSON({target:{value:defaultJSON}});
/**/                                                                                       *{box-sizing:border-box;font-family:monospace;margin:0;padding:0}html{height:100%}#path-out{background-color:#0f0;padding:.3em}body{margin:0;height:100%;position:relative;background:#f8f8f8}textarea{width:100%;height:110px;resize:vertical}#opts{background:#e8e8e8;padding:.3em}#opts label{padding:.3em}#path{background:#000;transition:all 50ms;color:#fff;padding:.2em;position:absolute;display:none}#error{margin:.5em;color:red}#result ul{list-style:none}#result li{cursor:pointer;border-left:1em solid transparent}#result li:hover{border-color:#ff0}.alert{background:#f0f;padding:.2em;position:fixed;bottom:10px;right:10px}
<!-- -->                                                                                                    <div class="wrapper"><textarea></textarea><div id="opts"><label>brackets only: <input id="brackets"type="checkbox"></label></div><div id="path-out">click a node to copy path to clipboard</div><div id="path"></div><div id="result"></div><div id="error"></div></div>

未缩小:

let bracketsOnly = false;
let lastHighlighted = {style: {}};

const keyToStr = k =>
  !bracketsOnly && /^[a-zA-Z_$][a-zA-Z$_\d]*$/.test(k) 
    ? `.${toHTML(k)}`
    : `[&quot;${toHTML(k)}&quot;]`
;
const pathToData = p => `data-path="data${p.join("")}"`;

const htmlSpecialChars = {
  "&": "&amp;",
  "<": "&lt;",
  ">": "&gt;",
  '"': "&quot;",
  "'": "&#039;",
  "\t": "\\t",
  "\r": "\\r",
  "\n": "\\n",
  " ": "&nbsp;",
};
const toHTML = x => ("" + x)
  .replace(/[&<>"'\t\r\n ]/g, m => htmlSpecialChars[m])
;

const makeArray = (x, path) => `
  [<ul ${pathToData(path)}>
    ${x.map((e, i) => {
      path.push(`[${i}]`);
      const html = `<li ${pathToData(path)}>
        ${pathify(e, path).trim()},
      </li>`;
      path.pop();
      return html;
    }).join("")}
  </ul>]
`;
const makeObj = (x, path) => `
  {<ul ${pathToData(path)}>
    ${Object.entries(x).map(([k, v]) => {
      path.push(keyToStr(k));
      const html = `<li ${pathToData(path)}>
        "${toHTML(k)}": ${pathify(v, path).trim()},
      </li>`;
      path.pop();
      return html;
    }).join("")}
  </ul>}
`;

const pathify = (x, path=[]) => {
  if (Array.isArray(x)) {
    return makeArray(x, path);
  }
  else if (typeof x === "object") {
    return makeObj(x, path);
  }
  
  return toHTML(typeof x === "string" ? `"${x}"` : x);
};

const defaultJSON = `{
  "corge": "test JSON... \\n   asdf\\t asdf",
  "foo-bar": [
    {"id": 42},
    [42, {"foo": {"baz": {"ba  r<>!\\t": true, "4quux": "garply"}}}]
  ]
}`;

const $ = document.querySelector.bind(document);
const $$ = document.querySelectorAll.bind(document);
const resultEl = $("#result");
const pathEl = $("#path");

const tryToJSON = v => {
  try {
    resultEl.innerHTML = pathify(JSON.parse(v));
    $("#error").innerText = "";
  }
  catch (err) {
    resultEl.innerHTML = "";
    $("#error").innerText = err;
  }
};

const copyToClipboard = text => {
  const ta = document.createElement("textarea");
  ta.innerText = text;
  document.body.appendChild(ta);
  ta.select();
  document.execCommand("copy");
  document.body.removeChild(ta);
};

const flashAlert = (text, timeoutMS=2000) => {
  const alert = document.createElement("div");
  alert.textContent = text;
  alert.classList.add("alert");
  document.body.appendChild(alert);
  setTimeout(() => alert.remove(), timeoutMS);
};

const handleClick = e => {
  e.stopPropagation();
  copyToClipboard(e.target.dataset.path);
  flashAlert("copied!");
  $("#path-out").textContent = e.target.dataset.path;
};

const handleMouseOut = e => {
  lastHighlighted.style.background = "transparent";
  pathEl.style.display = "none";
};

const handleMouseOver = e => {
  pathEl.textContent = e.target.dataset.path;
  pathEl.style.left = `${e.pageX + 30}px`;
  pathEl.style.top = `${e.pageY}px`;
  pathEl.style.display = "block";
  lastHighlighted.style.background = "transparent";
  lastHighlighted = e.target.closest("li");
  lastHighlighted.style.background = "#0ff";
};

const handleNewJSON = e => {
  tryToJSON(e.target.value);
  [...$$("#result *")].forEach(e => {
    e.addEventListener("click", handleClick);
    e.addEventListener("mouseout", handleMouseOut);
    e.addEventListener("mouseover", handleMouseOver);
  });
};
$("textarea").addEventListener("change", handleNewJSON);
$("textarea").addEventListener("keyup", handleNewJSON);
$("textarea").value = defaultJSON;
$("#brackets").addEventListener("change", e => {
  bracketsOnly = !bracketsOnly;
  handleNewJSON({target: {value: $("textarea").value}});
});
handleNewJSON({target: {value: defaultJSON}});
* {
  box-sizing: border-box;
  font-family: monospace;
  margin: 0;
  padding: 0;
}

html {
  height: 100%;
}

#path-out {
  background-color: #0f0;
  padding: 0.3em;
}

body {
  margin: 0;
  height: 100%;
  position: relative;
  background: #f8f8f8;
}

textarea {
  width: 100%;
  height: 110px;
  resize: vertical;
}

#opts {
  background: #e8e8e8;
  padding: 0.3em;
}
#opts label {
  padding: 0.3em;
}

#path {
  background: black;
  transition: all 0.05s;
  color: white;
  padding: 0.2em;
  position: absolute;
  display: none;
}

#error {
  margin: 0.5em;
  color: red;
}

#result ul {
  list-style: none;
}

#result li {
  cursor: pointer;
  border-left: 1em solid transparent;
}
#result li:hover {
  border-color: #ff0;
}

.alert {
  background: #f0f;
  padding: 0.2em;
  position: fixed;
  bottom: 10px;
  right: 10px;
}
<div class="wrapper">
  <textarea></textarea>
  <div id="opts">
    <label>
      brackets only: <input id="brackets" type="checkbox">
    </label>
  </div>
  <div id="path-out">click a node to copy path to clipboard</div>
  <div id="path"></div>
  <div id="result"></div>
  <div id="error"></div>
</div>

这并不是要替代 learning how to fish,但是一旦您知道它可以节省时间。

答案 28 :(得分:-1)

使用lodash将是一个很好的解决方案

前:

var object = { 'a': { 'b': { 'c': 3 } } };                                                                                               
_.get(object, 'a.b.c');                                                                                             
// => 3