c语言从键盘输入一个大写字母使其转换成小写字母并在显示屏上输出小写字母及其前后字符
时间: 2024-11-09 12:31:44 浏览: 31
在C语言中,你可以使用标准库函数`tolower()`将大写字母转换为小写字母,并结合数组操作来获取前后字符。下面是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h> // 包含tolower 函数
#define PREV_CHAR ' '
#define NEXT_CHAR ' '
int main() {
char input; // 存储用户输入的大写字母
printf("请输入一个大写字母: ");
scanf("%c", &input); // 从键盘读入大写字母
// 检查输入是否为大写字母,如果不是则不做处理
if(isupper(input)) {
input = tolower(input); // 转换为小写字母
printf("转换后的字母: %c\n", input);
// 显示前后字符 (这里假设只有一个字符的上下文)
int prev_index = -1; // 假设前一个字符位置
int next_index = 1; // 假设下一个字符位置
if (prev_index >= 0) { // 如果有前一个字符
printf("前一个字符: %c ", PREV_CHAR);
}
printf("当前字符: %c", input);
if (next_index <= sizeof('z') - 1) { // 如果有后一个字符
printf("后一个字符: %c ", NEXT_CHAR);
}
printf("\n");
} else {
printf("输入不是大写字母。\n");
}
return 0;
}
```
阅读全文