我有这个代码示例:
#include <iostream>
#include <memory>
template <typename T>
void func1(T& value)
{
std::cout << "passed 1 ..." << std::endl;
}
template <template <typename> class T, typename U>
void func2(T<U>& value)
{
std::cout << "passed 2 ..." << std::endl;
}
int main()
{
std::auto_ptr<int> a;
const std::auto_ptr<int> ca;
// case 1: using func1
func1(a); // OK
func1(ca); // OK
// case 2: using func2
func2(a); // OK
func2(ca); // Compilation error
return 0;
}
在第一种情况下,函数'func1'接受泛型参数而不管限定符,但是第二种情况是函数'func2'在参数具有const限定符时失败。为什么会这样?
这是编译错误:
make all
Building file: ../src/Test2.cpp
Invoking: GCC C++ Compiler
g++ -O0 -g3 -Wall -c -fmessage-length=0 -MMD -MP -MF"src/Test2.d" -MT"src/Test2.d" -o "src/Test2.o" "../src/Test2.cpp"
../src/Test2.cpp: In function ‘int main()’:
../src/Test2.cpp:27: error: invalid initialization of reference of type ‘std::auto_ptr<int>&’ from expression of type ‘const std::auto_ptr<int>’
../src/Test2.cpp:11: error: in passing argument 1 of ‘void func2(T<U>&) [with T = std::auto_ptr, U = int]’
make: *** [src/Test2.o] Error 1
答案 0 :(得分:1)
问题是,在func1
的情况下,编译器需要推导出T
,我们得到
T
std::auto_ptr<int>
T
在第二次通话中为const std::auto_ptr<int>
在这两种情况下T
本身都有效。
现在func2
,编译器需要推导出T
和U
,其中T
是模板模板参数。需要的是:
T
为std::auto_ptr
,U
为int
T
为const std::auto_ptr
,U
在第二次通话中为int
并且存在您的问题:T
本身不能是const std::auto_ptr
,因为它将类型属性const
与不是有效类型的模板std::auto_ptr
组合在一起。