C++中字符串中小写字母转换为大写字母
时间: 2024-11-20 11:44:00 浏览: 20
在C++中,你可以使用标准库提供的`std::toupper`函数将字符串中的小写字母转换为大写字母。这个函数需要一个字符作为输入,如果它是小写字母,它会返回对应的大写字母;如果不是,就保持原样。不过需要注意的是,`std::toupper`是针对单个字符操作的。
如果你有一个字符串想批量转换,可以遍历字符串中的每个字符,然后应用`std::toupper`。例如:
```cpp
#include <cctype> // 包含 toupper 函数
#include <string>
std::string toUpper(const std::string &str) {
std::string result = str;
for (char& c : result) {
if (islower(c)) { // 检查字符是否为小写
c = toupper(c); // 转换为大写
}
}
return result;
}
```
如果你想直接修改原始字符串而不是创建新副本,可以使用`std::transform`和范围for循环:
```cpp
#include <algorithm>
#include <cctype>
void toUpperInPlace(std::string &str) {
std::transform(str.begin(), str.end(), str.begin(), ::toupper);
}
```
相关问题
c++将字符串中的小写字母转换成大写字母
可以使用C++标准库中的toupper函数将小写字母转换成大写字母。
以下是一个例子:
```c++
#include <iostream>
#include <cstring>
#include <cctype>
using namespace std;
int main()
{
char str[] = "Hello, World!";
int len = strlen(str);
for(int i = 0; i < len; i++) {
if(islower(str[i])) { // 判断是否为小写字母
str[i] = toupper(str[i]); // 转换为大写字母
}
}
cout << str << endl;
return 0;
}
```
输出结果为:
```
HELLO, WORLD!
```
C++将字符串中的小写字母转换成大写字母
可以使用C++的标准库函数toupper()将字符串中的小写字母转换成大写字母,具体的实现如下:
```c++
#include <iostream>
#include <cstring>
#include <cctype>
using namespace std;
int main()
{
string str = "Hello, World!";
int len = str.length();
for(int i=0; i<len; i++)
{
if(islower(str[i])) // 判断是否为小写字母
{
str[i] = toupper(str[i]); // 转换成大写字母
}
}
cout << str << endl;
return 0;
}
```
在上述代码中,我们首先定义了一个字符串变量str,并且获取了其长度len。然后利用for循环遍历字符串中的每一个字符,判断其是否为小写字母,如果是,则调用toupper()函数将其转换成大写字母。最后输出转换后的字符串即可。
阅读全文