我刚刚开始使用 g++ 6.1.0(Debian 软件包版本 6.1.1-1,flags -std=c++17 -fconcepts
)尝试 C++ 概念,并且在以下简化示例中遇到了我不理解的错误消息:
#include <iterator>
#include <vector>
#include <iostream>
template <typename B>
concept bool ContextualBool = requires(B b) {
{ bool(b) };
{ !b } -> bool;
};
template <typename It>
concept bool InputIterator = requires(const It iconst, const It jconst, It i) {
typename std::iterator_traits<It>::reference;
typename std::iterator_traits<It>::value_type;
{ iconst == jconst } -> ContextualBool;
{ iconst != jconst } -> ContextualBool;
{ *i } -> typename std::iterator_traits<It>::reference;
{ ++i } -> It&;
{ *i++ } -> typename std::iterator_traits<It>::value_type;
};
template <typename P, typename Arg>
concept bool Predicate = requires(P pred, Arg x) {
{ pred(x) } -> ContextualBool;
};
template <typename P, typename It>
concept bool InputPredicate = requires {
typename std::iterator_traits<It>::reference;
requires Predicate<P, typename std::iterator_traits<It>::reference>;
};
/* Version 1 */
/*
InputIterator{I}
bool all_of(I begin, I end, InputPredicate<I> pred) {
*/
/* Version 2 */
/*
bool all_of(InputIterator begin, InputIterator end,
Predicate<typename std::iterator_traits<InputIterator>::reference> pred) {
*/
/* Version 3 */
bool all_of(InputIterator begin, InputIterator end,
InputPredicate<InputIterator> pred) {
while (begin != end) {
if (!pred(*begin))
return false;
++begin;
}
return true;
}
int main() {
std::vector<int> v { 1, 2, 3, 4, 5 };
if (all_of(v.begin(), v.end(), [](int n) { return n % 2 == 0; }))
std::cout << "All elements of v are even\n";
return 0;
}
在此代码中,版本 1 和版本 2 都成功编译并具有预期的运行时结果。但是,对于版本 3,我收到以下错误消息:
/tmp/concepts_repr.cpp: In function ‘int main()’:
/tmp/concepts_repr.cpp:56:70: error: no matching function for call to ‘all_of(std::vector<int>::iterator, std::vector<int>::iterator, main()::<lambda(int)>)’
if (all_of(v.begin(), v.end(), [](int n) { return n % 2 == 0; }))
^
/tmp/concepts_repr.cpp:44:10: note: candidate: template<class auto:1, class auto:2, class auto:3, class auto:4> requires predicate( InputIterator<auto:1>) and predicate(InputPredicate<auto:2, auto:1>) and predicate(InputIterator<auto:3>) and predicate(InputPredicate<auto:4, auto:3>) bool all_of(auto:1, auto:1, auto:4)
bool all_of(InputIterator begin, InputIterator end,
^~~~~~
/tmp/concepts_repr.cpp:44:10: note: template argument deduction/substitution failed:
/tmp/concepts_repr.cpp:56:70: note: couldn't deduce template parameter ‘auto:2’
if (all_of(v.begin(), v.end(), [](int n) { return n % 2 == 0; }))
^
从错误消息来看,由于某种原因,它似乎在生成的模板中生成了 InputIterator 和 InputPredicate 模板参数的重复版本。我不明白为什么会这样,特别是考虑到版本 2 有效。我是否误解了 cppreference.com 的声明:“由等效约束类型说明符引入的所有占位符都具有相同的发明模板参数”?或者这可能是 gcc 中的错误?