[] 的运算符重载
operator overloading of []
所以我尝试了 [] 的运算符重载,但它不起作用。
我创建了这个 class:
class String
{
private:
char* str;
public:
String(char* str) // constructor
{
this->str = str;
}
char* Val() // returns value of this.str
{
return this->str;
}
char & operator [](int index) { return this->str[index]; }
};
我试过这样使用它
String* str = new String("example");
cout << str[2] << endl;
预期的结果是字母 'a' 的打印,但它不起作用..
虽然当我像这样创建一个对象时它确实有效:
String str("example");
cout << str[2] << endl;
有什么建议吗?
String* str = new String("example");
cout << str[2] << endl;
这里str
是一个指针,所以str[2]
不是在调用你的运算符,而是从地址[=12]访问内存中的第三个对象=] 不存在,因此你有未定义的行为。
您需要的是:
cout << (*str)[2] << endl;
str
是指向 String
的指针,因此在 str[2]
中,编译器将 str
视为数组。
您需要访问该对象 - 因此请遵守指针。即 (*str)[2]
在第一个示例中,str
是指向 String
对象的指针。
您需要先取消引用它,然后再调用运算符。
所以我尝试了 [] 的运算符重载,但它不起作用。 我创建了这个 class:
class String
{
private:
char* str;
public:
String(char* str) // constructor
{
this->str = str;
}
char* Val() // returns value of this.str
{
return this->str;
}
char & operator [](int index) { return this->str[index]; }
};
我试过这样使用它
String* str = new String("example");
cout << str[2] << endl;
预期的结果是字母 'a' 的打印,但它不起作用.. 虽然当我像这样创建一个对象时它确实有效:
String str("example");
cout << str[2] << endl;
有什么建议吗?
String* str = new String("example");
cout << str[2] << endl;
这里str
是一个指针,所以str[2]
不是在调用你的运算符,而是从地址[=12]访问内存中的第三个对象=] 不存在,因此你有未定义的行为。
您需要的是:
cout << (*str)[2] << endl;
str
是指向 String
的指针,因此在 str[2]
中,编译器将 str
视为数组。
您需要访问该对象 - 因此请遵守指针。即 (*str)[2]
在第一个示例中,str
是指向 String
对象的指针。
您需要先取消引用它,然后再调用运算符。