我正在努力解决的问题是在模板类中声明专用模板函数(我将类声明保留在头文件中,并在关联的 .C 文件中定义成员函数)。
我有代表点的模板类。头文件如下所示:
//...
template<typename T, int dim=3> // T - coords. type, int dim - no. of dimensions
class Point {
public:
// ...
// function below sets val at the given position in array m_c and returns reference
template<int position> Point& set(T val);
private:
T m_c[dim]; // coordinates
};
//...
函数set
的定义放在 .C 文件中:
template<typename T, int dim> template<int position> Point<T, dim>& Point<T, dim>::set(T val){
// ...
return *this;
}
据我了解,这是其定义的最一般形式。
在主函数中,我Point
使用float
as创建T
并尝试在数组中设置一些值:
int main(int argc, char** argv) {
Point<float> p1;
p1.set<0>(3).set<1>(3.6).set<2>(3);
//...
}
为了通过在头文件之外定义模板的成员函数来实现这一点,我需要通知编译器关于 .C 文件中的特化:
template class Point<float>;
我还需要声明 set 函数的用法,我尝试以这种方式完成(而这段代码就是问题所在):
template<> template<int> Point<float>& Point<float>::set(float);
不幸的是,这不起作用,我收到错误:
/tmp/ccR7haA5.o: In function `main':
.../pdim.C:32: undefined reference to `Point<float, 3>& Point<float, 3>::set<0>(float)'
.../pdim.C:32: undefined reference to `Point<float, 3>& Point<float, 3>::set<1>(float)'
.../pdim.C:32: undefined reference to `Point<float, 3>& Point<float, 3>::set<2>(float)'
我非常感谢可能知道如何处理这个问题的人的解释。谢谢。