数组树查找父母及其父母以及到根的最短路径

时间:2011-09-17 13:51:36

标签: java arrays path tree nodes

我想找到从孩子到他父母,到祖父母以及最后根的最短路线。

例如,input 0 0 0 1 2表示:

input[1] parent is 0 (route = 1)
input[2] also has parent 0 (route = 1) 
input[3] has parent 1 which has parent 0 (route = 2)
input[4] has parent 2 which has parent 0 (route = 2)
到目前为止

代码:

创建名为targetNodes的数组,其中包含0 0 0 1 2

System.out.print( "0 " );

for ( int x = 1; x < arrayLength; x++ )
{

  int depth = 1;
  int parent = 0;

  while ( targetNodes[x] != 0 ) 
  {
      depth++;
      targetNodes[x] = targetNodes[ targetNodes[x] ] ;
  }   

  // output shortest path from node to root for every node
  System.out.print( depth + " " );

}

System.out.print("\n");

我的示例有效且输入:0 0 0 1 2它打印:0 1 1 2 2, 但对于输入:0 0 1 2 1 4,当正确的输出为:0 1 2 2 2 2

时,它打印出:0 1 2 3 2 3

不确定我做错了什么,我猜它是逻辑

1 个答案:

答案 0 :(得分:1)

实际上非常简单。最难的部分是转换单元测试的数据,以便可以有效地键入它们。

package so7455242;

import static org.junit.Assert.*;

import org.junit.Test;

import com.google.common.primitives.Ints;

public class DistanceFinder {

  private static int[] findPathLengths(int[] parent) {
    int[] distances = new int[parent.length];
    for (int i = 0; i < parent.length; i++) {
      int distance = 0;
      for (int node = i; node != 0; node = parent[node]) {
        distance++;
      }
      distances[i] = distance;
    }
    return distances;
  }

  private static int[] toIntArray(String s) {
    String[] words = s.split(" ");
    int[] ints = new int[words.length];
    for (int i = 0; i < ints.length; i++) {
      ints[i] = Integer.parseInt(words[i]);
    }
    return ints;
  }

  private static void testcase(String expected, String input) {
    int[] nodeDefinitions = toIntArray(input);
    int[] pathLengths = findPathLengths(nodeDefinitions);
    String actual = Ints.join(" ", pathLengths);
    assertEquals(expected, actual);
  }

  @Test
  public void test() {
    testcase("0 1 1 2 2", "0 0 0 1 2");
    testcase("0 1 2 3 2 3", "0 0 1 2 1 4");
  }

}