在根和任何对象之间查找对象树中的对象

时间:2018-04-25 13:07:48

标签: javascript typescript recursion tree

我有一个典型的树数据结构,如下所示:

[
  {
    data: object,
    subs:
      [ ...other objects... ]
  },
  ...other objects...
]

它可以有任何形状和数量的节点。

我写了一个方法,它应该递归地查找并返回根 r 和给定对象 o 之间的路径(中间对象数组)。 (是否包括 r o 我不在乎)

public getPath(tree: Array<object>, o: object): Array<object> {

  let path: Array<object> = [];

  function f(subtree: Array<object>): void {
    for (let node of subtree) {

      path.push(node['data']);
      if (node['data'] == o) return;
      else if (node['subs'].length > 0) f(node['subs']);
      else path = [];

    }
  }

  f(tree);
  return path;

}

基本上我的想法是

  • 始终将每个对象添加到从 r o 的遍历期间访问过的数组,
  • 如果遍历的路径不是从 r o 的路径,则清空数组,
  • 并在达到 o 时返回,并且遍历应该结束。

结果:

  • 适用于 r o ,返回[ r ]。
  • 它也适用于 r 的第一个孩子 o ,返回[ r r的第一个孩子]。
  • 但是,为了选择任何其他对象为 o ,不仅会返回正确路径的对象,还会返回树的许多其他对象。

1 个答案:

答案 0 :(得分:2)

您的代码存在缺陷,即您正在使用全局(f的范围)path数组。问题是如果节点不匹配则清除整个阵列,而您应该只切断当前部分。有两种方法可以达到你想要的效果:首先是让f接受一个数组path,它复制并递归传递直到它找到对象,另一种方法是最好的方法是使用调用堆栈(由递归创建):

public getPath(tree: Array<object>, o: object): Array<object> {

    function f(subtree: Array<object>) {                              // I don't know typescript, so specify the return type as (Array<object> or null)
        for (let node of subtree) {
            if (node.data == o) {                                     // if this is the node we're looking for
                return [node];                                        // return an array (which will be our path), here you can either return [] to exclude the matched node (o) or [node] to include it
            } else if(node.subs.length) {                             // not the node we are looking for, but it has children, so let check'em out 
                let result = f(node.subs);                            // result will either be an array (if we recursively found something), or null otherwise
                if(result) {                                          // if we found something, then result will be the path from the current node to the object o (the current node not included)
                    result.unshift(node);                             // we include the current node by pushing it into the result array (pushing it to the first position)
                    return result;                                    // return result (an array) to signal successfulness
                }
            }
        }
        return null;                                                  // the object o not found in this subtree, return null to signal unsuccessfullness. Kind of redundant, because undefined is returned by default, so feel free to remove it
    }

    return f(tree);    
}