Skip to content

Commit d71ff10

Browse files
committed
init lc repo
0 parents  commit d71ff10

3 files changed

+118
-0
lines changed

Tree/102. 二叉树的层序遍历.md

+56
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,56 @@
1+
# Description
2+
- 从上到下按层打印二叉树,同一层的节点按从左到右的顺序打印,每一层打印到一行
3+
- 例如:
4+
- 给定二叉树: ```[3,9,20,null,null,15,7]```,
5+
```python
6+
7+
3
8+
/ \
9+
9 20
10+
/ \
11+
15 7
12+
```
13+
返回其层次遍历结果:
14+
```python
15+
[
16+
[3],
17+
[9,20],
18+
[15,7]
19+
]
20+
```
21+
22+
# Solution
23+
- 层次遍历:使用栈保存每一层的节点
24+
- 在每一层中单独设置一个list保存
25+
- 注意None节点的判断
26+
```python
27+
# Definition for a binary tree node.
28+
# class TreeNode:
29+
# def __init__(self, x):
30+
# self.val = x
31+
# self.left = None
32+
# self.right = None
33+
34+
class Solution:
35+
def levelOrder(self, root: TreeNode) -> List[List[int]]:
36+
if not root:
37+
return []
38+
else:
39+
ans, stack = [], [root]
40+
while stack:
41+
layer_node, layer_val = [], []
42+
while stack:
43+
current = stack.pop(0)
44+
layer_val.append(current.val)
45+
46+
if current.left:
47+
layer_node.append(current.left)
48+
if current.right:
49+
layer_node.append(current.right)
50+
51+
stack.extend(layer_node)
52+
ans.append(layer_val)
53+
54+
return ans
55+
56+
```

Tree/589. N叉树的前序遍历.md

+62
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,62 @@
1+
# Description
2+
给定一个 N 叉树,返回其节点值的前序遍历。
3+
4+
例如,给定一个 3叉树 :
5+
6+
![[Pasted image 20200922222113.png]]
7+
8+
9+
返回其前序遍历: [1,3,5,6,2,4]
10+
11+
12+
# Solution
13+
## 1. 递归
14+
- 基于递归方法的先序遍历
15+
```python
16+
"""
17+
# Definition for a Node.
18+
class Node:
19+
def __init__(self, val=None, children=None):
20+
self.val = val
21+
self.children = children
22+
"""
23+
24+
class Solution:
25+
def VLR(self, root):
26+
if root:
27+
self.ans.append(root.val)
28+
for i in root.children:
29+
VLR(i)
30+
31+
def preorder(self, root: 'Node') -> List[int]:
32+
self.ans = []
33+
self.VLR(root)
34+
return self.ans
35+
```
36+
## 2. 循环
37+
- 用栈(准确地说是个list)保存待遍历节点
38+
- 需要注意存节点入栈的顺序
39+
```python
40+
"""
41+
# Definition for a Node.
42+
class Node:
43+
def __init__(self, val=None, children=None):
44+
self.val = val
45+
self.children = children
46+
"""
47+
48+
class Solution:
49+
def preorder(self, root: 'Node') -> List[int]:
50+
if not root:
51+
return []
52+
else:
53+
ans = []
54+
stack = [root]
55+
while len(stack) > 0:
56+
current = stack.pop(0)
57+
if not current:
58+
continue
59+
ans.append(current.val)
60+
stack = current.children + stack
61+
return ans
62+
```

pic/Pasted image 20200922222113.png

21.8 KB
Loading

0 commit comments

Comments
 (0)