c++中何时该用“引用传递”,何时该用“值传递”
引用传递与值传递的区别就是:引用传递的时候,操作的是同一个对象,对现在的操作会改变原来的对象的值;而值传递的时候,操作的是原来对象的一个拷贝。对现对象的改变不会改变原来的对象的值
class String
{
public:
String &operator=(const String &strSrc);
friend String operator+(const String str1, const String str2);
private:
char *m_data;
};
String& String::operator=(const String &strSrc)
{
if (this == &strSrc)
return *this;
delete m_data;
m_data = new char[strlen(strSrc.m_data)+1];
strcpy(m_data,strSrc.m_data);
return *this;
}
String operator+(const String str1, const String str2)
{
String temp;
delete temp.m_data;
temp.m_data = new char[strlen(str1.m_data)+strlen(str2.m_data)+1];
strcpy(temp.m_data, str1.m_data);
strcpy(temp.m_data, str2.m_data);
return temp;
}
String a,b,c;
a = b = c;
如果a=b=c,这样赋值的话,假如不采用引用传递,采用值传递,那么将会产生两次的*this拷贝,增加了不必要的开销,降低而来程序的效率。
String a,b,c;
a = b + c;
如果此处采用了引用传递的话,返回临时对象temp的引用,此处会报错,因为temp只有才函数中才有意义,在函数外面的时候temp 已经被销毁,所以返回值错误。
只能用值传递