C++0x 的 ranged-for 循环对处理数组有一个特殊的例外(FDIS §6.5.4),并且有两个函数 std::begin 和 end 被重载以处理数组或选择开始/结束方法。这让我相信可以编写一个接受泛型序列的函数来匹配 ranged-for 循环的行为:
template<class C>
void f(C &c) {
using std::begin;
using std::end;
do_something_with(begin(c), end(c));
}
如果 C 的命名空间中有一个“更具体的”开始/结束,它将通过 ADL 选择,否则代码“默认”为 std::begin/end。
但是,ranged-for 有这个特殊例外是有原因的。如果在命名空间中传递一个类型的数组,该数组具有语义不同的 begin/end 并接受一个指针,则不会选择 std::begin/end 的数组形式:
namespace ns {
struct A {};
void begin(A*); // Does something completely different from std::begin.
}
void f_A() { // Imagine above f() called with an array of ns::A objects.
ns::A c[42];
using std::begin;
begin(c); // Selects ns::begin, not array form of std::begin!
}
为了避免这种情况,有没有比编写我自己的开始/结束包装器(在内部使用 ADL)并显式调用它们而不是 std::begin 或 ADLized 开始更好的解决方案?
namespace my {
template<class T>
auto begin(T &c) // Also overload on T const &c, as std::begin does.
-> decltype(...) // See below.
{
using std::begin;
return begin(c);
}
template<class T, int N>
T* begin(T (&c)[N]) {
return c;
}
}
// my::end omitted, but it is analogous to my::begin.
template<class C>
void f(C &c) {
do_something_with(my::begin(c), my::end(c));
}
但是,如上面的省略号所示,我什至不知道如何编写 my::begin!对于该 decltype,我如何选择将通过本地 using-declaration 和 ADL 选择的类型?