Buscar por clave en lo profundo de una matriz anidada

Resuelto Harry asked hace 11 años • 21 respuestas

Digamos que tengo un objeto:

[
    {
        'title': "some title"
        'channel_id':'123we'
        'options': [
                    {
                'channel_id':'abc'
                'image':'http://asdasd.com/all-inclusive-block-img.jpg'
                'title':'All-Inclusive'
                'options':[
                    {
                        'channel_id':'dsa2'
                        'title':'Some Recommends'
                        'options':[
                            {
                                'image':'http://www.asdasd.com'                                 'title':'Sandals'
                                'id':'1'
                                'content':{
                                     ...

Quiero encontrar el único objeto donde la identificación es 1. ¿Existe una función para algo como esto? Podría usar _.filterel método de subrayado, pero tendría que comenzar desde arriba y filtrar hacia abajo.

Harry avatar Mar 20 '13 19:03 Harry
Aceptado

La recursividad es tu amiga. Actualicé la función para tener en cuenta las matrices de propiedades:

function getObject(theObject) {
    var result = null;
    if(theObject instanceof Array) {
        for(var i = 0; i < theObject.length; i++) {
            result = getObject(theObject[i]);
            if (result) {
                break;
            }   
        }
    }
    else
    {
        for(var prop in theObject) {
            console.log(prop + ': ' + theObject[prop]);
            if(prop == 'id') {
                if(theObject[prop] == 1) {
                    return theObject;
                }
            }
            if(theObject[prop] instanceof Object || theObject[prop] instanceof Array) {
                result = getObject(theObject[prop]);
                if (result) {
                    break;
                }
            } 
        }
    }
    return result;
}

jsFiddle actualizado: http://jsfiddle.net/FM3qu/7/

Zach avatar Mar 20 '2013 13:03 Zach

Otra opción (algo tonta) es explotar la naturaleza naturalmente recursiva de JSON.stringifyy pasarle una función de reemplazo que se ejecute en cada objeto anidado durante el proceso de encadenamiento:

const input = [{
  'title': "some title",
  'channel_id': '123we',
  'options': [{
    'channel_id': 'abc',
    'image': 'http://asdasd.com/all-inclusive-block-img.jpg',
    'title': 'All-Inclusive',
    'options': [{
      'channel_id': 'dsa2',
      'title': 'Some Recommends',
      'options': [{
        'image': 'http://www.asdasd.com',
        'title': 'Sandals',
        'id': '1',
        'content': {}
      }]
    }]
  }]
}];

console.log(findNestedObj(input, 'id', '1'));

function findNestedObj(entireObj, keyToFind, valToFind) {
  let foundObj;
  JSON.stringify(entireObj, (_, nestedValue) => {
    if (nestedValue && nestedValue[keyToFind] === valToFind) {
      foundObj = nestedValue;
    }
    return nestedValue;
  });
  return foundObj;
};
Expandir fragmento

CertainPerformance avatar May 19 '2019 02:05 CertainPerformance

Lo que funcionó para mí fue este enfoque perezoso, no algorítmicamente perezoso;)

if( JSON.stringify(object_name).indexOf("key_name") > -1 ) {
    console.log("Key Found");
}
else{
    console.log("Key not Found");
}
abhinav1602 avatar Oct 25 '2018 07:10 abhinav1602

Si desea obtener el primer elemento cuya identificación es 1 mientras se busca el objeto, puede usar esta función:

function customFilter(object){
    if(object.hasOwnProperty('id') && object["id"] == 1)
        return object;

    for(var i=0; i<Object.keys(object).length; i++){
        if(typeof object[Object.keys(object)[i]] == "object"){
            var o = customFilter(object[Object.keys(object)[i]]);
            if(o != null)
                return o;
        }
    }

    return null;
}

Si desea obtener todos los elementos cuya identificación es 1, entonces (todos los elementos cuya identificación es 1 se almacenan en el resultado como puede ver):

function customFilter(object, result){
    if(object.hasOwnProperty('id') && object.id == 1)
        result.push(object);

    for(var i=0; i<Object.keys(object).length; i++){
        if(typeof object[Object.keys(object)[i]] == "object"){
            customFilter(object[Object.keys(object)[i]], result);
        }
    }
}
haitaka avatar Mar 20 '2013 12:03 haitaka