通过递归返回单个值就可以了。但是,如果我想返回值列表,那么每次调用都会递归进行。这是我的代码。
public void inOrder(Node focusNode) {
/* ArrayList<Integer> tempList = new ArrayList<Integer>(); */
if ( focusNode != null) {
inOrder(focusNode.getLeftNode());
System.out.println(focusNode);
/* tempList.add(focusNode.getElement()); */
inOrder(focusNode.getRightNode());
}
/* int[] elems = new int[tempList.toArray().length];
int i = 0;
for ( Object o : tempList.toArray())
elems[i++] = Integer.parseInt(o.toString()); */
//return tempList;
}
遍历时打印值会给出预期的输出。但是存储这些值是行不通的。它仅在列表中返回单个值。有人可以帮我弄这个吗?
最佳答案
您为什么不随便将对数组列表的引用和起始节点一起传递? inOrder方法运行后,您将获得一系列有序的值,可以根据需要使用。
// method signature changed
public void inOrder(Node focusNode, ArrayList vals) {
/* ArrayList<Integer> tempList = new ArrayList<Integer>(); */
if ( focusNode != null) {
// args changed here
inOrder(focusNode.getLeftNode(), vals);
// adding node to array list rather than dumping to console
vals.add(focusNode);
/* tempList.add(focusNode.getElement()); */
inOrder(focusNode.getRightNode());
}