这是我头文件
的摘录template <typename E>
class Container {
public:
Container& operator=(const Container&) = delete;
Container(const Container&) = delete;
Container() = default;
virtual ~Container() { }
...
然后我创建了另一个头文件来声明一个新类并实现这些方法(现在没有显示)
template <typename E>
class SepChaining : public Container<E> {
size_t nmax;
size_t n;
int *values;
public:
SepChaining<E>( size_t nmax ) : nmax(nmax), n(0), values( new int[this->nmax]) { }
virtual ~SepChaining<E>( );
在这里,我创建了一个继承Container类的新类SepChaining,并创建了一个构造函数来分配nmax
和values
现在我的问题:如何创建此类的新实例?我真的很困惑我需要指定实际的模板值,比如int
编辑:
Header.h
#include <iostream>
#include <functional>
enum Order { dontcare, ascending, descending };
template <typename E>
class Container {
public:
Container& operator=(const Container&) = delete;
Container(const Container&) = delete;
Container() = default;
virtual ~Container() { }
virtual void add(const E& e) { add(&e, 1); }
virtual void add(const E e[], size_t s) = 0;
virtual void remove(const E& e) { remove(&e, 1); }
virtual void remove(const E e[], size_t s) = 0;
virtual bool member(const E& e) const = 0;
};
SepChaining.h
#include <iostream>
#include "Container.h"
template <typename E>
class SepChaining : public Container<E> {
size_t nmax;
size_t n;
int *values;
public:
SepChaining<E> ( size_t nmax ) : nmax(nmax), n(0), values(new int[this->nmax]) { }
virtual ~SepChaining ();
using Container<E>::add;
virtual void add(const E e[], size_t s);
using Container<E>::remove;
virtual void remove(const E e[], size_t s);
virtual bool member(const E& e) const;
};
SepChaining.cpp
#include <iostream>
#include "SepChaining.h"
template <typename E>
SepChaining<E>::~SepChaining( ){
delete[] values;
}
template <typename E>
void SepChaining<E>::add(const E e[], size_t s) {
std::cout << "Add method";
}
template <typename E>
void SepChaining<E>::remove(const E e[], size_t s) {
std::cout << "Remove method";
}
template <typename E>
bool SepChaining<E>::member(const E &e) const {
for (size_t i = 0; i < n; ++i) {
if (values[i] == e) return true;
}
return false;
}
所以这些是我的三个文件,main.cpp就像你告诉我的那样初始化构造函数。我的代码无法解决任何问题..
答案 0 :(得分:1)
只需将E
更改为int
:
SepChaining<int> instance;