为什么标准将end()定义为超过末端的一个,而不是在实际的末端?
当前回答
因为这样
size() == end() - begin() // For iterators for whom subtraction is valid
你也不用做一些尴尬的事情,比如
// Never mind that this is INVALID for input iterators...
bool empty() { return begin() == end() + 1; }
你不会不小心写出错误的代码
bool empty() { return begin() == end() - 1; } // a typo from the first version
// of this post
// (see, it really is confusing)
bool empty() { return end() - begin() == -1; } // Signed/unsigned mismatch
// Plus the fact that subtracting is also invalid for many iterators
另外:如果end()指向一个有效的元素,find()会返回什么? 你真的想要另一个名为invalid()的成员返回无效迭代器吗? 两个迭代器已经够痛苦的了……
哦,看看这个相关的帖子。
另外:
如果结束在最后一个元素之前,如何在真正的结束处插入()?!
其他回答
为什么标准将end()定义为超过末端的一个,而不是在实际的末端?
因为:
它避免了对空范围的特殊处理。对于空范围,begin()等于 结束()& 它使得遍历元素的循环的结束条件简单:循环简单 只要没有到达end(),就继续。
实际上,如果你认为迭代器不是指向序列的元素,而是指向序列之间的元素,通过解引用访问下一个元素,那么很多与迭代器相关的东西突然变得更有意义了。然后,“one past end”迭代器突然就有了意义:
+---+---+---+---+
| A | B | C | D |
+---+---+---+---+
^ ^
| |
begin end
显然,begin指向序列的开始,end指向同一序列的结束。取消对begin的引用访问元素A,取消对end的引用没有意义,因为它没有右元素。此外,在中间添加迭代器i会得到
+---+---+---+---+
| A | B | C | D |
+---+---+---+---+
^ ^ ^
| | |
begin i end
你马上就会发现,从开始到i的元素范围包含了元素A和B,而从i到end的元素范围包含了元素C和d。取消引用i给出了它右边的元素,也就是第二个序列的第一个元素。
甚至反向迭代器的“off-by- 1”也突然变得如此明显:
+---+---+---+---+
| D | C | B | A |
+---+---+---+---+
^ ^ ^
| | |
rbegin ri rend
(end) (i) (begin)
我在下面的括号中写了相应的非反向(基)迭代器。你看,属于i的反向迭代器(我命名为ri)仍然指向元素B和c之间。但是由于颠倒了序列,现在元素B在它的右边。
因为这样
size() == end() - begin() // For iterators for whom subtraction is valid
你也不用做一些尴尬的事情,比如
// Never mind that this is INVALID for input iterators...
bool empty() { return begin() == end() + 1; }
你不会不小心写出错误的代码
bool empty() { return begin() == end() - 1; } // a typo from the first version
// of this post
// (see, it really is confusing)
bool empty() { return end() - begin() == -1; } // Signed/unsigned mismatch
// Plus the fact that subtracting is also invalid for many iterators
另外:如果end()指向一个有效的元素,find()会返回什么? 你真的想要另一个名为invalid()的成员返回无效迭代器吗? 两个迭代器已经够痛苦的了……
哦,看看这个相关的帖子。
另外:
如果结束在最后一个元素之前,如何在真正的结束处插入()?!
如果容器是空的,begin() == end()。 因此,c++程序员倾向于在循环条件中使用!=而不是<(小于) 让end()指向超出末端的位置很方便。
end()指向结束后的位置,使用for循环迭代集合很容易:
for (iterator it = collection.begin(); it != collection.end(); it++)
{
DoStuff(*it);
}
如果end()指向最后一个元素,循环将更加复杂:
iterator it = collection.begin();
while (!collection.empty())
{
DoStuff(*it);
if (it == collection.end())
break;
it++;
}