std::toupper
来自cppreference.com
在标头 <cctype> 定义
|
||
int toupper( int ch ); |
||
按照当前安装的 C 本地环境所定义的字符转换规则,将给定字符转换为大写。
默认 "C" 本地环境中,分别以大写字母 ABCDEFGHIJKLMNOPQRSTUVWXYZ
替换下列小写字母 abcdefghijklmnopqrstuvwxyz
。
参数
ch | - | 要转化的字符。若 ch 的值不能表示为 unsigned char 且不等于 EOF,则行为未定义。 |
返回值
被转换的字符,或若当前 C 本地环境不定义大写版本则为 ch。
注解
同所有其他来自 <cctype> 的函数,若实参值既不能表示为 unsigned char 又不等于 EOF 则 std::toupper
的行为未定义。为了以单纯的 char(或 signed char)安全使用此函数,首先要将实参转换为 unsigned char:
char my_toupper(char ch) { return static_cast<char>(std::toupper(static_cast<unsigned char>(ch))); }
类似地,迭代器的值类型为 char 或 signed char 时,不应直接将它们用于标准算法。而是要首先转换值为 unsigned char:
std::string str_toupper(std::string s) { std::transform(s.begin(), s.end(), s.begin(), // static_cast<int(*)(int)>(std::toupper) // 错误 // [](int c){ return std::toupper(c); } // 错误 // [](char c){ return std::toupper(c); } // 错误 [](unsigned char c){ return std::toupper(c); } // 正确 ); return s; }
示例
运行此代码
#include <cctype> #include <climits> #include <clocale> #include <iostream> #include <ranges> int main() { for (auto bd{0}; unsigned char lc : std::views::iota(0, UCHAR_MAX)) if (unsigned char uc = std::toupper(lc); uc != lc) std::cout << lc << uc << (13 == ++bd ? '\n' : ' '); std::cout << "\n\n"; unsigned char c = '\xb8'; // ISO-8859-15 中的字符 ž // 但在 ISO-8859-1 中为 ¸ (下加符) std::setlocale(LC_ALL, "en_US.iso88591"); std::cout << std::hex << std::showbase; std::cout << "iso8859-1 中, toupper('0xb8') 得到 " << std::toupper(c) << '\n'; std::setlocale(LC_ALL, "en_US.iso885915"); std::cout << "iso8859-15 中, toupper('0xb8') 得到 " << std::toupper(c) << '\n'; }
输出:
aA bB cC dD eE fF gG hH iI jJ kK lL mM nN oO pP qQ rR sS tT uU vV wW xX yY zZ iso8859-1 中, toupper('0xb8') 得到 0xb8 iso8859-15 中, toupper('0xb8') 得到 0xb4
参阅
转换字符为小写 (函数) | |
用本地环境的 ctype 刻面将字符转换成大写 (函数模板) | |
转换宽字符为大写 (函数) |
外部链接
1. | ISO/IEC 8859-1. From Wikipedia. |
2. | ISO/IEC 8859-15. From Wikipedia. |