c语言用指针实现编程实现将输入的字符串中的大写字母转换为小写字母,小写字母转换为大写字母
时间: 2023-08-29 18:12:34 浏览: 122
c语言将字符串中的小写字母转换成大写字母
5星 · 资源好评率100%
以下是用指针实现将输入的字符串中的大写字母转换为小写字母,小写字母转换为大写字母的C语言代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
char *p = str;
printf("请输入一个字符串:");
fgets(str, 100, stdin);
while (*p != '\0') {
if (isupper(*p)) {
*p = tolower(*p);
} else if (islower(*p)) {
*p = toupper(*p);
}
p++;
}
printf("转换后的字符串为:%s", str);
return 0;
}
```
首先定义一个字符数组 `str` 存储输入的字符串,然后定义一个指向该数组的指针 `p`。使用 `fgets()` 函数从标准输入中读取字符串,并保存到 `str` 数组中。
接着,使用 `while` 循环遍历字符串中的每个字符,判断该字符是否为大写字母或小写字母,如果是大写字母则使用 `tolower()` 函数将其转换为小写字母,如果是小写字母则使用 `toupper()` 函数将其转换为大写字母。
最后,使用 `printf()` 函数输出转换后的字符串。
阅读全文