Contents

ACCU :: Overload Resolution - Selecting the Function这篇文章详细介绍了C++中寻找重载函数的方法。下面给个小例子吧,C++的重载有时候会违背你的直觉。

考虑如下代码:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
class OverLoadBase
{
public:
int DoSomething() {return 0;};
};

class OverLoadSub : public OverLoadBase
{
public:
int DoSomething(int x) {return 1;};
};

void TestOverLoadSub()
{
OverLoadSub b;
b.DoSomething(); //这样写会编译出错
}

错误消息如下:

1
2
3
In function 'void TestOverLoadSub()':
Line 17: error: no matching function for call to 'OverLoadSub::DoSomething()'
compilation terminated due to -Wfatal-errors.

如果换成这样:

1
b.OverLoadBase::DoSomething(); 

就没有问题了。或者把子类中的DoSomething()去掉也没有问题。

为什么会这样呢?因为在上面那个例子中,两个DoSomething不是重载。上面的那篇文章里一开头就说“Declaring two or more items with the same name in a scope is called overloading”,只有在一个scope中才算重载。

Contents