先序遍历 递归
1 | public class Solution { |
先序遍历 非递归
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44class TreeNode {
public int val;
public TreeNode left, right;
public TreeNode(int val) {
this.val = val;
this.left = this.right = null;
}
}
public class Solution {
public static void preorderTraversal(TreeNode root) {
Stack<TreeNode> stack=new Stack<TreeNode>();
while(!stack.isEmpty()||root!=null)
{
while(root!=null)
{
System.out.println(root.val);
stack.push(root);
root=root.left;
}
if(!stack.isEmpty())
{
root=stack.pop();
root=root.right;
}
}
}
public static void main(String[] args) {
TreeNode node=new TreeNode(1);
node.left=null;
TreeNode node2=new TreeNode(2);
node.right=node2;
TreeNode node3=new TreeNode(3);
node2.left=node3;
node2.right=null;
node3.left=null;
node3.right=null;
preorderTraversal(node);
}
}
s.empty()和s==null概念要区分,前者是判断栈空,后者null是表示一个空对象,有没有初始化。
中序遍历 递归
1 | class TreeNode { |
中序遍历 非递归
1 | class TreeNode { |
后序遍历 递归
1 | /** |
e.g. test
1 | package a; |
后序遍历非递归
1 | package a; |
补充:Java中List集合的遍历
一、对List的遍历有三种方式
List
list.add(“testone”);
list.add(“testtwo”);
…
第一种:
for(Iterator
….
}
这种方式在循环执行过程中会进行数据锁定, 性能稍差, 同时,如果你想在循环过程中去掉某个元素,只能调用it.remove方法, 不能使用list.remove方法, 否则一定出现并发访问的错误.
第二种:
for(String data : list) {
…..
}
内部调用第一种, 换汤不换药, 因此比Iterator 慢,这种循环方式还有其他限制, 不建议使用它。
第三种:
for(int i=0; i<list.size(); i++) {
A a = list.get(i);
…
}
内部不锁定, 效率最高, 但是当写多线程时要考虑并发操作的问题。
1 | public class MapTest { |
测试结果:
(1)、第一次
foreach 遍历时间:55
for list.size()遍历时间:47
iterator 遍历时间:51
(2)、第二次
foreach 遍历时间:54
for list.size()遍历时间:44
iterator 遍历时间:50
(3)、第三次
foreach 遍历时间:48
for list.size()遍历时间:43
iterator 遍历时间:44