-
Notifications
You must be signed in to change notification settings - Fork 27
/
Copy pathZigzagLevelOrder.cs
58 lines (55 loc) · 1.91 KB
/
ZigzagLevelOrder.cs
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
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
using System;
using System.Collections.Generic;
using System.Text;
//103. Binary Tree Zigzag Level Order Traversal
namespace leetcodeTest
{
public class Solution {
private int lineno; //从二层开始按行号编号
public IList<IList<int>> ZigzagLevelOrder(TreeNode root) {
if (root == null)
return new List<IList<int>>();
IList<IList<int>> rtn = new List<IList<int>>{new List<int> {root.val}}; //第一层
var tmp = zigzagLevelOrder(new List<TreeNode> { root }); //tmp: 第二层~叶子层
if (tmp != null && tmp.Count > 0)
{
foreach (var item in tmp)
rtn.Add(item);
}
return rtn;
}
//第二层到叶子层: right to left; left to right; ...
private IList<IList<int>> zigzagLevelOrder(IList<TreeNode> curLevel)
{
if (curLevel == null || curLevel.Count == 0)
return null;
IList<IList<int>> rtn= new List<IList<int>>();
List<TreeNode> nextn = new List<TreeNode>();
foreach (var item in curLevel)
{
if (item.left != null)
nextn.Add(item.left);
if (item.right != null)
nextn.Add(item.right);
}
if (nextn.Count == 0)
return null;
if(lineno%2==0) //反转本层
{
List<int> tmp = nextn.Select(r => r.val).ToList();
tmp.Reverse();
rtn.Add(tmp);
}
else
rtn.Add(nextn.Select(r=>r.val).ToList()); //正序
++lineno;
var children = zigzagLevelOrder(nextn);
if (children != null && children.Count > 0)
{
foreach (var item in children)
rtn.Add(item);
}
return rtn;
}
}
}