C++primer第五版 函数返回左值

我们使用函数,一般要么是void类型,在函数中进行一些操作,然后无返回值;要么是有返回类型的,返回右值赋给一个变量。其实函数还可以返回左值,类似于一个变量。稍有不同的是,如果是用于左值,那么应在函数名前加上引用符号(&)。

函数的返回类型决定函数调用是否是左值。调用一个返回引用的函数得到左值,其他返回类型得到右值。可以像使用其他左值那样来使用返回引用的函数,特别是,我们能为返回类型是非常量引用的函数的结果赋值。 

// primer_226.cpp : Defines the entry point for the application.
// 返回左值的函数
// 调用一个返回引用的函数得到左值,其它返回类型得到右值

#include "stdafx.h"
#include
#include
using namespace std;

int main()
{
	string str="hello word";  //定义一个字符串
	cout << "the original string is: " << endl;
	cout << str << endl;  //
	char &change_value(string &string, int n);  //声明修改字符串某个字符的函数
	change_value(str,2) = 't';  //调用函数修改字符,此时修改了第3个字符
	change_value(str,4) = 'y';  //调用函数修改字符,此时修改了第5个字符
	cout << "the string after changing: " << endl;
	cout << str << endl;  //输出修改字符后的函数
	system("pause");
	return 0;
}
char &change_value(string &str, int n)
{
	return str[n];
}

在上述程序中 change_value(str,2) = 't'; 就相当于 str[2]='t';

运行效果如下:

C++primer第五版 函数返回左值_第1张图片

你可能感兴趣的:(C++语法)