程序師世界是廣大編程愛好者互助、分享、學習的平台,程序師世界有你更精彩!
首頁
編程語言
C語言|JAVA編程
Python編程
網頁編程
ASP編程|PHP編程
JSP編程
數據庫知識
MYSQL數據庫|SqlServer數據庫
Oracle數據庫|DB2數據庫
 程式師世界 >> 編程語言 >> C語言 >> C >> C語言基礎知識 >> 探討: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>

  1. 上一頁:
  2. 下一頁:
Copyright © 程式師世界 All Rights Reserved