提问人:Kevin Lin 提问时间:7/28/2017 最后编辑:Vlad from MoscowKevin Lin 更新时间:7/28/2017 访问量:5509
C++ 重载: [错误] 与“operator=”不匹配(操作数类型为“字符串”和“字符串”)[重复]
C++ Overload: [Error] no match for 'operator=' (operand types are 'String' and 'String') [duplicate]
问:
我正在通过学习Visual C++教科书来学习C++。
当我想重载 operator+ 时,我用于重载 operator= 的代码出错了。
#include <iostream>
#include <string.h>
using namespace std;
//This demo shows how default operator may cause conflict, so we use overloaded operator instead
class String{
private:
char* string;
int len;
public:
String(const char*);
String();
~String(){delete [] string;}
String& operator=(String&); //In the book it used //String & operator=(String&) but it went wrong
//String object which returned by + only got value, not an initiated object
String operator+(String&); //Opreator +
void show_string(){
cout << "String: " << string << " \tString Address: " << (void*)string << " \tLength: " << len << endl;
}
};
String::String():len(0){ //Constructor with no argument
string = new char[len+1];
string[0] = '\0';
}
String::String(const char* i_string):len(strlen(i_string)){ //Constructor
string = new char[len+1];
strcpy(string,i_string);
}
String& String::operator=(String& str_ref){ //Overloading operator =
//The function get reference and return itself
delete [] string;
cout << "Overloading Operator =...\n";
len = str_ref.len;
string = new char[len+1];
strcpy(string,str_ref.string);
return *this;
}
String String::operator+(String& str){
cout << "Overloading Operator +...\n";
char* strbuf = new char[len+str.len+1];
strcpy(strbuf,string);
strcat(strbuf,str.string);
String retstr(strbuf);
delete [] strbuf;
return retstr; //call by value coz we made a new String
}
int main(){
String A_string("My ");
String B_string("string"),C_string;
cout << "Show (A_string+B_string)...\n";
(A_string+B_string).show_string();
C_string = A_string + B_string;
cout << "Show C_string...\n";
C_string.show_string();
return 0;
}
这很奇怪,因为当只单独使用 operator+ 或 operator= 时,它表现良好。
String A_string("Apple");
String B_string;
B_string = A_string;
(A_string+B_string).show_string();
这是错误
In function 'int main()':
56:11: error: no match for 'operator=' (operand types are 'String' and 'String')
C_string = A_string + B_string;
^
note: candidate is:
note: String& String::operator=(String&)
String& String::operator=(String& str_ref){ \\Overloading operator =
^
note: no known conversion for argument 1 from 'String' to 'String&'
我想我可以使用 String 作为参数 String&,这在书中已经说过了。
所以我将 operator= 的参数更改为 String,它有效。
String& operator=(String&);
自
String& operator=(String);
现在我感到困惑,何时仅使用引用或字符串。
答:
0赞
Vlad from Moscow
7/28/2017
#1
在此声明中
C_string = A_string + B_string;
由于执行运算符,创建了该类型的临时对象String
String operator+(String&);
不能将非常量左值引用绑定到临时对象。
重写/添加赋值运算符,例如
String& operator=( const String&);
^^^^
或添加移动分配运算符。
String& operator=( String &&);
^^
上一个:C++ 引用可以分配吗?
下一个:返回对变量的引用:有意义/有用?
评论
String& String::operator=(const String&)
operator+
也应该服用(String const&)