C语言程序输入小写字母转为大写
时间: 2024-10-13 19:16:42 浏览: 30
在C语言中,将小写字母转换为大写字母通常需要借助ASCII码特性。每个字母都有其对应的ASCII值,A到Z的大写字母比a到z的小写字母的ASCII值高32。所以,你可以通过减去32来将一个小写字母转换为对应的大写字母。这里是一个简单的函数示例:
```c
#include <ctype.h> // 包含处理字符类型的库
// 将小写字母转为大写
char to_upper_case(char c) {
if (islower(c)) { // 检查是否为小写字母
return c + 32; // 如果是,返回ASCII值加32
}
return c; // 否则,直接返回原字符(非字母或已为大写)
}
```
为了获取用户输入并逐个转换,你可以这样做:
```c
int main() {
char input;
printf("请输入一个小写字母: ");
scanf("%c", &input);
input = to_upper_case(input);
printf("转换后的大写字母是: %c\n", input);
return 0;
}
```
相关问题
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()`将其转换为大写。然后,打印出转换后的结果。
用C语言将字符串中大写字母转为小写字母,小写字母转为大写字母的代码
以下是将字符串中大写字母转为小写字母,小写字母转为大写字母的 C 代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i;
printf("请输入一个字符串:");
fgets(str, 100, stdin);
for (i = 0; str[i] != '\0'; i++) {
if (isupper(str[i])) {
str[i] = tolower(str[i]);
} else if (islower(str[i])) {
str[i] = toupper(str[i]);
}
}
printf("转换后的字符串为:%s", str);
return 0;
}
```
这段代码使用了 ctype.h 头文件中的 isupper()、tolower()、islower() 和 toupper() 函数,分别用于判断字符是否为大写字母、将字符转换为小写字母、判断字符是否为小写字母和将字符转换为大写字母。
阅读全文