给定一个字符串,将其中所有的小写字母转换成大写字母。C++
时间: 2023-07-15 16:15:30 浏览: 108
将随意给出的字符串中所有小写字母转换为大写字母
5星 · 资源好评率100%
可以使用 C++ 中的 toupper 函数将小写字母转换成大写字母,具体实现如下:
```cpp
#include <iostream>
#include <cstring>
using namespace std;
int main() {
char s[] = "Hello, World!";
int len = strlen(s);
for (int i = 0; i < len; i++) {
if (s[i] >= 'a' && s[i] <= 'z') { // 如果是小写字母
s[i] = toupper(s[i]); // 转换成大写字母
}
}
cout << s << endl; // 输出转换后的字符串
return 0;
}
```
输出结果为:
```
HELLO, WORLD!
```
阅读全文