递归算法
data:image/s3,"s3://crabby-images/8f1ef/8f1eff582cd86922f6f2c721e79d99dbca54728f" alt=""
前序遍历的非递归遍历
核心思路
:在访问完该结点后,将该结点的指针保存在栈中,以便以后能通过它找到该结点的右子树
代码框架:
data:image/s3,"s3://crabby-images/eb717/eb717376888106421ec0bb2688c59dc8d23e7146" alt=""
正常的先序遍历代码:
public static void preOrderStack(TreeNode root) {
if (root == null) {
return;
}
Stack<TreeNode> s = new Stack<TreeNode>();
while (root != null || !s.isEmpty()) {
while (root != null) {
System.out.println(root.val);
s.push(root);
root = root.left;
}
root = s.pop();
root = root.right;
}
}
可以保存右孩子节点的先序遍历代码(可以解决有些题目中需要保存右孩子的情况,如leetcode第114. 二叉树展开为链表)
public static void preOrderStack(TreeNode root) {
if (root == null){
return;
}
Stack<TreeNode> s = new Stack<TreeNode>();
s.push(root);
while (!s.isEmpty()) {
TreeNode temp = s.pop();
System.out.println(temp.val);
if (temp.right != null){
s.push(temp.right);
}
if (temp.left != null){
s.push(temp.left);
}
}
}
层次遍历
data:image/s3,"s3://crabby-images/a2ddb/a2ddb8700db79b42893ce9e4d52a9ba375c4c5f0" alt=""
代码框架:
class Solution {
public:
vector<vector<int>> levelOrder(TreeNode* root) {
queue<TreeNode*> que;
if (root != NULL) que.push(root);
vector<vector<int>> result;
while (!que.empty()) {
int size = que.size();
vector<int> vec;
// 这里一定要使用固定大小size,不要使用que.size(),因为que.size是不断变化的
for (int i = 0; i < size; i++) {
TreeNode* node = que.front();
que.pop();
vec.push_back(node->val);
if (node->left) que.push(node->left);
if (node->right) que.push(node->right);
}
result.push_back(vec);
}
return result;
}
};
网友评论