0

我对 c++ 还很陌生,我似乎找不到其他与我有完全相同问题的人。基本上,我试图有一个我从不直接实例化的抽象类和几个子类。此外,我试图在所有超/子类上保持一致的模板。这是我的源文件。我有 3 个实用程序文件和一个用于主要功能的 .cpp 文件。

抽象矩阵.h

#ifndef ABSTRACTMATRIX
#define ABSTRACTMATRIX

template<class T>
class DataMatrix {

 public:
  int numFeatures;
  int numPoints;

  T* data;
  T* classifications; 

  virtual void scale(T scalar) = 0;
};

#endif

这是我对该抽象类 sparse_host_matrix.h 的子类声明

#ifndef SPARSEHOSTMATRIX
#define SPARSEHOSTMATRIX

#include <iostream>

template<class T>
class SparseHostMatrix : public DataMatrix<T> {

 public:

  void scale(T scalar);
};

#endif

这是这些功能的实现..

#include "sparse_host_matrix.h"
#include <iostream>


template<class T>
void SparseHostMatrix<T>::loadFromFile(char* filename) {
  std::cout << "Loading in sparseHostMatrix" << std::endl;
}

template<class T>
void SparseHostMatrix<T>::scale(T scalar) {
  std::cout << "Loading in sparseHostMatrix" << std::endl;
}

当我运行这个主要功能时......

#include <iostream>

using namespace std;
#include "abstract_matrix.h"
#include "sparse_host_matrix.h"

int main() {
  DataMatrix<double> *myMat = new SparseHostMatrix<double>;
  myMat->scale(.5);
}

我得到错误 undefined reference to `SparseHostMatrix::scale(double)

对不起,大量的代码,我只是很困惑,并且一直坚持这一点而没有成功找到 SO 或其他方面的解决方案。

4

1 回答 1

2

模板函数的实现必须在头文件中。您不能将其放在单独的源文件中。编译器需要在使用函数时查看函数的实际主体,并且知道实际的模板参数。

于 2013-08-21T21:47:05.660 回答