我目前正在开发一个C ++项目,其中一部分是使用inorder,preorder和postorder遍历二叉树。
class TNode
{
public:
int val;
TNode() {}
TNode(int v) { val = v; }
TNode * left;
TNode * right;
TNode * parent;
};
class BTree
{
void print_pre_order(TNode *r);// print the node as you traverse according to the order.
void print_in_order();
void print_post_order();
}
BTree::BTree()
{
root = new TNode(1);
root->parent = 0;
root->left = new TNode(2);
root->right = new TNode(3);
root->left->left = new TNode(4);
root->left->right = new TNode (5);
root->right->left = new TNode(6);
}
void BTree::print_pre_order(TNode *r)
{
if (r == 0)
{
return;
}
cout << r->val;
print_pre_order(r->left);
print_pre_order(r->right);
}
int main()
{
BTree y;
y.print_pre_order(y.root);
return 0;
}
在我的默认构造函数中,我已初始化某些节点的值,但是当我运行代码时,我得到的输出是“124”并且出错。我不知道我哪里做错了,有人可以帮忙吗?
答案 0 :(得分:1)
我没有看到程序将任何指针设置为零的迹象,因此if (r == 0)
不太可能触发退出。
尝试一下:
class TNode
{
public:
int val;
TNode(): val(0), left(nullptr), right(nullptr), parent(nullptr) {}
TNode(int v): val(v), left(nullptr), right(nullptr), parent(nullptr) {}
TNode * left;
TNode * right;
TNode * parent;
};
:
告诉编译器member initializer list即将到来。之后,代码将所有指针成员初始化为null。
更改
if (r == 0)
到
if (r == nullptr)
为了更好地传达意图,你应该好好去。