码迷,mamicode.com
首页 > 编程语言 > 详细

关于 C++ 函数返回局部变量的警告

时间:2014-11-27 18:35:15      阅读:180      评论:0      收藏:0      [点我收藏+]

标签:style   blog   http   io   ar   color   sp   strong   on   

先来一段代码:

#include <stdio.h>
#include <tchar.h>

char* test(void)
{
	char arr[] = "Hello,World\n";	// arr[] 所有元素保存在栈内存上,arr 是个符号地址,没有存储空间
	return arr;						// warning C4172: 返回局部变量或临时变量的地址
									// 即警告返回了指向栈内存的指针,返回后栈内存都会被自动回收
}
int _tmain(int argc, _TCHAR* argv[])
{
	printf("%s", test());			// 打印出垃圾数据,也可能刚好打印出 "Hello,World,取决于编译器对栈内存回收的处理方法
	getchar();
	return 0;
}

代码运行是正常的,无任何错误,但是有一段警告

警告 1  warning C4172: 返回局部变量或临时变量的地址 main.cpp 7 1 ConsoleAppTest


当函数返回时,局部变量和临时对象被销毁,所以返回的地址是无效的。需要修改代码,使其不返回局部对象的地址。

那么如何解决?该怎么修改代码?

以下内容来自(稍作修改):http://hi.baidu.com/dotcloud/item/302c4414f7f30e5f2b3e222c

以上方代码为例


方法1:

#include <stdio.h>
#include <tchar.h>

char* test(void)
{
	char *arr = "Hello,World\n";	// "Hello,World\n" 保存在只读常量区,非栈内存不受函数返回影响
	return arr;						// 其实返回的是 arr 的副本,返回后 arr 变量也销往,但是其指向常量区不受影响
}
int _tmain(int argc, _TCHAR* argv[])
{
	printf("%s", test());			// 能打印出 Hello,World
	getchar();
	return 0;
}

方法2:

#include <stdio.h>
#include <tchar.h>

char* test(void)
{
	static char arr[] = "Hello,World\n";	// "Hello,World\n" 保存在静态存储区,非栈内存不受函数返回影响。
	return arr;								// 同方法1 arr 是个符号地址,没有存储空间
}
int _tmain(int argc, _TCHAR* argv[])
{
	printf("%s", test());					// 能打印出 Hello,World
	getchar();
	return 0;
}


关于 C++ 函数返回局部变量的警告

标签:style   blog   http   io   ar   color   sp   strong   on   

原文地址:http://blog.csdn.net/maxsky/article/details/41547399

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!