在 class 中初始化 unique_ptr
Initialise unique_ptr inside class
我想在声明后初始化 class 中的唯一指针,我尝试了几种方法但无法解决错误..
template <typename T>
struct Destroy
{
void operator()(T *t) const
{
t->destroy();
}
};
class Test
{
std::unique_ptr<IRuntime, Destroy<IRuntime>> runtime;
public:
Test()
{
/*
the function createIRuntime() return type is *IRuntime.
I tried using following but all the ways I got error:
1. runtime = std::make_unique<IRuntime, Destroy<IRuntime>> (createIRuntime());
2. runtime = createIRuntime();
3. runtime = std::unique_ptr<IRuntime, Destroy<IRuntime>> (createIRuntime());
Works fine if I do follow.
std::unique_ptr<IRuntime, Destroy<IRuntime>> runtime(createIRuntime());
*/
/* how to initialize the unique pointer here*/
}
};
runtime = std::make_unique<IRuntime, Destroy<IRuntime>> (createIRuntime());
推测IRuntime
是一个抽象class,不能直接构造
但即使可以按原样构造,也只有第一个模板参数指定要创建的类型。第二个和后续模板参数指定调用的构造函数的参数类型。
因此,此语句试图调用一个 IRuntime
构造函数,该构造函数将 Destroy<IRuntime>
对象作为参数,并将原始 IRuntime*
指针传递给该参数。不存在这样的构造函数,因此编译失败。
runtime = createIRuntime();
std::unique_ptr
没有采用原始指针的 operator=
,只有 std::unique_ptr
。 std::unique_ptr
有一个采用原始指针的构造函数,但该构造函数被标记为 explicit
。所以这也无法编译。
runtime = std::unique_ptr<IRuntime, Destroy<IRuntime>> (createIRuntime());
这是正确的,而且工作得很好:
另一种有效的说法是:
runtime.reset(createIRuntime());
此外,由于您显示的代码在另一个构造函数中,您可以(并且应该)使用该构造函数的成员初始化列表:
Test() : runtime(createIRuntime())
{
}
我想在声明后初始化 class 中的唯一指针,我尝试了几种方法但无法解决错误..
template <typename T>
struct Destroy
{
void operator()(T *t) const
{
t->destroy();
}
};
class Test
{
std::unique_ptr<IRuntime, Destroy<IRuntime>> runtime;
public:
Test()
{
/*
the function createIRuntime() return type is *IRuntime.
I tried using following but all the ways I got error:
1. runtime = std::make_unique<IRuntime, Destroy<IRuntime>> (createIRuntime());
2. runtime = createIRuntime();
3. runtime = std::unique_ptr<IRuntime, Destroy<IRuntime>> (createIRuntime());
Works fine if I do follow.
std::unique_ptr<IRuntime, Destroy<IRuntime>> runtime(createIRuntime());
*/
/* how to initialize the unique pointer here*/
}
};
runtime = std::make_unique<IRuntime, Destroy<IRuntime>> (createIRuntime());
推测IRuntime
是一个抽象class,不能直接构造
但即使可以按原样构造,也只有第一个模板参数指定要创建的类型。第二个和后续模板参数指定调用的构造函数的参数类型。
因此,此语句试图调用一个 IRuntime
构造函数,该构造函数将 Destroy<IRuntime>
对象作为参数,并将原始 IRuntime*
指针传递给该参数。不存在这样的构造函数,因此编译失败。
runtime = createIRuntime();
std::unique_ptr
没有采用原始指针的 operator=
,只有 std::unique_ptr
。 std::unique_ptr
有一个采用原始指针的构造函数,但该构造函数被标记为 explicit
。所以这也无法编译。
runtime = std::unique_ptr<IRuntime, Destroy<IRuntime>> (createIRuntime());
这是正确的,而且工作得很好:
另一种有效的说法是:
runtime.reset(createIRuntime());
此外,由于您显示的代码在另一个构造函数中,您可以(并且应该)使用该构造函数的成员初始化列表:
Test() : runtime(createIRuntime())
{
}