12

我的应用程序中有一个问题,我想断言一个函数应用程序将被编译器拒绝。有没有办法通过 SFINAE 进行检查?

例如,假设我想验证std::transform某个const范围是非法的。这是我到目前为止所拥有的:

#include <algorithm>
#include <functional>
#include <iostream>

namespace ns
{

using std::transform;

template<typename Iterator1, typename Iterator2, typename UnaryFunction>
  struct valid_transform
{
  static Iterator1 first1, last1;
  static Iterator2 first2;
  static UnaryFunction f;

  typedef Iterator2                   yes_type;
  typedef struct {yes_type array[2];} no_type;

  static no_type transform(...);

  static bool const value = sizeof(transform(first1, last1, first2, f)) == sizeof(yes_type);
};

}

int main()
{
  typedef int *iter1;
  typedef const int *iter2;
  typedef std::negate<int> func;

  std::cout << "valid transform compiles: " << ns::valid_transform<iter1,iter1,func>::value << std::endl;

  std::cout << "invalid transform compiles: " << ns::valid_transform<iter1,iter2,func>::value << std::endl;

  return 0;
}

不幸的是,我的特质拒绝合法和非法案件。结果:

$ g++ valid_transform.cpp 
$ ./a.out 
valid transform compiles: 0
invalid transform compiles: 0
4

2 回答 2

4

您的问题类似于SFINAE + sizeof = detect if expression compiles

该答案的摘要sizeof评估传递给它的表达式的类型,包括实例化函数模板,但它不会生成函数调用。这就是 Lol4t0 的观察结果sizeof(std::transform(iter1(), iter1(), iter2(), func()))即使 std::transform(iter1(), iter1(), iter2(), func())没有编译也能编译的原因。

您的具体问题可以通过评估 Lol4t0 的答案中的模板来解决要提供给的任何输出范围std::transform。然而,在模板中验证函数调用是否会编译的一般问题似乎无法用这个sizeof + SFINAE技巧来解决。(它需要一个可从运行时函数调用派生的编译时表达式)。

您可能想尝试ConceptGCC,看看这是否允许您以更方便的方式表达必要的编译时检查。

于 2012-05-05T09:20:47.137 回答
3

在我的回答中,我想关注问题,如何确定,如果给定迭代器常量: std::is_const被提及,但在这种情况下它对我来说不起作用(gcc 4.7)。

我认为,它的实现方式如下

template <typename T>
struct is_const
{
    enum {value = false };
};

template <typename T>
struct is_const<const T>
{
    enum {value = true };

};

现在,不能用这个结构检查引用类型,它们不会匹配特化,因为const T会匹配int& const,即对 int 的常量引用,而不是对常量 intconst int&的引用,并且首先没有任何意义。

好的,但是我们能够确定迭代器是否与以下结构保持一致:

template <typename Iterator>
struct is_iterator_constant
{
    typedef char yes_type;
    typedef struct{ char _[2];}  no_type;
    template <typename T>
    static no_type test(T&);

    template <typename T>
    static yes_type test(...);

    enum {value = sizeof(test<typename std::iterator_traits<Iterator>::value_type>(*Iterator())) == sizeof(yes_type) };

};
于 2012-05-05T18:12:53.900 回答