对可变参数模板参数的元迭代

时间:2016-05-23 11:04:36

标签: c++ templates c++11 variadic-templates

我想概括以下模式:

template<class A1, class A2, class A3>
class Foo {
protected:
  template<class T>
  void foo(const T& t) {...do stuff...}
public:
  void bar(const A1& a) { foo(a); }
  void bar(const A2& a) { foo(a); }
  void bar(const A3& a) { foo(a); }
};

上述方法不会随着一些不断增加的论点而扩展。所以,我想这样做:

template<class As...>
class Foo {
protected:
  template<class T>
  void foo(const t& a) {...do stuff...}
public:
  for each type A in As declare:
  void bar(const A& a) { foo(a); }
};

有办法吗?

5 个答案:

答案 0 :(得分:12)

另一种方法可能是检查bar以检查类型是否在序列中,否则使用有用的错误消息barf,这样可以避免任何继承技巧..

#include <iostream>

struct E {};
struct F {};

template <class... As>
class Foo
{
    template <typename U>
    static constexpr bool contains() {
        return false;
    }

    template <typename U, typename B, typename ...S>
    static constexpr bool contains() {
        return (std::is_same<U, B>::value)? true : contains<U, S...>();
    }

protected:
    template <class T>
    void foo(const T& a) { std::cout << __PRETTY_FUNCTION__ << std::endl; }

public:
    template <class T>
    void bar(const T& a) {
        static_assert(contains<T, As...>(), "Type does not exist");
        foo(a);
    }
};

int main()
{
    Foo<E, F, E, F> f;
    f.bar(F{});
    f.bar(E{});
    f.bar(1); // will hit static_assert
}

答案 1 :(得分:9)

如果您实际上不需要bar而只需要约束foo - 我们可以使用SFINAE来允许只能使用可转换为其中一个类型的类型来调用它{1}} S:

A

我们可以使用template <class... As> class Foo { public: template <class T, class = std::enable_if_t<any<std::is_convertible<T, As>::value...>::value>> void foo(T const&) { ... } }; 技巧实现any

bool_pack

答案 2 :(得分:6)

template <class CRTP, class A, class... As>
struct FooBar
{
    void bar(const A& a)
    {
        static_cast<CRTP*>(this)->foo(a);
    }
};

template <class CRTP, class A, class B, class... As>
struct FooBar<CRTP, A, B, As...> : FooBar<CRTP, B, As...>
{
    using FooBar<CRTP, B, As...>::bar;

    void bar(const A& a)
    {
        static_cast<CRTP*>(this)->foo(a);
    }
};

template <class... As>
class Foo : FooBar<Foo<As...>, As...>
{
    template <class, class, class...>
    friend struct FooBar;

protected:
    template <class T>
    void foo(const T& a) { }

public:
    using FooBar<Foo, As...>::bar;
};

DEMO

答案 3 :(得分:5)

bar

this类似,这使用继承为所有模板参数构建一个具有f重载的类。但它有点干净,只有一个类模板加上部分专业化。

答案 4 :(得分:0)

template<class A, class Foo_t>
class bar_t {
public:
    void bar(const A &a) { Foo_t::foo(a); }
};


template<class ...As>
class Foo : bar_t<As, Foo<As...> >... {
protected:
    template<class T>
        void foo(const T& a) { /* do stuff */ }
};