C语言输入小写字母转为大写字母
时间: 2024-10-13 21:01:51 浏览: 42
C语言——大写字母转为小写字母
在C语言中,如果你想将用户输入的小写字母转换为大写字母,可以使用库函数`toupper()`。这个函数属于`ctype.h`头文件,它接受一个字符作为参数,如果该字符是小写字母,就会返回相应的大写字母。
下面是一个简单的示例,展示了如何在循环中读取用户的输入并转换大小写:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char input;
printf("请输入一个小写字母: ");
while (scanf("%c", &input) == 1) { // 读取单个字符
if (islower(input)) { // 检查是否为小写字母
input = toupper(input); // 转换为大写
}
printf("%c", input); // 打印转换后的字母
}
return 0;
}
```
在这个程序中,`islower()`函数用于检查字符是否为小写字母,如果是,则应用`toupper()`将其转换为大写。然后,打印出转换后的结果。
阅读全文