std::tolower
定义于头文件 <cctype>
|
||
int tolower( int ch ); |
||
按照当前安装的 C 本地环境所定义的规则,转换给定字符为小写。
默认 "C" 本地环境中,分别以小写字母 abcdefghijklmnopqrstuvwxyz
替换大写字母 ABCDEFGHIJKLMNOPQRSTUVWXYZ
。
参数
ch | - | 要转换的字符。若 ch 的值不能表示为 unsigned char 且不等于 EOF ,则行为未定义
|
返回值
ch
的小写版本,或若无列于当前 C 本地环境的小写版本,则为不修改的 ch
。
注意
同所有其他来自 <cctype> 的函数,若参数值既不能表示为 unsigned char 又不等于 EOF
则 std::tolower
的行为未定义。为了以简单的 char (或 signed char )安全使用此函数,首先要将参数转换为 unsigned char :
char my_tolower(char ch) { return static_cast<char>(std::tolower(static_cast<unsigned char>(ch))); }
类似地,迭代器的值类型为 char 或 signed char 时,不应直接将它们用于标准算法。而是要首先转换值为 unsigned char :
std::string str_tolower(std::string s) { std::transform(s.begin(), s.end(), s.begin(), // static_cast<int(*)(int)>(std::tolower) // 错误 // [](int c){ return std::tolower(c); } // 错误 // [](char c){ return std::tolower(c); } // 错误 [](unsigned char c){ return std::tolower(c); } // 正确 ); return s; }
示例
运行此代码
#include <iostream> #include <cctype> #include <clocale> int main() { unsigned char c = '\xb4'; // ISO-8859-15 中的字符 Ž // 但在 ISO-8859-1 中为 ´ (锐音符) std::setlocale(LC_ALL, "en_US.iso88591"); std::cout << std::hex << std::showbase; std::cout << "in iso8859-1, tolower('0xb4') gives " << std::tolower(c) << '\n'; std::setlocale(LC_ALL, "en_US.iso885915"); std::cout << "in iso8859-15, tolower('0xb4') gives " << std::tolower(c) << '\n'; }
输出:
in iso8859-1, tolower('0xb4') gives 0xb4 in iso8859-15, tolower('0xb4') gives 0xb8
参阅
转换字符为大写 (函数) | |
用本地环境的 ctype 刻面将字符转换为小写 (函数模板) | |
转换宽字符为小写 (函数) |