21

static_assert 可以检查类型是否为向量吗?IE, anint会提出断言,而 avector<int>不会。
我正在考虑以下内容:

static_assert(decltype(T) == std::vector, "Some error")
4

4 回答 4

20

是的。考虑以下元函数:

#include <stdio.h>
#include <vector>

template <class N>
struct is_vector { static const int value = 0; };

template <class N, class A>
struct is_vector<std::vector<N, A> > { static const int value = 1; };

int main()
{
   printf("is_vector<int>: %d\n", is_vector<int>::value);
   printf("is_vector<vector<int> >: %d\n", is_vector<std::vector<int> >::value);
}

只需将其用作您在static_assert.

于 2011-08-05T09:19:08.133 回答
11

c++0x:

static_assert(std::is_same<T, std::vector<int>>::value, "Some Error");
于 2011-08-06T06:59:51.070 回答
3

一个通用的解决方案。给定一个类型和一个模板,检查该类型是否是后者的实例:

template<typename T, template<typename...> class Tmpl>
struct is_instance_of_a_given_class_template : std:: false_type {};
template<template<typename...> class Tmpl, typename ...Args>
struct is_instance_of_a_given_class_template< Tmpl<Args...>, Tmpl > : std:: true_type {};

有了这个,那么以下将是正确的:

is_instance_of_a_given_class_template<    vector<int>  ,  vector  > :: value
                    type to check  ~~~~~~~^               ^
        template to check against  ~~~~~~~~~~~~~~~~~~~~~~~/

因此你会使用:

static_assert( is_instance_of_a_given_class_template<T,std::vector>::value
              , "Some error")

注意:如果Tconst,这不会直接工作。所以测试类似的东西is_instance_of_a_given_class_template< std::decay_t<T> ,std::vector>

于 2015-08-10T15:21:14.130 回答
0

的。

template<typename T>
struct isVector
{
  typedef char (&yes)[2];
  template<typename U>
  static yes check(std::vector<U>*);
  static char check(...);

  static const bool value = (sizeof(check((T*)0)) == sizeof(yes));
};

用法:

isVector<vector<int> >::value;
isVector<int>::value;

演示

注意:我的(复杂的)答案有一个限制,true如果 ifT是从vector<>. 如果T具有private/protected继承自vector<>. 仅作记录,不宜采用这种方式!!:)

于 2011-08-05T09:22:33.353 回答