鉴于这个最小的例子。
#include <iostream>
#include <string>
void print_ptr(const std::string& s)
{
const char* data = s.data();
std::cout << "ptr: " << (void*)data << std::endl;
}
std::string str_return(const char* suffix)
{
std::string s("prefix");
s += " ";
s += suffix;
print_ptr(s);
return s;
}
int main()
{
std::string s = str_return("suffix"), t;
print_ptr(s);
t = str_return("suffix2");
print_ptr(t);
return 0;
}
我这样编译:
g++ -std=c++98 -fno-elide-constructors -g -Wall str_return.cpp -o str_return
我的g ++:
gcc version 4.7.1
输出:
ptr: 0x804b04c
ptr: 0x804b04c
ptr: 0x804b07c
ptr: 0x804b07c
为什么指针仍然相同?
如何禁用此行为?
答案 0 :(得分:6)
返回值优化会影响本地对象(s
函数中的str_return
)。你永远不会用它。
字符串对象本身管理动态内存,并选择在返回时将该托管内存交给下一个字符串。您正在检测的是那个管理的内存。明智地,这不会改变。
如果您真的想看到RVO的效果,请检测本地对象:
#include <iostream>
#include <string>
void print_ptr(const std::string& s)
{
std::cout << "ptr: " << static_cast<const void *>(&s) << std::endl;
}
std::string str_return(const char* suffix)
{
std::string s("prefix");
s += " ";
s += suffix;
print_ptr(s);
return s;
}
int main()
{
std::string s = str_return("suffix");
print_ptr(s);
std::string t = str_return("suffix2");
print_ptr(t);
}
答案 1 :(得分:1)
您可能没有遇到RVO。观察到的行为可能是由GCC中std::string
实现中使用的写入优化副本引起的。因此,实际上可以运行复制构造函数,但不会复制分配的缓冲区。
答案 2 :(得分:0)
我无法评论答案,所以我会在此注意到: 如果您为构造函数调用了字符串s,之后调用str_return - 地址将不同:
std::string s; // implicit constructor call
print_ptr( s );
s = str_return( "suffix" );
print_ptr( s );
std::cout << std::endl;
输出将是:
ptr: 0x28fec4 // for the original s;
ptr: 0x28fec8 // for local variable in function str_return
ptr: 0x28fec4 // the address of s after call str_return didn't change