包裹在共享指针中时的向量构造
Vector construction when wrapped in a Shared Pointer
所以我正在致力于从具有垃圾收集功能的 OO 语言到 C++ 的转换。首先,我想将所有对象包装在共享指针中以解决内存取消分配问题。现在我正在尝试将一个向量包装在一个共享指针中并直接初始化该向量。请参阅下面的问题。为什么它不起作用,如果可能的话,我该如何让它起作用?
vector<int> vec({ 6, 4, 9 }); // Working
shared_ptr<vector<int>> vec = make_shared<vector<int>>({ 6, 4, 9 }); // Not working
抱歉没有包含错误,我得到的错误被标记为 (make_shared) 并打印为:
no instance of function template "std::make_shared" matches the argument list
argument types are: ({...})
感谢您的回答!
初始化器列表不能很好地与 make_shared
配合使用。有关详细信息,请参见此处:std::make_shared with std::initializer_list
但可能真正的解决方案是根本不要将向量保存在智能指针中——无论如何,并不是所有的东西都值得智能指针。但如果你想坚持下去,这应该行得通:
shared_ptr<vector<int>> vec(new vector<int>({ 6, 4, 9 }));
在大多数类型推导上下文中不能使用大括号初始化列表。
如果您明确指定其工作类型:
std::shared_ptr<std::vector<int>> vec = std::make_shared<std::vector<int>>(std::vector<int>{ 6, 4, 9 });
auto vec = make_shared<vector<int>>(std::initializer_list<int>{ 6, 4, 9 });
make_shared 不支持非显式初始化列表。您可以利用 auto
可以推导出初始化列表的事实:
auto init = { 6, 4, 9 };
auto vec = std::make_shared<std::vector<int>>(init);
但是正如其他人指出的那样,您需要考虑是否需要 shared_ptr
,vector
管理自己的内存。 shared_ptr
不是免费的。
所以我正在致力于从具有垃圾收集功能的 OO 语言到 C++ 的转换。首先,我想将所有对象包装在共享指针中以解决内存取消分配问题。现在我正在尝试将一个向量包装在一个共享指针中并直接初始化该向量。请参阅下面的问题。为什么它不起作用,如果可能的话,我该如何让它起作用?
vector<int> vec({ 6, 4, 9 }); // Working
shared_ptr<vector<int>> vec = make_shared<vector<int>>({ 6, 4, 9 }); // Not working
抱歉没有包含错误,我得到的错误被标记为 (make_shared) 并打印为:
no instance of function template "std::make_shared" matches the argument list
argument types are: ({...})
感谢您的回答!
初始化器列表不能很好地与 make_shared
配合使用。有关详细信息,请参见此处:std::make_shared with std::initializer_list
但可能真正的解决方案是根本不要将向量保存在智能指针中——无论如何,并不是所有的东西都值得智能指针。但如果你想坚持下去,这应该行得通:
shared_ptr<vector<int>> vec(new vector<int>({ 6, 4, 9 }));
在大多数类型推导上下文中不能使用大括号初始化列表。
如果您明确指定其工作类型:
std::shared_ptr<std::vector<int>> vec = std::make_shared<std::vector<int>>(std::vector<int>{ 6, 4, 9 });
auto vec = make_shared<vector<int>>(std::initializer_list<int>{ 6, 4, 9 });
make_shared 不支持非显式初始化列表。您可以利用 auto
可以推导出初始化列表的事实:
auto init = { 6, 4, 9 };
auto vec = std::make_shared<std::vector<int>>(init);
但是正如其他人指出的那样,您需要考虑是否需要 shared_ptr
,vector
管理自己的内存。 shared_ptr
不是免费的。