请考虑以下代码。在这里,如果我们在具有显式std::begin
的未命名initializer_list
上使用std::
,则可以正常工作。如果我们省略std::
并在命名的begin
上使用initializer_list
,它也可以正常工作。但是,如果我们省略std::
并像第一种情况一样进行其余操作,它将无法编译。
#include <iostream>
#include <iterator>
void func(int len, const int* x)
{
for(int i=0;i<len;++i)
std::cout << x[i] << "\n";
}
int main()
{
{
// OK
func(5, std::begin({1,3,6,823,-35}));
}
{
// OK
auto&& list = {1,3,6,823,-35};
func(5, begin(list));
}
// {
// // Fails to compile
// func(5, begin({1,3,6,823,-35}));
// }
}
我收到以下编译错误(在取消注释错误代码后):
test.cpp: In function ‘int main()’:
test.cpp:21:11: error: ‘begin’ was not declared in this scope
func(5, begin({1,3,6,823,-35}));
^~~~~
test.cpp:21:11: note: suggested alternative:
In file included from /usr/include/c++/8/string:51,
from /usr/include/c++/8/bits/locale_classes.h:40,
from /usr/include/c++/8/bits/ios_base.h:41,
from /usr/include/c++/8/ios:42,
from /usr/include/c++/8/ostream:38,
from /usr/include/c++/8/iostream:39,
from test.cpp:1:
/usr/include/c++/8/bits/range_access.h:105:37: note: ‘std::begin’
template<typename _Tp> const _Tp* begin(const valarray<_Tp>&);
^~~~~
为什么ADL可以与命名为initializer_list
(在上面的示例中为list
)一起使用,而不能在未命名的情况下使用?
答案 0 :(得分:5)
但失败并失败了吗?
否,{1,3,6,823,-35}
不是未命名的std::initializer_list
。 {1,3,6,823,-35}
是braced-init-list。即使它可以用于在指定的上下文中构造std::initializer_list
,但它本身不是std::initializer_list
。这样ADL就不能用于begin({1,3,6,823,-35})
。
braced-init-list不是表达式,因此没有类型,例如
decltype({1,2})
格式错误。
和
使用关键字
auto
进行类型推导时有一个特殊的例外,该推论会将任何括号初始列表推导为std::initializer_list
。
这就是第二种情况起作用的原因; list
冒充为std::initializer_list&&
。