c++将大写字母转换成小写字母
时间: 2024-10-12 10:15:32 浏览: 29
c语言将字符串中的小写字母转换成大写字母
5星 · 资源好评率100%
在C++中,你可以使用`std::tolower()`函数从C++标准库 `<cctype>` 中将大写字母转换为小写字母。这个函数接收一个字符作为参数,并返回相应的小写版本。下面是一个简单的例子:
```cpp
#include <cctype> // 包含tolower函数
std::string toLowerCase(std::string str)
{
for (size_t i = 0; i < str.length(); ++i) {
str[i] = std::tolower(str[i]); // 转换每个字符
}
return str;
}
```
这个函数遍历字符串中的每个字符,如果它是大写字母,就用`tolower`将其转换为小写。
如果你想保留原字符串并新建一个转换后的字符串,可以稍微调整一下:
```cpp
std::string originalString = "HELLO WORLD";
std::string lowerCaseString = toLowerCase(originalString);
```
现在`lowerCaseString`将是"hello world"。
阅读全文