使用c语言将自己输入的字符串中的小写字母变成大写字母
时间: 2024-10-13 09:06:01 浏览: 34
c语言将字符串中的小写字母转换成大写字母
在C语言中,你可以使用标准库函数`toupper()`来将小写字母转换为大写字母。首先,你需要包含头文件`<ctype.h>`,然后编写一个简单的循环来遍历输入的字符串并逐个字符处理。这里是一个示例程序:
```c
#include <stdio.h>
#include <ctype.h>
#include <string.h>
void to_uppercase(char *str) {
int len = strlen(str);
for (int i = 0; i < len; i++) {
if (islower(str[i])) { // 检查是否为小写字母
str[i] = toupper(str[i]); // 转换为大写
}
}
}
int main() {
char input[100];
printf("请输入一个字符串: ");
fgets(input, sizeof(input), stdin); // 读取用户输入,包括换行符
input[strcspn(input, "\n")] = '\0'; // 移除fgets添加的换行符
to_uppercase(input);
printf("转换后的字符串: %s\n", input);
return 0;
}
```
当你运行这个程序并输入一个小写字母的字符串,它会输出所有小写字母转为大写的结果。
阅读全文