我想对一个类型的“特性支持级别”进行分类。类型可以包含别名red
和blue
。它可以只包含一个,两个,或者都不包含,我想用enum class
对这些情况进行分类:
enum class holder_type {
none,
red,
blue,
both
};
这是“成员检测器习惯用法”的一个用例,我尝试使用std::void_t
实现它:
// primary template
template <class T, class = void, class = void>
struct holder_type_of
: std::integral_constant<holder_type, holder_type::none> {};
// substitution failure if no alias T::red exists
template <class T, class Void>
struct holder_type_of<T, std::void_t<typename T::red>, Void>
: std::integral_constant<holder_type, holder_type::red> {};
// substitution failure if no alias T::blue exists
template <class T, class Void>
struct holder_type_of<T, std::void_t<typename T::blue>, Void>
: std::integral_constant<holder_type, holder_type::blue> {};
// substitution failure if one of the aliases doesn't exist
template <class T>
struct holder_type_of<T, std::void_t<typename T::blue>, std::void_t<typename T::red>>
: std::integral_constant<holder_type, holder_type::both> {};
然而,第一和第二部分专门化是彼此的重新定义。下面的Assert不能用clang编译,但用GCC编译成功(如所需)。
static_assert(holder_type_of<red_holder>::value == holder_type::red);
static_assert(holder_type_of<blue_holder>::value == holder_type::blue);
<source>:36:8: error: redefinition of 'holder_type_of<T, std::void_t<typename T::blue>, Void>'
struct holder_type_of<T, std::void_t<typename T::blue>, Void>
^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
<source>:32:8: note: previous definition is here
struct holder_type_of<T, std::void_t<typename T::red>, Void>
^
如何让我的代码在所有编译器上编译,所有Assert都通过?还有,clang在这里是不是错了,我的代码实际上应该按照标准工作?
- 注意:这个例子是故意人为的,但也可以在实践中使用,比如将迭代器分类为随机存取/转发/等。我在尝试检测用户可以自己专门化的trait类型的成员时遇到过这个问题。
2条答案
按热度按时间dly7yett1#
这看起来像CWG1980(
std::void_t<typename T::red>
和std::void_t<typename T::blue>
被认为是“等价的”,因为它们都是void
,所以它们是重定义,但它们在功能上不等价,因为它们可以通过替换失败来区分)。即使你要通过使它成为一个依赖的
void
来修复它,比如:它会使这两个部分特化:
因为中间参数
dependent_void_t<typename T::red>
和dependent_void_t<typename T::blue>
是不相关的,并且不是一种或另一种方式更好。...所以你可以翻转红色的参数,这样最后一个参数是相同的,
dependent_void_t<typename T::blue>
比Void
更好。你甚至可以回到std::void_t
,因为你不再用不同的模板参数比较多个std::void_t
:https://godbolt.org/z/s6dPYWeao
在多种情况下,这很快就变得难以管理
基于“优先级”的SFINAE检测更容易通过函数重载完成,尽管:
ukqbszuj2#
代码的问题是由
<T, void_t<>>
的几个专门化引起的,这些专门化被评估为<T, void>
,因此出现了重新定义错误。为了避免这个问题,您需要对每个专门化进行一些消歧。基本上,我认为没有办法逃避为
has_type
编写专门化。然而,使用标签可以使生活变得更容易。
下面是一个方便的API示例,它反映了您的人工示例中的用法:
https://godbolt.org/z/qPax11GYf
因为(在我看来)你需要有类型->值Map,我建议使用标志。
使用标记减少了必要的样板文件。基本上,对于每个成员检测,您必须编写2个类模板(基本“假”+专门化)。
通过使用标记,您现在只需编写一个专门化。但是在我们有反射支持之前,你必须***编写它。