c++ 如果在 class 中将多个运算符定义为虚拟运算符,子项是否需要全部覆盖它们才能进行编译?

c++ if several operator is defined in a class as virtual, does child need to override them all in order to compile?

我有以下 classes,

class Base {
public:
    virtual void operator()(string a) {}
    virtual void operator()(int a) {}
};

class Child: public Base {
private:
    std::vector<double> child_vec;
public:
    void operator()(string a) override {
        cout << a << endl;
    }

};

int main() {
    Child child;
    child(9);
}

上面的代码片段给出了编译时错误,不明确的重载。 但是如果我把 virtual void operator()(int a) {} 作为一个普通函数,它就可以工作,

class Base {
public:
    virtual void operator()(string a) {}
    virtual void test(int a) {}
};

class Child: public Base {
private:
    std::vector<double> child_vec;
public:
    void operator()(string a) override {
        cout << a << endl;
    }

};

int main() {
    Child child;
    child.test(9);
}

这是否意味着如果基础 class 中有多个虚拟运算符,我需要覆盖所有这些运算符?

问题是 Child 中定义的 operator() 隐藏了 Base 中定义的 operator()

您可以通过 using.

将它们引入 Child
class Child: public Base {
private:
    std::vector<double> child_vec;
public:
    using Base::operator();
    void operator()(string a) override {
        cout << a << endl;
    }
};

在您的第二个代码片段中,您将名称更改为 test 然后就没有隐藏麻烦的名称了。