编写一个程序,将一个字符串中的大写字母变为小写字母,小写字母变为大写字母
时间: 2024-06-12 21:11:48 浏览: 148
可以编写一个自定义函数stringSwap()来实现将一个字符串中的大写字母变为小写字母,小写字母变为大写字母的功能。具体步骤如下:
1. 遍历字符串中的每一个字符。
2. 判断该字符是否为大写字母,如果是,则将其转换为小写字母;如果不是,则判断是否为小写字母,如果是,则将其转换为大写字母。
3. 将转换后的字符添加到一个新的字符串中。
4. 返回新的字符串。
在主函数中,输入一个含有大小写字母的字符串,调用该函数并输出转换后的字符串即可。
示例代码如下:
```
#include <iostream>
#include <string>
using namespace std;
string stringSwap(string s) {
string result = "";
for (int i = 0; i < s.length(); i++) {
if (s[i] >= 'A' && s[i] <= 'Z') {
result += s[i] + 32;
} else if (s[i] >= 'a' && s[i] <= 'z') {
result += s[i] - 32;
} else {
result += s[i];
}
}
return result;
}
int main() {
string s;
getline(cin, s);
cout << stringSwap(s) << endl;
return 0;
}
```
阅读全文