我需要从一个具有接受一个参数的构造函数的类中创建一个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
的方式有关。
原始代码和错误可以在这里找到。
谢谢你帮我解决这个问题。
您可以执行:
std::unique_ptr<MyClass> test(new MyClass(data));
或者如果您有C++14
auto test = std::make_unique<MyClass>(data);
但是:
在提供的示例中,不需要创建临时变量,只需使用类成员的reset
方法即可:
theClassPtr.reset(new MyClass(data));
#include <memory>
...
int main()
{
std::string testString{ "Testing 1...2....3" };
auto test = std::make_unique<MyClass>( testString );
return 0;
}
这基本上是一个疏忽。你需要这个:
#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)...));
}
}
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。
这种模式有几个优点。首先,它从"用户代码"中删除了一个未与delete
配对的new
,这让我很高兴。
第二,如果您调用一个使用2个unque ptr的函数,那么在抛出异常的情况下,上面的内容可以避免泄漏。
我们把它放在notstd
中,因为在标准中向std
中注入新功能是非法的(不需要诊断(。