类模板
<functional>

std::logical_not

template <class T> struct logical_not;
逻辑非函数对象类
一元函数对象类,其调用返回其参数的逻辑“非”操作的结果(由 operator ! 返回)。

泛指,函数对象 是一个类的实例,该类定义了成员函数operator()。这个成员函数允许对象以与函数调用相同的语法使用。

它的定义与以下行为相同:

1
2
3
template <class T> struct logical_not : unary_function <T,bool> {
  bool operator() (const T& x) const {return !x;}
};
1
2
3
4
5
template <class T> struct logical_not {
  bool operator() (const T& x) const {return !x;}
  typedef T argument_type;
  typedef bool result_type;
};

模板参数

T
传递给函数调用的参数的类型。
该类型应支持运算(operator!)。

成员类型

成员类型定义说明
argument_typeT成员 operator() 中参数的类型
result_typebool成员 operator() 返回的类型

成员函数

bool operator() (const T& x)
返回其参数的逻辑非!x)的成员函数。

示例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
// logical_not example
#include <iostream>     // std::cout, std::boolalpha
#include <functional>   // std::logical_not
#include <algorithm>    // std::transform

int main () {
  bool values[] = {true,false};
  bool result[2];
  std::transform (values, values+2, result, std::logical_not<bool>());
  std::cout << std::boolalpha << "Logical NOT:\n";
  for (int i=0; i<2; i++)
    std::cout << "NOT " << values[i] << " = " << result[i] << "\n";
  return 0;
}

输出

Logical NOT:
NOT true = false
NOT false = true


另见