用C语言编写程序,对键盘输入任意的字符串,将其中的所有大写字母改写为小写字母,小写字母改为大写字母,其他字符不变
时间: 2023-12-28 09:47:35 浏览: 74
。这个程序应该怎么写?
非常感谢您对ChitGPT的使用!根据您的要求,编写一个将输入字符串中的大写字母转换为小写字母,小写字母转换为大写字母的程序可以使用C语言的库函数ctype.h中的函数toupper()和tolower()来实现。以下是示例代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[1000], new_str[1000];
int i = 0;
printf("请输入字符串:\n");
fgets(str, 1000, stdin);
while (str[i] != '\0') {
if (isupper(str[i])) {
new_str[i] = tolower(str[i]);
}
else if (islower(str[i])) {
new_str[i] = toupper(str[i]);
}
else {
new_str[i] = str[i];
}
i++;
}
printf("转换后的字符串为:\n%s", new_str);
return 0;
}
```
在这个程序中,我们首先使用fgets()函数读取用户输入的字符串,然后逐个字符检查输入字符串中的字符,如果字符是大写字母,则使用tolower()将其转换为小写字母,如果字符是小写字母,则使用toupper()将其转换为大写字母,其他字符不变。最后将转换后的新字符串输出。
阅读全文