admin管理员组

文章数量:1346036

How can I remove an object inside another object, if I don't know it's depth?

Json Object

{
  "foo": {
     "1" : {
        "bar" : "a",
        "foo" : {
          "2" : "aa"
        }
      },
     "3" : {
        "bar" : "b",
        "foo" : {
          "4" : "bb"
        }
      }
   }
}

Let say I want to remove "4", but "4" could have been a first level child or be inside another child?

How can I remove an object inside another object, if I don't know it's depth?

Json Object

{
  "foo": {
     "1" : {
        "bar" : "a",
        "foo" : {
          "2" : "aa"
        }
      },
     "3" : {
        "bar" : "b",
        "foo" : {
          "4" : "bb"
        }
      }
   }
}

Let say I want to remove "4", but "4" could have been a first level child or be inside another child?

Share Improve this question asked Aug 23, 2013 at 19:45 Simon ArnoldSimon Arnold 16.2k8 gold badges68 silver badges88 bronze badges 12
  • 2 To be clear, is this a json string, or a javascript object? – Jason P Commented Aug 23, 2013 at 19:46
  • 2 what should be done if there are multiple 4's (or none at all)? – John Dvorak Commented Aug 23, 2013 at 19:46
  • anyways, I remend changing the data structure – John Dvorak Commented Aug 23, 2013 at 19:47
  • @Jan Dvorak What would you suggest? – Simon Arnold Commented Aug 23, 2013 at 19:48
  • 2 recursively iterate over the structure till you find an object that has a "4" key, and remove it. – Kevin B Commented Aug 23, 2013 at 19:50
 |  Show 7 more ments

2 Answers 2

Reset to default 7

Here is another recursive solution, the difference between my version and adeneo's is that mine will stop as soon as a matching key is found. This is more efficient if you know there won't be multiple occurrences of the same key, or you are okay with only removing one of each occurrence per call:

function remove(obj, key) {
    for (var k in obj) {
        if (k == key) {
            delete obj[key];
            return true;
        } else if (typeof obj[k] === "object") {
            if (remove(obj[k], key)) return true;
        }
    }
    return false;
}

iteration is the key:

function remove(obj, key) {
    for (k in obj) {
        if (k==key) {
            delete obj[k];
        }else if (typeof obj[k] === 'object') {
            remove(obj[k], key);
        }
    }
}

FIDDLE

本文标签: javascriptRemoving an object inside another object without knowing its depthStack Overflow