c++条件语句大小写字母转换代码
时间: 2024-08-01 12:00:26 浏览: 58
在C++中,你可以使用条件语句(如if-else、switch等)配合字符类型的操作来实现大小写字母的转换。这里是一个简单的例子,展示了如何将小写字母转换为大写和大写字母转换为小写:
```cpp
#include <iostream>
#include <cctype> // 引入cctype库,包含对字符大小写的处理函数
// 将小写字母转为大写
char toUpper(char c) {
return islower(c) ? toupper(c) : c; // 使用islower判断是否为小写,然后用toupper转换
}
// 将大写字母转为小写
char toLower(char c) {
return isupper(c) ? tolower(c) : c; // 使用isupper判断是否为大写,然后用tolower转换
}
int main() {
std::string input;
std::cout << "Enter a string: ";
std::getline(std::cin, input);
for (char& ch : input) { // 遍历字符串中的每个字符
if (islower(ch)) { // 如果是小写字母
ch = toUpper(ch); // 转换为大写
} else if (isupper(ch)) { // 如果是大写字母
ch = toLower(ch); // 转换为小写
}
}
std::cout << "Converted string: " << input << std::endl;
return 0;
}
```
阅读全文