Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Obtain value from nested JSON dictionary via keypath without using eval

I want to access a nested JSON dictionary via dynamically constructed keypath.
The keypath uses standard JSON dot and subscript operators. (. and [x])
E.g.:

var data = 
{"title": "a_title",
 "testList": [
   {
     "testListItemKey": "listitem1"
   },
   {
     "testListItemKey": "listitem2",
          "deepTestList": [
            {
              "testListItemKey": "listitem1",
                      "testListItemDict":{
                         "subTitle": "sub_title",
                      }
            }]
   }]
}

An example keypath string would be:

data.feedEntries[0].testList[2].deepTestList[1].testListItemDict.subTitle  

The simplest working solution I found so far is to use eval or function constructors:

function valueForKeypPath(data, keyPath) {
    "use strict";
    var evaluateKeypath = new Function('data', 'return data.' + keyPath);
    return evaluateKeypath(data);
}

As I can't fully trust the JSON data I receive from a remote endpoint, I'd like to avoid eval et.al.

like image 829
Thomas Zoechling Avatar asked Mar 17 '26 01:03

Thomas Zoechling


1 Answers

Replace all "[" to "." and "]" to "" so you get to

feedEntries.0.testList.2.deepTestList.1.testListItemDict.subTitle

Split this into a path array like using path.split('.')

var paths =  ['feedEntries','0','testList','2']

then just

var root = data;
paths.forEach(function(path) {
   root = root[path];
});

at the end root contains the desired data fragment.

like image 181
Peter Aron Zentai Avatar answered Mar 18 '26 14:03

Peter Aron Zentai