手机
当前位置:查字典教程网 >编程开发 >C语言 >探讨:C++中函数返回引用的注意事项
探讨:C++中函数返回引用的注意事项
摘要:函数返回值和返回引用是不同的函数返回值时会产生一个临时变量作为函数返回值的副本,而返回引用时不会产生值的副本,既然是引用,那引用谁呢?这个问...

函数 返回值 和 返回引用 是不同的

函数返回值时会产生一个临时变量作为函数返回值的副本,而返回引用时不会产生值的副本,既然是引用,那引用谁呢?这个问题必须清楚,否则将无法理解返回引用到底是个什么概念。以下是几种引用情况:

1,引用函数的参数,当然该参数也是一个引用

复制代码 代码如下:

const string &shorterString(const string &s1,const string &s2)

{

return s1.size()<s2.size()?s1:s2;

}

以上函数的返回值是引用类型。无论返回s1或是s2,调用函数和返回结果时,都没有复制这些string对象。简单的说,返回的引用是函数的参数s1或s2,同样s1和s2也是引用,而不是在函数体内产生的。函数体内局部对象是不能被因哟个的,因为函数调用完局部对象会被释放。

2,千万不要返回局部对象的引用

复制代码 代码如下:

const string &mainip(const string &s)

{

string ret=s;

return ret;

}

当函数执行完毕,程序将释放分配给局部对象的存储空间。此时,对局部对象的引用就会指向不确定的内存。

3,不能返回函数内部定义的对象。在类的成员函数中,返回引用的类对象,当然不能是函数内定义的类对象(会释放掉),一般为this指向的对象,典型的例子是string类的赋值函数。

复制代码 代码如下:

<SPAN>String& String::operator =(const String &str) //注意与“+”比较,函数为什么要用引用呢?a=b=c,可以做为左值

{

if (this == &str)

{

return *this;

}

delete [] m_string;

int len = strlen(str.m_string);

m_string = new char[len+1];

strcpy(m_string,str.m_string);

return *this;

}</SPAN>

这与sting类中的“+”运算符重载不一样。“+”运算符的重载不能返回引用,因为它返回的是在函数内定义的类对象,附上代码。

复制代码 代码如下:

<SPAN>String String::operator +(const String &str)

{

String newstring;

if (!str.m_string)

{

newstring = *this;

}

else if (!m_string)

{

newstring = str;

}

else

{

int len = strlen(m_string)+strlen(str.m_string);

newstring.m_string = new char[len+1];

strcpy(newstring.m_string,m_string);

strcat(newstring.m_string,str.m_string);

}

return newstring;

}</SPAN>

4,引用返回左值(上例的=赋值也是如此,即a=b=c是可以的)

复制代码 代码如下:

char &get_val(string &str,string::size_type ix)

{

return str[ix];

}

使用语句调用:

string s("123456");

cout<<s<<endl;

get_val(s,0)='a';

cout<<s<<endl;

最后转上一段code作为总结。

复制代码 代码如下:

<span>#include<iostream>

using namespace std;

string make_plural(size_t,const string&,const string&);

const string &shorterString(const string &,const string &);

const string &mainip(const string&);

char &get_val(string &,string::size_type);

int main(void)

{

cout<<make_plural(1,"dog","s")<<endl;

cout<<make_plural(2,"dog","s")<<endl;

string string1="1234";

string string2="abc";

cout<<shorterString(string1,string2)<<endl;

cout<<mainip("jiajia")<<endl;

string s("123456");

cout<<s<<endl;

get_val(s,0)='a';

cout<<s<<endl;

getchar();

return 0;

}

//返回非引用

string make_plural(size_t i,const string &word,const string &ending)

{

return (i==1)?word:word+ending;

}

//返回引用

const string &shorterString(const string &s1,const string &s2)

{

return s1.size()<s2.size()?s1:s2;

}

//禁止返回局部对象的引用(我的dev c++ 没有报错,比较可怕)

const string &mainip(const string &s)

{

string ret=s;

return ret;

}

//引用返回左值

char &get_val(string &str,string::size_type ix)

{

return str[ix];

}</span>

【探讨:C++中函数返回引用的注意事项】相关文章:

c++ 构造函数的初始化列表

C++函数返回值为对象时,构造析构函数的执行细节

C++算法之海量数据处理方法的总结分析

C++中“#”号的使用技巧

浅析C/C++中的可变参数与默认参数

深入理解atoi()与itoa()函数的用法

深入探讨C++父类子类中虚函数的应用

c/c++语言位域注意事项分析

从汇编看c++中函数里面的static关键字的使用说明

解析C++中不能重载为友元函数的四个运算符

精品推荐
分类导航