5

假设 String 类中有两个重载的成员函数(一个 const 版本和一个非常量版本):

char & String::operator[](int i)         //Version 1
{
    cout<<"char & String::operator[](int i) get invoked."<<std::endl;
    return str[i];
}


const char & String::operator[](int i) const       //Version 2
{

    cout<<"const char & String::operator[](int i) const get invoked."<<std::endl;
    return str[i];
}

并且有一个测试代码片段

int main(){
    String a;
    cout<<a[0]<<endl;  //Line 1
    a[0]='A';     //Line 2
}

编译器如何决定调用哪个函数?我发现运行程序时总是会调用版本 1。谁能告诉我为什么会这样?版本 2 怎么会被调用?

4

2 回答 2

7

如果a是 const,则将调用第二个重载。

int main(){
    const String a;
    cout<<a[0]<<endl;   // would call const version
    a[0]='A';           // will not compile anymore
}
于 2012-04-21T14:26:42.990 回答
2

如果对象是const,则将调用const成员函数。如果对象是非常量的,则调用非常量成员函数。

异常
如果它们只是 const 函数,则无论如何都会调用它。

#include <iostream>
using namespace std;

class Foo {
public:
    void print() {
        cout << "Foo non-const member function\n";
    }
    void print() const {
        cout << "Foo const member function\n";
    }
};

class Bar {
public:
        void print() const {
                cout << "Bar const member function\n";
        }
};


int main() {
    Foo foo_non_const;
    const Foo foo_const;

    Bar bar_non_const;
    const Bar bar_const;

    foo_non_const.print();
    foo_const.print();

    bar_non_const.print();
    bar_const.print();

    return 0;
}

$ ./废话

Foo non-const member function
Foo const member function
Bar const member function
Bar const member function
于 2012-04-21T14:45:22.387 回答