10

inline constexpr bool给定一个可变参数模板参数包,我想使用 an和fold 表达式检查给它的所有类型是否都是唯一的。我尝试这样的事情:

template<class... T>
inline static constexpr bool is_unique = (... && (!is_one_of<T, ...>));

在哪里is_one_of可以正常工作的类似布尔值。但是无论我在 is_one_of 中输入了什么,这条线都不会编译。这甚至可以使用折叠表达式来完成,还是我需要为此目的使用常规结构?

4

2 回答 2

12

您的方法实际上并不奏效,因为is_one_of需要使用类型调用T并且所有剩余类型不包括T. 无法通过单个参数包上的折叠表达式来表达这一点。我建议改用专业化:

template <typename...>
inline constexpr auto is_unique = std::true_type{};

template <typename T, typename... Rest>
inline constexpr auto is_unique<T, Rest...> = std::bool_constant<
    (!std::is_same_v<T, Rest> && ...) && is_unique<Rest...>
>{};   

用法:

static_assert(is_unique<>);
static_assert(is_unique<int>);
static_assert(is_unique<int, float, double>);
static_assert(!is_unique<int, float, double, int>);

wandbox.org 上的实时示例


(感谢Barry使用折叠表达式的简化。)

于 2017-11-27T12:56:29.553 回答
2

- 编辑 -

谷歌搜索我找到了一个有趣的解决方案,它给了我灵感来避免递归并避免很多警告

所以你可以定义一个类型的包装器

template <typename>
struct wrapT
 { };

以及从类型包装器继承的类型和整数包装器

template <typename T, std::size_t>
struct wrapTI : public wrapT<T>
 { };

接下来,您可以定义一个递归继承自的foowrapTI

template <typename T,
          typename = std::make_index_sequence<std::tuple_size<T>::value>>
struct foo;

template <typename ... Ts, std::size_t ... Is>
struct foo<std::tuple<Ts...>, std::index_sequence<Is...>>
   : public wrapTI<Ts, Is>...
 { };

现在is_unique可以像

template <typename ... Ts>
static constexpr bool isUnique
   = ( ... && std::is_convertible<foo<std::tuple<Ts...>>, wrapT<Ts>>::value );

关键是只有从 继承一次(并且只有一次)foo<Ts...>才能转换为,也就是说,如果在 中存在一次(并且只有一次)。wrapT<T>foo<Ts...>wrapT<T>TTs...

下面是一个完整的编译示例

#include <tuple>
#include <type_traits>

template <typename>
struct wrapT
 { };

template <typename T, std::size_t>
struct wrapTI : public wrapT<T>
 { };

template <typename T,
          typename = std::make_index_sequence<std::tuple_size<T>::value>>
struct foo;

template <typename ... Ts, std::size_t ... Is>
struct foo<std::tuple<Ts...>, std::index_sequence<Is...>>
   : public wrapTI<Ts, Is>...
 { };

template <typename ... Ts>
static constexpr bool isUnique
   = ( ... && std::is_convertible<foo<std::tuple<Ts...>>, wrapT<Ts>>::value );

int main ()
 {
   static_assert( true == isUnique<int, long, long long> );
   static_assert( false == isUnique<int, long, long long, int> );
 }
于 2017-11-27T14:23:55.230 回答