我正在尝试根据我的需要调整Avoiding struct in variadic template function中提供的解决方案。但是,我无法理解G ++的行为。考虑以下功能:
template <typename T, unsigned Size>
int nextline(const typename std::array<T, Size> ar) {
return 0;
}
然后是电话
nextline(std::array<int, 2> { 1,0 });
与GCC抱怨不匹配
eslong.cpp: In function ‘int main()’:
eslong.cpp:10:38: error: no matching function for call to ‘nextline(std::array<int, 2ul>)’
nextline(std::array<int, 2> { 1,0 });
^
eslong.cpp:10:38: note: candidate is:
eslong.cpp:4:5: note: template<class T, unsigned int Size> int nextline(std::array<T, Size>)
int nextline(const typename std::array<T, Size> ar) {
^
eslong.cpp:4:5: note: template argument deduction/substitution failed:
eslong.cpp:10:38: note: mismatched types ‘unsigned int’ and ‘#‘integer_cst’ not supported by dump_type#<type error>’
nextline(std::array<int, 2> { 1,0 });
^
eslong.cpp:10:38: note: ‘std::array<int, 2ul>’ is not derived from ‘std::array<T, Size>’
但如果我将unsigned Size
更改为unsigned long Size
或size_t
,则匹配。我不太清楚这里发生了什么。调用Size
时std::array<T, Size>
参数不是转换为size_t
吗?
答案 0 :(得分:9)
std::array
被模板化为:
template<class T, std::size_t N > struct array;
虽然大小N
必须是size_t
类型。但是在你的函数中,你传递的是unsigned(int),它不能被解释为size_t
。根据{{3}}如果模板不能被扣除,则它不存在,因此您的模板化函数不存在。
这不是调用行的问题,而是您的函数模板声明。要更正此问题,请使用正确的类型:
template <typename T, size_t Size>
int nextline(const typename std::array<T, Size> ar) {
return 0;
}
在这种情况下,即使您使用:
nextline(std::array<int, 2ul> { 1,0 });
它仍然有效,因为它可以被扣除和铸造。
dyp的补充说明:
[temp.deduct.type] / 17 对于非类型模板参数,要求推导出的东西(模板参数)的类型与模板参数的类型相同推导出来。
答案 1 :(得分:0)
您的文字2
被解释为unsigned long
,但您宣布Size
模板为unsigned int
。只需使用它:
template <typename T, size_t Size>