我需要从一个具有一个参数的构造函数的类创建一个std::unique_ptr
。我找不到关于如何做的参考。以下是无法编译的代码示例:
#include <iostream>
#include <string>
#include <sstream>
#include <memory>
class MyClass {
public:
MyClass(std::string name);
virtual ~MyClass();
private:
std::string myName;
};
MyClass::MyClass(std::string name) : myName(name) {}
MyClass::~MyClass() {}
class OtherClass {
public:
OtherClass();
virtual ~OtherClass();
void MyFunction(std::string data);
std::unique_ptr<MyClass> theClassPtr;
};
OtherClass::OtherClass() {}
OtherClass::~OtherClass() {}
void OtherClass::MyFunction(std::string data)
{
std::unique_ptr<MyClass> test(data); <---------- PROBLEM HERE!
theClassPtr = std::move(test);
}
int main()
{
OtherClass test;
test.MyFunction("This is a test");
}
错误与我初始化std::unique_ptr
的方式有关,在我的代码中指出。
可以找到原始代码和错误here。
感谢您帮我解决这个问题。
答案 0 :(得分:4)
你可以这样做:
std::unique_ptr<MyClass> test(new MyClass(data));
或者,如果您有C++14
auto test = std::make_unique<MyClass>(data);
<强>可是:强>
在提供的示例中,不需要创建临时变量,您只需使用类成员的reset
方法:
theClassPtr.reset(new MyClass(data));
答案 1 :(得分:1)
#include <memory>
...
int main()
{
std::string testString{ "Testing 1...2....3" };
auto test = std::make_unique<MyClass>( testString );
return 0;
}
答案 2 :(得分:1)
这基本上是一种疏忽。你需要这个:
#include <memory>
namespace std
{
template <class T, class... Args>
std::unique_ptr <T> make_unique (Args&&... args)
{
return std::unique_ptr <T> (new T (std::forward <Args> (args)...));
}
}
答案 3 :(得分:0)
C ++ 14附带std::make_unique
。它从C ++ 11中省略。
自己写作很容易:
namespace notstd{
template<class T,class...Args>
std::unique_ptr<T> make_unique(Args&&...args){
return std::unique_ptr<T>(new T(std::forward<Args>(args)...));
}
}
现在像这样使用它:
auto foo = notstd::make_unique<MyClass>(string);
将为您制作独特的ptr。
这种模式有一些优点。首先,它会从“用户代码”中删除未与new
配对的delete
,这让我很开心。
其次,如果你调用一个带有2个unque ptrs的函数,那么上面可以避免在抛出异常的情况下泄漏。
我们把它放在notstd
中,因为将std
中的新函数注入标准是非法的(不需要诊断)。