我使用sublimetext3在c ++中编程。我的程序有一个名为Array的超类,以及一个名为IntArray的子类。这两个类都是模板类。目前,我在编写程序时遇到问题。它一直在我的IntArray.cpp文件中给出一个错误,特别是在我的基类构造函数中,我使用基类的构造函数的参数调用和初始化超类的构造函数。我不确定如何从子类的模板构造函数中调用超类的模板构造函数。错误消息如下所示。此外,错误消息下面是main.cpp,Array.cpp,Array.h,IntArray.cpp,IntArray.h和Makefile的源代码文件。该计划尚未完成。我目前只有一种方法可以获得数组的大小。
来自终端的错误消息:
IntArray.cpp:4:56: error: member initializer 'Array' does not name a non-static data member or base class
template<class T> IntArray<T>::IntArray(T s) throw() : Array(s) {
^~~~~~~~
1 error generated.
的main.cpp
#include <iostream>
#include <string>
#include "Array.h"
#include "IntArray.h"
int main(int argc, char** argv) {
// make an array of doubles with size 10
Array<int> iA(10);
// get the size of the array
std::cout<< "The size of IntArray is" <<iA.getSize()<<std::endl;
} // end of main
Array.cpp
#include "Array.h"
// constructor
template<class T> Array<T>::Array(T s) throw() {
size = s;
}
// destructor
template<class T> Array<T>::~Array() throw() {
}
// getter methods
template<class T> T Array<T>::getSize() const throw() {
return size;
}
Array.h
#ifndef ARRAY_H
#define ARRAY_H
template<class T> class Array {
private:
T size;
public:
Array(T s) throw();
virtual ~Array() throw();
// getter methods that throws an exception if the index is out of bounds
T getSize() const throw();
// setters that throws an exception if the index is out of bounds
};
#endif
IntArray.cpp
#include "IntArray.h"
// constructor
template<class T> IntArray<T>::IntArray(T s) throw() : Array(s) {
}
// desctructor
template<class T> IntArray<T>::~IntArray() throw() {
}
IntArray.h
#ifndef INTARRAY_H
#define INTARRAY_H
#include "Array.h"
template<class T> class IntArray : public Array<T> {
public:
IntArray(T s) throw();
virtual ~IntArray() throw();
//int getSize() const throw();
};
#endif
生成文件
all:main
main.o: main.cpp Array.h IntArray.h
g++ -c -Werror main.cpp
Array.o: Array.cpp Array.h
g++ -c -Werror Array.cpp
IntArray.o: IntArray.cpp IntArray.h
g++ -c -Werror IntArray.cpp
main: main.o Array.o IntArray.o
g++ -o main main.o Array.o IntArray.o
答案 0 :(得分:2)
使用
template <class T> IntArray<T>::IntArray(T s) throw() : Array<T>(s) {}
// ^^^ Use <T>
更重要的是,将实现也放在.h文件中。
请参阅Why can templates only be implemented in the header file?。
我注意到的其他问题
T s
表示大小没有意义。 std::size_t s
更有意义。 IntArray
是一个类模板是没有意义的。使用它对我来说更有意义:
class IntArray : public Array<int> { ... };