我有std::unique_ptr
的子类,并且正在尝试将其与std::variant
一起使用。我有以下设置
// main.cc
#include <iostream>
#include <variant>
using namespace std;
class Content {
public:
Content() = default;
~Content() { cout << "deconstructing Content" << endl; };
int value = 10;
};
template<typename T>
class Wrapper : public unique_ptr<T> {
public:
Wrapper(T *value): unique_ptr<T>(value) {};
~Wrapper() { cout << "deconstructing Wrapper" << endl; };
};
static variant<Wrapper<Content>, int> do_sth(bool flag) {
if (flag) return Wrapper(new Content());
return 1;
}
int main(int argc, const char *argv[]) {
auto result = do_sth(true);
if (auto wrapper = get_if<Wrapper<Content>>(&result)) {
cout << wrapper->get()->value << endl;
} else {
cout << *get_if<int>(&result) << endl;
}
return 0;
}
使用xcode 10.1在macOS 10.14上编译
$ #c++ --version -> Apple LLVM version 10.0.0 (clang-1000.11.45.5)
$ c++ -std=gnu++17 main.cc
编译器抱怨以下内容
main.cc:25:12: error: no viable conversion from returned value of type 'Wrapper<Content>' to function return type 'variant<Wrapper<Content>, int>'
return Wrapper(new Content());
^~~~~~~~~~~~~~~~~~~~~~
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/include/c++/v1/variant:1142:3: note: candidate constructor not viable: no
known conversion from 'Wrapper<Content>' to 'const std::__1::variant<Wrapper<Content>, int> &' for 1st argument
variant(const variant&) = default;
^
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/include/c++/v1/variant:1155:13: note: candidate template ignored:
substitution failure [with _Arg = Wrapper<Content>, $1 = 0, $2 = 0, $3 = 0]: no type named 'type' in
'std::__1::result_of<std::__1::__variant_detail::__overload<Wrapper<Content>, int> (Wrapper<Content> &&)>'
constexpr variant(_Arg&& __arg) noexcept(
^
1 error generated.
我有两个问题:首先,我做错了什么?其次,当我移除Wrapper
的解构函数时,即
template<typename T>
class Wrapper : public unique_ptr<T> {
public:
Wrapper(T *value): unique_ptr<T>(value) {};
};
然后编译并运行以下输出
10
deconstructing Content
为什么不使用析构函数就能正常工作?
答案 0 :(得分:3)
由于Wrapper
继承自此类的unique_ptr
实例,因此只能移动。
您已经为Wrapper定义了析构函数,因此将移动操作(构造函数和赋值运算符)删除了 -在编译器生成移动操作时,您可以阅读here。
您可以:
1)删除Wrapper的析构函数,然后编译器生成默认的move操作
或
2)添加移动操作
Wrapper(T *value): unique_ptr<T>(value) {};
Wrapper(Wrapper&&) = default; // added
~Wrapper() { cout << "deconstructing Wrapper" << endl; };