二叉树的前序遍历非递归
时间: 2023-09-07 20:17:24 浏览: 89
二叉树的前序遍历非递归方式可以使用栈来实现。具体步骤如下:
1. 将根节点入栈。
2. 循环执行以下步骤,直到栈为空:
a. 弹出栈顶元素并访问。
b. 如果该节点有右子树,将其右子树入栈。
c. 如果该节点有左子树,将其左子树入栈。
下面是一个示例代码实现:
```
vector<int> preorderTraversal(TreeNode* root) {
vector<int> result;
stack<TreeNode*> s;
if (root != nullptr) {
s.push(root);
}
while (!s.empty()) {
TreeNode* node = s.top();
s.pop();
result.push_back(node->val);
if (node->right != nullptr) {
s.push(node->right);
}
if (node->left != nullptr) {
s.push(node->left);
}
}
return result;
}
```
其中,TreeNode 是二叉树的节点定义,val 表示节点的值。函数返回值是一个 vector,记录了前序遍历的结果。
相关问题
二叉树前序遍历非递归
二叉树的前序遍历是非递归的方式通常通过栈来实现。前序遍历的顺序是根节点 -> 左子树 -> 右子树。以下是步骤:
1. 创建一个空栈,并将根节点压入栈中。
2. 当栈不为空时,执行以下操作:
a. 弹出栈顶元素,访问它(即当前节点)。
b. 如果该节点有右子节点,将其压入栈中。
c. 如果该节点有左子节点,将其压入栈中。
3. 重复步骤2,直到栈为空。
这种方法避免了递归带来的函数调用开销,适合处理大数据量的情况。非递归前序遍历的伪代码可以表示为:
```
void preOrder(Node node) {
Stack<Node> stack;
stack.push(node);
while (!stack.isEmpty()) {
Node current = stack.pop();
// 访问当前节点
processNode(current);
if (current.right != null)
stack.push(current.right);
if (current.left != null)
stack.push(current.left);
}
}
```
c++编写二叉树前序遍历非递归
下面是C++编写二叉树前序遍历非递归的代码:
```c++
#include<iostream>
#include<stack>
using namespace std;
struct TreeNode {
int val;
TreeNode* left;
TreeNode* right;
TreeNode(int x) : val(x), left(NULL), right(NULL) {}
};
void preorderTraversal(TreeNode* root) {
if(root == NULL) {
return;
}
stack<TreeNode*> stk;
stk.push(root);
while(!stk.empty()) {
TreeNode* node = stk.top();
stk.pop();
cout<<node->val<<" ";
if(node->right != NULL) {
stk.push(node->right);
}
if(node->left != NULL) {
stk.push(node->left);
}
}
}
int main() {
// test case
TreeNode* root = new TreeNode(1);
root->left = new TreeNode(2);
root->right = new TreeNode(3);
root->left->left = new TreeNode(4);
root->left->right = new TreeNode(5);
root->right->left = new TreeNode(6);
root->right->right = new TreeNode(7);
cout<<"preorderTraversal:"<<endl;
preorderTraversal(root);
return 0;
}
```
上面的代码通过使用栈来模拟递归过程,实现了二叉树的前序遍历。
阅读全文