c语言编程 编写一个函数,将大写英文字母转换为小写字母、小写字母转换为大写字母。
时间: 2024-05-06 07:16:15 浏览: 103
以下是一个将大写字母转换为小写字母、小写字母转换为大写字母的函数示例:
```c
#include <stdio.h>
#include <ctype.h>
void convert(char *str) {
while (*str != '\0') {
if (isupper(*str)) { // 判断是否为大写字母
*str = tolower(*str); // 转换为小写字母
} else if (islower(*str)) { // 判断是否为小写字母
*str = toupper(*str); // 转换为大写字母
}
str++; // 移动指针
}
}
int main() {
char str[100];
printf("请输入字符串:");
scanf("%s", str);
convert(str);
printf("转换后的字符串为:%s\n", str);
return 0;
}
```
在该示例中,我们使用了 `<ctype.h>` 库中的 `isupper`、`islower`、`tolower` 和 `toupper` 函数。其中,`isupper(c)` 用于判断字符 `c` 是否为大写字母,返回非零值表示是,否则返回零;`islower(c)` 用于判断字符 `c` 是否为小写字母,返回非零值表示是,否则返回零;`tolower(c)` 和 `toupper(c)` 分别用于将字符 `c` 转换为小写和大写字母,返回转换后的字符。
阅读全文