我无法弄清楚为什么我会收到以下代码的错误:
template <typename T>
class Test{
void foo(vector<T>& v);
};
template <typename T>
void Test<T>::foo(vector<T>& v){
//DO STUFF
}
int main(){
Test<int> t;
t.foo(vector<int>());
}
这是错误:
main.cpp: In function ‘int main()’:
main.cpp:21:21: error: no matching function for call to ‘Test<int>::foo(std::vector<int, std::allocator<int> >)’
main.cpp:21:21: note: candidate is:
main.cpp:14:6: note: void Test<T>::foo(std::vector<T>&) [with T = int]
main.cpp:14:6: note: no known conversion for argument 1 from ‘std::vector<int, std::allocator<int> >’ to ‘std::vector<int, std::allocator<int> >&’
我做错了什么?
答案 0 :(得分:8)
您无法将临时绑定到非const
引用。
将您的签名更改为:
void foo(vector<T> const& v);
或不传递临时:
vector<int> temp;
t.foo(temp);
答案 1 :(得分:1)
看起来你正试图将你的类分成声明(通常用于.h文件的东西)和定义(包含在.cpp文件中的东西)。但是,由于模板的性质,通常的做法是将类的所有代码放在标题中。模板代码无法预编译(即无法编译成共享库或DLL),因为在使用代码时类型信息会发生变化。
TLDR:显示“// DO STUFF”的部分......将其放在标题中并删除相应.cpp中可能包含的任何内容。