std::isspace
来自cppreference.com
| 在标头 <cctype> 定义
|
||
| |
||
检查给定的字符在当前的 C 本地环境中是否是空白字符。在默认的本地环境中,空白字符是:
- 空格 (
0x20,' ') - 换页 (
0x0c,'\f') - 换行 (
0x0a,'\n') - 回车 (
0x0d,'\r') - 水平制表符 (
0x09,'\t') - 垂直制表符 (
0x0b,'\v')
如果 ch 的值不能表示为 unsigned char,并且不等于 EOF,则函数行为未定义。
参数
| ch | - | 要检查的字符字符 |
返回值
如果字符是空白字符,返回非零值,否则返回零。
注解
同所有其他来自 <cctype> 的函数,若实参值既不能表示为 unsigned char 又不等于 EOF 则 std::isspace 的行为未定义。为了以单纯的 char(或 signed char)安全使用此函数,首先要将实参转换为 unsigned char:
bool my_isspace(char ch)
{
return std::isspace(static_cast<unsigned char>(ch));
}
类似地,迭代器的值类型为 char 或 signed char 时,不应直接将它们用于标准算法。而是要首先转换值为 unsigned char:
int count_spaces(const std::string& s)
{
return std::count_if(s.begin(), s.end(),
// static_cast<int(*)(int)>(std::isspace) // 错误
// [](int c){ return std::isspace(c); } // 错误
// [](char c){ return std::isspace(c); } // 错误
[](unsigned char c){ return std::isspace(c); } // 正确
);
}
示例
运行此代码
#include <cctype>
#include <climits>
#include <iomanip>
#include <iostream>
int main(void)
{
std::cout << std::hex << std::setfill('0') << std::uppercase;
for (int ch{}; ch <= UCHAR_MAX; ++ch)
if (std::isspace(ch))
std::cout << std::setw(2) << ch << ' ';
std::cout << '\n';
}
输出:
09 0A 0B 0C 0D 20
参阅
| 检查字符是否被本地环境分类为空白 (函数模板) | |
| 检查宽字符是否为空白间隔字符 (函数) | |
isspace 的 C 文档
| |
