如何在c ++中重载accessor和mutator operator []

时间:2015-11-19 14:47:45

标签: c++ operator-keyword

我想写一个 String 类。并希望使用下标来访问我的字符串中的元素。所以,我写了两个成员函数,一个用于获取 String 中的元素,另一个用于设置 String 中的元素。请查看以下代码;

#include <iostream>
#include <algorithm>

using namespace std;

class String {
public:
    String();

    String(const char *s);

    char &operator[] (int index);
    char operator[] (int index) const;

private:
    char *arr;
    int len;
};

String::String() {
    arr = new char[1];
    arr[0] = '\0';
    len = 0;
}

String::String(const char *s) {
    len = strlen(s);
    arr = new char[len + 1];
    std::copy(s, s + len + 1, arr);
}

//mutator operator[] ---> used to change data members;
char& String::operator[](int index)
{
    cout << "mutator []" << endl;
    if (index > len || index < 0)
        throw std::out_of_range("Index out of range");
    return arr[index];
}
//Accessor operator[]---> used to read data members
char String::operator[](int index) const
{
    cout << "accessor []" << endl;
    if (index > len || index < 0)
        throw std::out_of_range("Index out of range");
    return arr[index];
}

int main()
{
    String s1 = "abc";

    s1[1] = 'b';  //---> should use mutator operator
    String s2 = "efg";
    s2[1] = s1[2]; //---> should use both accessor and mutator operator
    char a = s1[2]; //---> should use accessor operator
    cout << s2[1] << endl; //---> should use accessor operator
}

当我运行此代码时。它的输出都是mutator;这让我很困惑;

2 个答案:

答案 0 :(得分:8)

让我们从编译器的角度来看这个案例。我告诉你这段代码:

String s2;

/* things */ s1[2] /* things */

你选择什么功能?存取者或变异者?由于s2不是const对象,让我们采用非const版本!

这就是为什么你的代码总是打印mutator,编译器不会根据你对结果的处理来选择调用哪个函数。是否可以调用char的赋值运算符。

你的const版本不应该返回一个副本,而是一个const引用:

char& operator[](size_t index);
const char& operator[](size_t index) const;

如果尝试写入const字符串,则会收到编译错误而不是未分配的值。

答案 1 :(得分:7)

只有char operator[] (int index) const;时才会调用

const String。如果我们将您的main()更改为:

int main()
{
    const String s1 = "abc";
    char a = s1[2]; //---> should use accessor operator
}

它会ouptut:

accessor []

Live Example