gpt4 book ai didi

c++ - 二叉树顺序遍历导致堆栈溢出

转载 作者:行者123 更新时间:2023-11-28 00:57:23 24 4
gpt4 key购买 nike

好的,我有一个读取方法可以正确读取值(全部 7000),(手写 15 个值作为树结构),不会产生任何错误。

但是,当涉及到二叉树的输出时,我使用的是几个网站上所述的方法。

我得到的错误是堆栈溢出,我假设它是由于递归调用并且从未中断,但我不知道为什么这不起作用。

感谢任何帮助,谢谢。

代码如下:

// Read
void BinaryTreeStorage::read(ifstream& _fin)
{
// Get first line with number of names in it
string numberOfNamesString;
getline(_fin, numberOfNamesString);

// Loop through all the names
string line;
int num = 0;
while (!_fin.eof())
{
getline(_fin, line);
if (line != "")
{
// Insert Value Here
if (root != NULL)
{
insert(line, root);
}
else
{
insert(line);
}
}
}
}

// Write
void BinaryTreeStorage::write(ofstream& _out) const
{
inorderPrint(_out, root);
}

// inorderPrint
void BinaryTreeStorage::inorderPrint(ofstream& _out, node *_root) const
{
if (_root != NULL)
{
// Inorder
inorderPrint(_out, root->left);
_out << root->nodeValue;
cout << root->nodeValue << " ";
inorderPrint(_out, root->right);
}
}

// Insert if root is null
void BinaryTreeStorage::insert(string _nodeValueIn)
{
if(root!=NULL)
insert(_nodeValueIn, root);
else
{
root=new node;
root->nodeValue=_nodeValueIn;
root->left=NULL;
root->right=NULL;
}
}

// Insert when root is not null
void BinaryTreeStorage::insert(string _nodeValueIn, node *leaf)
{
if(_nodeValueIn< leaf->nodeValue)
{
if(leaf->left!=NULL)
insert(_nodeValueIn, leaf->left);
else
{
leaf->left=new node;
leaf->left->nodeValue=_nodeValueIn;
leaf->left->left=NULL; //Sets the left child of the child node to null
leaf->left->right=NULL; //Sets the right child of the child node to null
}
}
else if(_nodeValueIn>=leaf->nodeValue)
{
if(leaf->right!=NULL)
insert(_nodeValueIn, leaf->right);
else
{
leaf->right=new node;
leaf->right->nodeValue=_nodeValueIn;
leaf->right->left=NULL; //Sets the left child of the child node to null
leaf->right->right=NULL; //Sets the right child of the child node to null
}
}
}

最佳答案

你在 BinaryTreeStorage::inorderPrint 中有一个错误,您的参数 _root 未按预期使用:您总是在 root 上循环。

提示:避免使用相似的名称!

提示:避免使用 std 以避免错误,除非您在嵌套模板中过于频繁地编写 std::。

提示:不要在名称的开头或结尾使用 _。

提示:不要与 NULL 比较:写 if(n) 而不是 if(n!=NULL)。

提示:不需要时不要嵌套 block :

void BinaryTreeStorage::inorderPrint(std::ofstream& out, node *n) const
{
if(!n) return;

inorderPrint(out, n->left);
out << n->nodeValue; // no separator??
std::cout << n->nodeValue << " ";
inorderPrint(out, n->right);
}

关于c++ - 二叉树顺序遍历导致堆栈溢出,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/10389978/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com