0

所以这是我的代码:

while(node) {
    cout<<node->getDiameter();
    node=node->stepAbove();
}

这些是方法:

Node* Node::stepAbove() {
    return this->above;
}
int Node::getDiameter() {
    return this->r;
}

但是 while 循环会导致访问冲突,因为循环没有检测到空指针。调试时,它指向一个没有定义的地址“0xcccccccc”......有什么建议吗?

编辑:忘记发布我的构造函数是:

Node(int x=0) {
    this->above=nullptr;
    this->r=x;
}
4

2 回答 2

3

uninitialized指针和nullC++中的指针是有区别的

struct node
{

};

int main()
{
    node *n1 = 0;
    node *n2;

    if(!n1)
        std::cout << "n1 points to the NULL";

    if(!n2)
        std::cout << "n2 points to the NULL";
}

尝试运行此代码,您将看到指向 NULL 的 n2不会被打印。你想知道为什么?那是因为n1已经明确指向null,但我没有对n2. С++ 标准没有指定未初始化的指针应该持有的地址。在那里,0xcccccccc似乎是您的编译器选择作为调试模式默认的地址。

于 2013-10-27T10:24:37.467 回答
1

在您的构造函数中,将未由构造函数参数初始化的字段设置为 NULL,例如:

Node::Node(float radius) 
{
    above = NULL;
    r = radius;
}
于 2013-10-27T10:14:43.410 回答