上篇写了二叉树的递归遍历(前序,中序,后序)。
但递归也有缺点:递归太深,空间有限,会导致栈溢出。(这个栈是内存管理分段、局部对象存储区域,属于操作系统内容)
递归也可以转为非递归。
其中有两种方法:
第一种:将递归转为循环。
比如:斐波那契数列和求前N项和。
第二种:用栈进行解决。(这个栈是数据结构中的)
不是所有递归都能用循环实现,比如:单链表的逆序打印和二叉树的遍历。
下面的代码就是非递归进行遍历二叉树。
非递归前序遍历:
void PrevOrderNonR()//非递归前序遍历
{
Node* cur = _root;
stack<Node*> s;
while (cur || !s.empty())
{
while (cur)
{
s.push(cur);
cout << cur->_data << " ";
cur = cur->_leftchild;
}
Node* top = s.top();
s.pop();
cur = top->_rightchild;
}
cout << endl;
}
非递归中序遍历:
void InOrderNonR()//非递归中序遍历
{
Node* cur = _root;
stack<Node*> s;
while (cur || !s.empty())
{
while (cur)
{
s.push(cur);
cur = cur->_leftchild;
}
Node* top = s.top();
cout << top->_data << " ";
s.pop();
cur = top->_rightchild;
}
cout << endl;
}
非递归后序遍历:
void PostOrderNonR()//非递归后序遍历
{
Node* cur = _root;
stack<Node*> s;
Node* prev = NULL;
while (cur || !s.empty())
{
while (cur)
{
s.push(cur);
cur = cur->_leftchild;
}
Node* top = s.top();
if (top->_rightchild == NULL || top->_rightchild == prev)
{
cout << top->_data << " ";
prev = top;
s.pop();
}
else
{
cur = top->_rightchild;
}
}
cout << endl;
}
这三种遍历思想基本相似,其中虽然不是递归,但也是和递归有类似的思想,用子问题解决。
相比较递归比较难理解,可以用一棵树跟着代码走一遍,就会好理解很多。