我在C ++中使用STL练习树的BFS代码,但遇到一个无法调试的运行时错误。如果我不调用printout() function
,一切都可以正常工作。
请帮助,因为我是STL的新手。
#include<iostream>
#include<malloc.h> //on llvm we don't need this
#include<list>
using namespace std;
typedef struct Node{
int val;
struct Node* left;
struct Node* right;
}node;
void push(node** root,int val)
{
if(!(*root))
{
node* temp=(node*)malloc(sizeof(node));
temp->val=val;
temp->right=temp->left=NULL;
*root=temp;
}
else if(val<(*root)->val)
push(&((*root)->left),val);
else
push(&((*root)->right),val);
}
void printout(node* head)
{
node* temp;
temp=head;
list<node*>qu;
//using bfs here
while(temp!=NULL)
{
cout<<temp->val<<endl;
if(temp->left!=NULL)
qu.push_back(temp->left);
if(temp->right!=NULL)
qu.push_back(temp->right);
temp=qu.front();
qu.pop_front();
//free(temp);
}
}
int main()
{
node* root=NULL;
push(&root,3);
push(&root,4);
push(&root,1);
push(&root,10);
push(&root,2);
printout(root);
}
虽然它正在打印正确的输出,但带有运行时间
3
1
4
2
10
a.out(613) malloc: *** error for object 0x7fff55ed8bc8: pointer being freed was not allocated
*** set a breakpoint in malloc_error_break to debug
Abort trap: 6
最佳答案
您在每次迭代中都调用qu.front()
而不检查qu
是否为空。如果为空-最终将为空-您的代码将中断。
最简单的解决方案是检查qu
是否为空:
if (qu.empty()) {
temp = NULL;
} else {
temp=qu.front();
qu.pop_front();
//free(temp);
}
但是,这看起来很奇怪。我将完全更改循环,并使用
!qu.empty()
作为while
循环的条件。list<node*> qu;
qu.push_back(head);
while(!qu.empty()) {
node* temp = qu.front();
qu.pop_front();
if(temp->left)
qu.push_back(temp->left);
if(temp->right)
qu.push_back(temp->right);
//free(temp);
}