首页 > 解决方案 > 从 boost fusion 适应结构中获取成员类型列表

问题描述

我有像这样的增强融合适应结构:

struct A {
    int x;
    double y;
    std::string z;
};
BOOST_FUSION_ADAPT_STRUCT(
    A,
    x,
    y,
    z
)

我想在编译时迭代适配的类型。例如,如果我有一个包装类型的类:

template <typename T> class Foo { ... };

那么我希望能够在std::tuple<Foo<int>, Foo<double>, Foo<std::string>>给定我的结构 A 的情况下获得类型。我std::tuple在这里仅用作示例;它可以是另一个可变参数类型的模板类。

欢迎使用 c++17 解决方案。

标签: c++template-meta-programmingboost-fusion

解决方案


将适应的融合结构转换为以下内容的助手std::tuple

template<class Adapted, template<class ...> class Tuple = std::tuple>
struct AdaptedToTupleImpl
{
    using Size = boost::fusion::result_of::size<Adapted>;

    template<size_t ...Indices>
    static Tuple<typename boost::fusion::result_of::value_at_c<Adapted, Indices>::type...> 
        Helper(std::index_sequence<Indices...>);

    using type = decltype(Helper(std::make_index_sequence<Size::value>()));
};

template<class Adapted, template<class ...> class Tuple = std::tuple>
using AdaptedToTuple = typename AdaptedToTupleImpl<Adapted, Tuple>::type;

验证:

using AsTuple = AdaptedToTuple<A>;
static_assert(std::is_same_v<std::tuple<int, double, std::string>, AsTuple>);

将元函数应用于元组中的每种类型的助手:

template<class List, template<class> class Func> struct ForEachImpl;

template<class ...Types, template<class ...> class List, template<class> class Func>
struct ForEachImpl<List<Types...>, Func>
{
    using type = List<Func<Types>...>;
};

template<class List, template<class> class Func>
using ForEach = typename ForEachImpl<List, Func>::type;

验证:

static_assert(std::is_same_v<ForEach<AsTuple, std::add_pointer_t>, std::tuple<int*, double*, std::string*>>);

也看看Boost.MP11图书馆。它具有与上述功能mp_transform等效的元功能。ForEach


推荐阅读