cpp中string字符串转小写
时间: 2023-07-09 14:43:07 浏览: 96
可以使用标准库中的 `std::transform` 函数和 `std::tolower` 函数来实现将字符串转为小写的功能。具体代码如下:
```cpp
#include <algorithm>
#include <cctype>
#include <string>
std::string toLowerCase(const std::string& str) {
std::string result = str;
std::transform(result.begin(), result.end(), result.begin(),
[](unsigned char c) { return std::tolower(c); });
return result;
}
```
使用示例:
```cpp
std::string str = "Hello World";
std::string lower_str = toLowerCase(str);
// lower_str 的值为 "hello world"
```
相关问题
cpp string中大写字母转小写字母
要将C++中字符串中的大写字母转换为小写字母,可以使用标准库中的 `std::tolower` 函数。具体的实现可以参考以下代码:
```cpp
#include <iostream>
#include <string>
#include <algorithm>
int main() {
std::string str = "Hello, World!";
for (auto& c : str) {
if (std::isupper(c)) {
c = std::tolower(c);
}
}
std::cout << str << std::endl; // 输出:hello, world!
return 0;
}
```
在上面的代码中,遍历字符串中的每个字符,如果是大写字母,则使用 `std::tolower` 函数将其转换为小写字母。最后输出转换后的字符串即可。值得注意的是,`std::tolower` 函数只能处理一个字符,因此需要在循环中对每个字符进行转换。
string字符串中大写改小写
在C++中,如果你想将`string`(字符串)中的所有字符转换为小写,可以使用`std::transform`函数结合`std::tolower`标准库函数。这里是一个简单的示例:
```cpp
#include <algorithm>
#include <cctype>
#include <string>
void toLowerCase(std::string& str) {
str.erase(std::remove_if(str.begin(), str.end(), ::isupper), str.end());
std::transform(str.begin(), str.end(), str.begin(), ::tolower);
}
// 示例用法
std::string myString = "Hello World!";
toLowerCase(myString);
std::cout << myString; // 输出 "hello world!"
```
这个函数首先删除所有的大写字母,然后遍历剩余的字符并使用`::tolower`将其转换为小写。
阅读全文