从派生模板类覆盖纯虚函数

时间:2014-10-14 19:04:56

标签: c++ templates inheritance

有谁知道为什么这段代码无法在visual studio 2013中编译?问题在于b.a()只有一个版本(B类a(float)中的覆盖版本)和版本a(std :: string)不可用,尽管它在基类中。

#include <string>

template <typename T>
class A { 
public:
    virtual void a(std::string b){ this->a(123); }
    virtual void a(float b) = 0;
};

class B : public A < std::string > {
public:
    virtual void a(float b) override {}
};


main()
{
    B b;

    b.a(""); // Error here: error C2664: 
             // 'void B::a(float)' : cannot convert argument 1 from 'const char [1]' to 'float'

    B* bb = new B();
    bb->a(""); // same
}

1 个答案:

答案 0 :(得分:5)

如果派生类声明了一个名称,并且您还希望基类中的此名称成员可见,则需要使用using显式取消隐藏这些名称:

class B : public A<std::string>
{
public:
    using A<std::string>::a;
    virtual void a(float b) override {}
};

现在您可以使用a的所有重载:

B x;
x.a(1.2);
x.a("hello");