#include <vector>
#include <iostream>
template <class T>
class Base
{
protected:
std::vector<T> data_;
};
template <class T>
class Derived : public Base<T>
{
public:
void clear()
{
data_.clear();
}
};
int main(int argc, char *argv[])
{
Derived<int> derived;
derived.clear();
return 0;
}
我无法编译这个程序。我明白了:
main.cpp:22: error: 'data_' was not declared in this scope
请问,你能解释一下data_
课程中Derived
不可见的原因吗?
答案 0 :(得分:31)
要解决此问题,您需要指定Base<T>::data_.clear()
或this->data_.clear()
。至于为什么会发生这种情况,请参阅here。
答案 1 :(得分:5)
在模板的情况下,编译器无法确定该成员是否真的来自基类。所以使用this
指针它应该可以工作:
void clear()
{
this->data_.clear();
}
当编译器查找Derived类定义时,它不知道哪个Base<T>
被继承(因为T
未知)。此外,data_
不是template
参数或全局可见变量中的任何一个。因此编译器抱怨它。