1

这是我尝试过的(“有趣”的功能必须是静态的):

#include<iostream>

class A
{
    public:
        static void fun(double x) { std::cout << "double" << std::endl; }
};

class B
{
    public: 
        static void fun(int y) { std::cout << "int" << std::endl; }
};

class C
:
    public A,
    public B
{
};

int main(int argc, const char *argv[])
{
    double x = 1; 
    int y = 1; 

    C::fun(x); 
    C::fun(y); 

    return 0;
}

并使用 g++ (GCC) 4.8.1 20130725 (prerelease),我得到以下错误:

main.cpp: In function 'int main(int, const char**)':
main.cpp:27:5: error: reference to 'fun' is ambiguous
     C::fun(x); 
     ^
main.cpp:12:21: note: candidates are: static void B::fun(int)
         static void fun(int y) { std::cout << "int" << std::endl; }
                     ^
main.cpp:6:21: note:                 static void A::fun(double)
         static void fun(double x) { std::cout << "double" << std::endl; 

所以我的问题是:如果我可以覆盖成员函数而不是静态函数,C++ 怎么来?为什么在这种情况下重载不起作用?我希望编译器将“有趣”带入命名空间 C::,然后进行名称修改并使用重载来区分 C::fun(int) 和 C::fun(double)。

4

3 回答 3

4

您需要自己将它们放入范围:

class C
:
    public A,
    public B
{
public:
    using A::fun;
    using B::fun;
};
于 2013-09-18T10:00:58.113 回答
1

不清楚fun()您要调用什么方法,因此您必须指定您想要的方法:

int main(int argc, const char *argv[])
{
   double x = 1; 
   int y = 1; 

   A::fun(x); 
   B::fun(y); 

   return 0;
}
于 2013-09-18T10:20:54.777 回答
1

你需要的是在class C's 的定义:

public:
    using A::fun;
    using B::fun;
于 2013-09-18T10:01:20.243 回答