基于C ++ 11 segfault的循环,但不适用于常规的for循环
//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.
为什么第二个循环会暂停,而第一个循环不会呢?
编辑:
我是个骗子。
Tree_NodeT指针被创建,但尚未初始化在Build_Tree_List功能某处nullptr。 因此,我得到了一个向量,其中一些指针指向有效内存,而其他指针只是新构造的指针,没有设置为空或给定任何地址。 仍然有趣的是,第一个循环能够处理这个没有崩溃,而第二个循环。
您的循环范围相当于:
for (auto it = xml_trees.begin(); it != xml_trees.end(); ++it) {
auto tree = *it;
if (tree){
(tree)->Print(std::cout,4);
}
}
区别在于循环的范围是复制构造解引用的迭代器。 要获得与传统for循环类似的行为,请使用auto &
:
for (auto &tree: xml_trees){
if (tree){
tree->Print(std::cout,4);
}
}
链接地址: http://www.djcxy.com/p/63727.html
上一篇: based for loops in C++11 segfault, but not with regular for loop