7
//fills my vector with pointers.
//(some are pointing places, others are set to nullptr  
vector<Tree_NodeT*> xml_trees {Build_Tree_List(program_options->Get_Files())};

//time to print them
for (auto tree = xml_trees.begin(); tree != xml_trees.end(); ++tree){
    if (*tree){
        (*tree)->Print(std::cout,4);
    }
}
//this worked! No Segfaults!

//time to print them again
for (auto tree : xml_trees){
    if (tree){
        tree->Print(std::cout,4);
    }
}
//Crash! Segfault.

为什么第二个循环有段错误,而第一个循环没有?

4

2 回答 2

3

编辑:
我是个骗子。
正在创建 Tree_NodeT 指针,但未Build_Tree_List 函数中的某处初始化为 nullptr。因此,我得到了一个向量,其中一些指针指向有效内存,而另一些只是新构造的指针,没有设置为空或没有给定任何地址。有趣的是,第一个循环能够在不崩溃的情况下处理这个问题,而第二个循环出现了段错误。

于 2012-09-20T14:34:02.760 回答
3

您的 for 循环范围相当于:

for (auto it = xml_trees.begin(); it != xml_trees.end(); ++it) {
    auto tree = *it;
    if (tree){
        (tree)->Print(std::cout,4);
    }
}

不同之处在于 for 循环的范围是复制构造取消引用的迭代器。要获得与传统 for 循环类似的行为,请使用auto &

for (auto &tree: xml_trees){
    if (tree){
        tree->Print(std::cout,4);
    }
}
于 2012-09-20T14:40:20.357 回答