我尝试使用C++11
模板的魔力来实现以下目标:
假设我有这样的类型:
using my_types = std::tuple<char, int, float>;
有了这个,我希望得到一个指针元组到const
而不是值,即:
std::tuple<char *, int *, float *, const char *, const int *, const float *>;
我现在的解决方案:
template<typename T>
struct include_const {};
template<typename... Types>
struct include_const<std::tuple<Types...>> {
using type = std::tuple<Types..., typename std::add_const<Types>::type...>;
};
这会给std::tuple<types, const types>
。为了得到指针,我可以使用:
template<typename T>
struct add_ptr {};
template<typename... Types>
struct add_ptr<std::tuple<Types...>> {
using type = std::tuple<typename std::add_pointer<Types>::type...>;
};
这样做有用,但我希望这更加通用:我希望有一个template<trait, Types...> add_ptr
指向Types...
和trait<Types>::type...
,因此可以使用如下:
add_ptr<std::add_const, my_types>
是我之前提到过的元组
add_ptr<std::add_volatile, my_types>
提供std::tuple<char *, volatile char *, ...>
我希望得到一些关于如何实现这一目标的提示。我还不是模板魔术师,非常感谢你的帮助
答案 0 :(得分:5)
使用模板模板参数
template<template<typename> class Trait, typename U>
struct add_ptr {};
template<template<typename> class Trait, typename... Types>
struct add_ptr<Trait, std::tuple<Types...>> {
using type = std::tuple<
typename std::add_pointer<Types>::type...,
typename std::add_pointer<
typename Trait<Types>::type
>::type...
>;
};
然后
add_ptr<std::add_const, my_types>::type
将是
std::tuple<char *, int *, float *, char const *, int const *, float const *>