利用c语言输入一行字符串,将该字符串中所有的大写字母改为小写字母后输出。
时间: 2024-02-21 10:02:09 浏览: 79
将一字符串中的小写英文字母改成大写。-c语言习题
好的,可以使用C语言的字符串处理库函数 `ctype.h` 中的 `tolower()` 函数将大写字母转换成小写字母,具体代码如下:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
printf("请输入一行字符串:");
fgets(str, 100, stdin); // 从标准输入中读入一行字符串
for (int i = 0; str[i] != '\0'; i++) {
if (isupper(str[i])) { // 判断是否为大写字母
str[i] = tolower(str[i]); // 转换为小写字母
}
}
printf("转换后的字符串为:%s", str);
return 0;
}
```
这个程序中,我们使用了 `fgets()` 函数从标准输入中读入一行字符串,然后遍历字符串中的每个字符,如果是大写字母就使用 `tolower()` 函数将其转换为小写字母,最后输出转换后的字符串。
阅读全文