C++ 中的继承和模板——为什么继承的成员不可见?

Inheritance and templates in C++ - why are inherited members invisible?(C++ 中的继承和模板——为什么继承的成员不可见?)
本文介绍了C++ 中的继承和模板——为什么继承的成员不可见?的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着跟版网的小编来一起学习吧!

问题描述

当一个模板从另一个模板公开继承时,是不是应该可以访问基本的公共方法?

When a template publicly inherits from another template, aren't the base public methods supposed to be accessible?

template <int a>
class Test {
public:
    Test() {}
    int MyMethod1() { return a; }
};

template <int b>
class Another : public Test<b>
{
public:
    Another() {}
    void MyMethod2() {
        MyMethod1();
    }
};

int main()
{
    Another<5> a;
    a.MyMethod1();
    a.MyMethod2();
}

好吧,GCC 在这件事上胡说八道……我一定遗漏了一些非常明显的东西(大脑融化).有帮助吗?

Well, GCC craps out on this... I must be missing something totally obvious (brain melt). Help?

推荐答案

这是有关依赖名称的规则的一部分.Method1 不是 Method2 范围内的依赖名称.所以编译器不会在依赖的基类中查找它.

This is part of the rules concerning dependent names. Method1 is not a dependent name in the scope of Method2. So the compiler doesn't look it up in dependent base classes.

有两种方法可以解决这个问题:使用 this 或指定基本类型.有关此非常近期的帖子的更多详细信息或在 C++ 常见问题解答.另请注意,您错过了 public 关键字和分号.这是您的代码的固定版本.

There two ways to fix that: Using this or specifying the base type. More details on this very recent post or at the C++ FAQ. Also notice that you missed the public keyword and a semi-colon. Here's a fixed version of your code.


template <int a>
class Test {
public:
    Test() {}
    int MyMethod1() { return a; }
};

template <int b>
class Another : public Test<b>
{
public:
    Another() {}
    void MyMethod2() {
        Test<b>::MyMethod1();
    }
};

int main()
{
    Another<5> a;
    a.MyMethod1();
    a.MyMethod2();
}

这篇关于C++ 中的继承和模板——为什么继承的成员不可见?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持跟版网!

本站部分内容来源互联网,如果有图片或者内容侵犯了您的权益,请联系我们,我们会在确认后第一时间进行删除!

相关文档推荐

How do compilers treat variable length arrays(编译器如何处理变长数组)
Deduce template argument from std::function call signature(从 std::function 调用签名推导出模板参数)
check if member exists using enable_if(使用 enable_if 检查成员是否存在)
Standard Library Containers with additional optional template parameters?(具有附加可选模板参数的标准库容器?)
Uses of a C++ Arithmetic Promotion Header(C++ 算术提升标头的使用)
Parameter pack must be at the end of the parameter list... When and why?(参数包必须位于参数列表的末尾...何时以及为什么?)