我有一个特征类,它通过推断成员函数的类型来定义“范围”(或容器、序列)的类型,如下所示:
template<class R>
struct range_type_traits
{
// "iterator": The type of the iterators of a range
using iterator = decltype(std::begin(std::declval<R>()));
// "value_type": The (non-reference) type of the values of a range
using value_type = typename std::remove_reference<decltype(*(std::declval<iterator>()))>::type;
};
我这样做的原因(而不是R
直接使用 or的子类型std::iterator_traits
)是为了支持某些具有begin()
成员的模板库中的任何类型的容器,并且不需要容器定义一些value_type
/iterator
类型。据我所知,std::iterator_traits
对于不使用对向 STL 公开其迭代器接口的容器,无法处理某种“密钥类型”,就像这样std::map
做(例如:QMap<K,T>
has value_type = T
。您可以通过 . 访问密钥iterator::key()
)。
现在我想有条件地定义一个类型key_type
iifiterator
有一个函数::key() const
并采用它的返回类型,类似于我对value_type
. 如果我只是将定义放在现有的特征类中,那么对于不支持它的容器编译将失败。
SFINAE 与std::enable_if
可以有条件地启用模板功能。如何有条件地扩展现有类/有条件地定义子类型?
像这样的草图:
template<class R>
struct range_type_traits
{
// "iterator": The type of the iterators of a range
using iterator = decltype(std::begin(std::declval<R>()));
// "value_type": The (non-reference) type of the values of a range
using value_type = typename std::remove_reference<decltype(*(std::declval<iterator>()))>::type;
ENABLE_IF_COMPILATION_DOES_NOT_FAIL {
// "key_type": The (non-reference) type of the keys of an associative range not using pairs in its STL-interface
using key_type = typename std::remove_reference<decltype(std::declval<iterator>().key())>::type;
}
};