Как получить вложенный родительский путь из дерева JSON в JavaScript? - PullRequest
0 голосов
/ 13 января 2020

У меня есть JSON древовидная структура, подобная этой.

[
    {
      "title":"News",
      "id":"news"
    },
    {
      "title":"Links",
      "id":"links",
      "children":[
        {
          "title":"World",
          "id":"world",
          "children":[
            {
              "title":"USA",
              "id":"usa",
              "children":[
                {
                  "title":"Northeast",
                  "id":"northeast"
                },
                {
                  "title":"Midwest",
                  "id":"midwest"
                }                
              ]
            },
            {
              "title":"Europe",
              "id":"europe"
            }
          ]
        }
      ]
    }
  ]

То, что я хочу, это когда я передаю "северо-восток" функции (), он должен вернуть мне путь строки точечной нотации из root. Ожидаемая возвращаемая строка из функции в этом случае будет "links.world.usa.northeast"

1 Ответ

4 голосов
/ 13 января 2020

Вы можете проверить каждый вложенный массив и, если он найден, взять id с каждого уровня в качестве пути.

const pathTo = (array, target) => {
    var result;
    array.some(({ id, children = [] }) => {
        if (id === target) return result = id;
        var temp = pathTo(children, target)
        if (temp) return result = id + '.' + temp;
    });
    return result;
};

var data = [{ title: "News", id: "news" }, { title: "Links", id: "links", children: [{ title: "World", id: "world", children: [{ title: "USA", id: "usa", children: [{ title: "Northeast", id: "northeast" }, { title: "Midwest", id: "midwest" }] }, { title: "Europe", id: "europe" }] }] }];

console.log(pathTo(data, 'northeast'));
...