Generic wrapper behaving in the same way as wrapped type(泛型包装的行为方式与包装类型相同)
本文介绍了泛型包装的行为方式与包装类型相同的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
#include <utility>
#include <vector>
template <typename Wrapped>
class Wrapper
{
public:
template <typename... Args>
Wrapper(Args&&... args)
: wrapped(std::forward<Args>(args)...)
{
}
private:
Wrapped wrapped;
};
Wrapper<std::vector<int>> intended()
{
std::vector<int>::allocator_type allocator;
return { { 1, 2, 3 }, allocator }; // doesn't compile
}
Wrapper<std::vector<int>> unintended()
{
return 123; // calls 'explicit vector(size_type count)'
}
应该做些什么才能使这样的Wrapper
几乎不可见?例如,返回std::vector<int>
不允许编译这样的函数:
std::vector<int> get_vector()
{
return 123; // doesn't compile
}
推荐答案
对于T
的默认构造函数,可以通过检查const T&
是否可以用{}
初始化来判断它是否隐式。
对于一个类型是否可以从另一个类型隐式构造,我们可以结合std::is_constructible
和std::is_convertible
来检查。
因此您的Wrapper
的构造函数可以根据上面的规则有条件地explicit
,例如:
#include <utility>
template<typename T, typename... Args>
concept implicitly_constructible =
requires { [](const T&) {}({std::declval<Args>()...}); };
template<typename Wrapped>
class Wrapper {
public:
template<typename T>
requires std::is_constructible_v<Wrapped, T>
explicit(!std::is_convertible_v<T, Wrapped>)
Wrapper(T&& t)
: wrapped(std::forward<T>(t)) { }
template<typename... Args>
requires (sizeof...(Args) != 1) &&
std::is_constructible_v<Wrapped, Args...>
explicit(!implicitly_constructible<Wrapped, Args...>)
Wrapper(Args&&... args)
: wrapped(std::forward<Args>(args)...) { }
private:
Wrapped wrapped;
};
需要注意的是,{1, 2, 3}
不能从Args&&
推导出来,所以您还需要明确指定它的类型,比如std::initializer_list<int>{1, 2, 3}
。
Demo.
这篇关于泛型包装的行为方式与包装类型相同的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
沃梦达教程
本文标题为:泛型包装的行为方式与包装类型相同
基础教程推荐
猜你喜欢
- 调用std::Package_TASK::Get_Future()时可能出现争用情况 2022-12-17
- 如何定义双括号/双迭代器运算符,类似于向量的向量? 2022-01-01
- 什么是T&&(双与号)在 C++11 中是什么意思? 2022-11-04
- 如何在 C++ 中处理或避免堆栈溢出 2022-01-01
- 您如何将 CreateThread 用于属于类成员的函数? 2021-01-01
- 设计字符串本地化的最佳方法 2022-01-01
- 运算符重载的基本规则和习语是什么? 2022-10-31
- C++ 标准:取消引用 NULL 指针以获取引用? 2021-01-01
- C++ 程序在执行 std::string 分配时总是崩溃 2022-01-01
- C++,'if' 表达式中的变量声明 2021-01-01