我需要从一个具有接受一个参数的构造函数的类中创建一个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中找到。

感谢您帮助我解决该问题。

最佳答案

您可以执行以下操作:

std::unique_ptr<MyClass> test(new MyClass(data));

或如果您有C++14
auto test = std::make_unique<MyClass>(data);

但是:

在提供的示例中,无需创建临时变量,您只需使用类成员的reset方法即可:
theClassPtr.reset(new MyClass(data));

关于C++如何从采用构造函数参数的类中创建std::unique_ptr,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/31173299/

10-13 05:32