我正在练习用C ++重载运算符,我遇到了问题。 我创建了String类,它只有字段一个是char数组,其他是长度。 我有一个字符串“爱丽丝有一只猫”,当我打电话
cout<<moj[2];
我想得到'我',但现在我得到moj + 16u moj + 2 sizeof(String) 当我打电话
cout<<(*moj)[2];
它的工作方式很好,但我想在重载的运算符定义中取消引用它。我尝试了很多东西,但我找不到解决办法。请纠正我。
char & operator[](int el) {return napis[el];}
const char & operator[](int el) const {return napis[el];}
和整个代码一样,重要的事情都在页面上。它正在编译和工作。
#include <iostream>
#include <cstdio>
#include <stdio.h>
#include <cstring>
using namespace std;
class String{
public:
//THIS IS UNIMPORTANT------------------------------------------------------------------------------
char* napis;
int dlugosc;
String(char* napis){
this->napis = new char[20];
//this->napis = napis;
memcpy(this->napis,napis,12);
this->dlugosc = this->length();
}
String(const String& obiekt){
int wrt = obiekt.dlugosc*sizeof(char);
//cout<<"before memcpy"<<endl;
this->napis = new char[wrt];
memcpy(this->napis,obiekt.napis,wrt);
//cout<<"after memcpy"<<endl;
this->dlugosc = wrt/sizeof(char);
}
~String(){
delete[] this->napis;
}
int length(){
int i = 0;
while(napis[i] != '\0'){
i++;
}
return i;
}
void show(){
cout<<napis<<" dlugosc = "<<dlugosc<<endl;
}
//THIS IS IMPORTANT
char & operator[](int el) {return napis[el];}
const char & operator[](int el) const {return napis[el];}
};
int main()
{
String* moj = new String("Alice has a cat");
cout<<(*moj)[2]; // IT WORKS BUI
// cout<<moj[2]; //I WOULD LIKE TO USE THIS ONE
return 0;
}
答案 0 :(得分:8)
String* moj = new String("Alice has a cat");
cout<<(*moj)[2]; // IT WORKS BUI
// cout<<moj[2]; //I WOULD LIKE TO USE THIS ONE
无法完成,后一种情况下的下标运算符应用于指针。当至少有一个参数是用户定义的类型(或对它的引用,而不是指针)时,只能重载运算符;在这种特殊情况下,参数是String*
和2
,两者都是基本类型。
你可能会做的是完全放下指针,我不明白为什么你需要它:
String moj("Alice has a cat");
// cout<<(*moj)[2]; <-- now this doesn't work
cout<<moj[2]; // <-- but this does
答案 1 :(得分:3)
String *
表示指向String
的指针,如果您想对String
进行任何操作,则必须使用*moj
取消引用它。你可以做的是:
String moj = String("Alice has a cat"); // note lack of * and new
cout << moj[2];
另请注意,您在new
分配的任何内容都需要在以下后删除:
String *x = new String("foo");
// code
delete x;