我有一个返回字符串的函数。但是,当我调用它并对其执行c_str()将其转换为const char *时,它只有在我首先将其存储到另一个字符串中时才起作用。如果我直接从函数中调用c_str(),它将垃圾值存储在const char *中。
为什么会这样呢?感觉我在这里错过了一些非常基本的东西...
string str = SomeFunction();
const char* strConverted = str.c_str(); // strConverted stores the value of the string properly
const char* charArray= SomeFunction().c_str(); // charArray stores garbage value
static string SomeFunction()
{
string str;
// does some string stuff
return str;
}
最佳答案
SomeFunction().c_str()
为您提供一个指向临时变量的指针(str
主体中的自动变量SomeFunction
)。与引用不同的是,在这种情况下,临时对象的生存期不会延长,并且最终charArray
是一个悬空指针,解释了稍后您尝试使用charArray
时看到的垃圾值。
另一方面,当你做
string str_copy = SomeFunction();
str_copy
是SomeFunction()
返回值的副本。现在,在其上调用c_str()
可以为您提供指向有效数据的指针。关于c++ - 为什么在返回字符串的函数上调用c_str()无效?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/27627413/