用C++编写程序,输入大小写字母混合的字符串,将大写字母转换为小写字母,将小写字母转换为大写字母。然后,输出转换以后的字符串。
时间: 2024-09-28 20:16:38 浏览: 37
在C++中,你可以使用标准库中的`<cctype>`头文件提供的`tolower()`和`toupper()`函数来实现字符的大小写转换。下面是一个简单的示例程序:
```cpp
#include <iostream>
#include <string>
#include <cctype> // 包含tolower()和toupper()
std::string convertCase(const std::string& input) {
std::string output;
for (char c : input) {
if (islower(c)) { // 如果是小写字母
output += toupper(c);
} else if (isupper(c)) { // 如果是大写字母
output += tolower(c);
} else { // 其他字符不变
output += c;
}
}
return output;
}
int main() {
std::string str;
std::cout << "请输入一个大小写字母混合的字符串: ";
std::getline(std::cin, str); // 使用getline获取带空格的字符串
std::string convertedStr = convertCase(str);
std::cout << "转换后的字符串: " << convertedStr << std::endl;
return 0;
}
```
在这个程序中,我们首先读取用户输入的字符串,然后遍历每个字符,如果它是小写字母,就转换为大写;如果是大写字母,就转换为小写;其他字符保持原样。最后,返回转换后的字符串并输出。
阅读全文