c语言编程实现从键盘输入若干字符,直到输入字符*为止,将其中的小写字母转换成大写字母输出,其他字符原样输出。
时间: 2024-04-29 08:24:01 浏览: 56
```c
#include <stdio.h>
int main() {
char c;
while ((c = getchar()) != '*') { // 循环读入字符,直到遇到 *
if (c >= 'a' && c <= 'z') { // 如果是小写字母
c -= 32; // 转换成大写字母
}
putchar(c); // 输出字符
}
return 0;
}
```
相关问题
c语言从键盘输入一个字符,若为大写字母则转换为小写字母输出,若为小写字母则转换为大写字母输出,若为其他字符则原样输出
在C语言中,你可以通过ASCII码值的性质来实现这个功能。ASCII码规定大写字母和小写字母在相邻的位置。所以,你可以先接收用户输入的一个字符,然后判断其ASCII码值是否在大写字母或小写字母的范围内,再做相应的转换。
以下是一个简单的程序示例:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char input;
printf("请输入一个字符: ");
scanf("%c", &input);
if (isupper(input)) { // 判断是否为大写字母
input = tolower(input); // 转换为小写
} else if (islower(input)) { // 判断是否为小写字母
input = toupper(input); // 转换为大写
}
printf("转换后的字符: %c\n", input);
return 0;
}
```
在这个程序中,`isupper()`函数检查字符是否为大写字母,`tolower()`将大写字母转为小写;反之,`islower()`用于检测小写字母,并用`toupper()`将其转换为大写。
C语言从键盘中输入一个字符如果为小写字母将其转换为大写字母,如果为大写字母将其转换为小写字母,否则按原样输出怎么写
在C语言中,你可以使用ASCII码来实现这个功能。ASCII码规定了大写字母和小写字母之间的值差异,可以利用这个特性来进行转换。以下是一个简单的程序示例:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char input;
printf("请输入一个字符: ");
scanf("%c", &input); // 从键盘读入一个字符
if(islower(input)) { // 判断是否为小写字母
input = toupper(input); // 转换为大写字母
} else if(isupper(input)) { // 判断是否为大写字母
input = tolower(input); // 转换为小写字母
}
printf("转换后的字符: %c\n", input);
return 0;
}
```
在这个程序中,`islower()` 和 `isupper()` 函数用于检查字符是否为小写或大写字母,`toupper()` 和 `tolower()` 函数则用于实际进行转换。
阅读全文