是否可以在C ++中动态分配临时变量?

时间:2012-02-15 02:46:14

标签: c++ pointers new-operator

是否可以在C ++中动态分配临时变量?
我想做那样的事情:

#include <iostream>
#include <string>

std::string* foo()
{
  std::string ret("foo");
  return new std::string(ret);
}

int main()
{
  std::string *str = foo();
  std::cout << *str << std::endl;                                                                                                           
  return 0;
}

此代码有效,但问题是我必须创建另一个字符串才能将其作为指针返回。有没有办法将我的临时/局部变量放入我的堆中而不重新创建另一个对象?
以下是我将如何做到这一点的说明:

std::string* foo()
{
  std::string ret("foo");
  return new ret; // This code doesn't work, it is just an illustration
}

2 个答案:

答案 0 :(得分:3)

嗯,是的,它被称为智能指针:

#include <memory>
std::unique_ptr<std::string> foo()
{
    return std::unique_ptr<std::string>("foo");
}

// Use like this:
using namespace std;
auto s = foo();     // unique_ptr<string> instead of auto if you have an old standard.
cout << *s << endl; // the content pointed to by 's' will be destroyed automatically
                    // when you stop using it

编辑:不更改返回类型:

std::string* foo()
{
    auto s = std::unique_ptr<std::string>("foo");
    // do a lot of stuff that may throw

    return s.release(); // decorellate the string object and the smart pointer, return a pointer
                        // to the string
}

答案 1 :(得分:0)

这个怎么样:

std::string* foo()
{
    std::string * ret = new std::string("foo");
    // do stuff with ret
    return ret;
}