- algorithm[meta header]
- std[meta namespace]
- function template[meta id-type]
- cpp11[meta cpp]
namespace std {
template <class InputIterator, class Predicate>
bool none_of(InputIterator first,
InputIterator last,
Predicate pred); // (1) C++11
template <class InputIterator, class Predicate>
constexpr bool none_of(InputIterator first,
InputIterator last,
Predicate pred); // (1) C++20
template <class ExecutionPolicy, class ForwardIterator, class Predicate>
bool none_of(ExecutionPolicy&& exec,
ForwardIterator first,
ForwardIterator last,
Predicate pred); // (2) C++17
}
イテレータ範囲[first, last)
の全ての要素が条件を満たさないかを判定する。
イテレータ範囲[first,last)
が空であったり、イテレータ範囲[first,last)
内の全てのイテレータ i
について pred(*i)
が false
である場合は true
を返し、そうでない場合は false
を返す。
最大で last - first
回 pred
を実行する。
この関数は
all_of(first, last, not1(pred));
- all_of[link /reference/algorithm/all_of.md]
とほぼ同じであるが、全ての要素が条件を満たしていないということを明示したい場合は none_of()
を使う方が意図が伝わりやすい。
#include <algorithm>
#include <iostream>
#include <vector>
int main() {
std::vector<int> v = { 3, 1, 4 };
std::cout << std::boolalpha;
// 全ての要素が 3 以上であるか
bool result1 = std::none_of(v.begin(), v.end(), [](int x) { return x < 3; });
std::cout << result1 << std::endl;
// 全ての要素が 0 以外であるか
bool result2 = std::none_of(v.begin(), v.end(), [](int x) { return x == 0; });
std::cout << result2 << std::endl;
}
- std::none_of[color ff0000]
false
true
template <class InputIterator, class Predicate>
bool none_of(InputIterator first, InputIterator last, Predicate pred) {
for ( ; first != last; ++first)
if (pred(*first)) return false;
return true;
}
- C++11
- Clang: 3.0 [mark verified]
- GCC: 4.4.7 [mark verified]
- ICC: ??
- Visual C++: 2010 [mark verified], 2012 [mark verified], 2013 [mark verified], 2015 [mark verified]