C语言编写一个函数,将字符串中的小写字母转换为大写字母,主函数输入字符串并输出结果
时间: 2024-05-05 14:21:46 浏览: 139
c语言将字符串中的小写字母转换成大写字母
5星 · 资源好评率100%
下面是一个将字符串中的小写字母转换为大写字母的函数实现:
```c
#include <stdio.h>
#include <ctype.h>
void to_uppercase(char* str) {
int i = 0;
while (str[i] != '\0') {
if (islower(str[i])) {
str[i] = toupper(str[i]);
}
i++;
}
}
int main() {
char str[100];
printf("请输入一个字符串:");
scanf("%s", str);
to_uppercase(str);
printf("转换后的字符串为:%s\n", str);
return 0;
}
```
该函数通过遍历字符串中的每个字符,如果是小写字母,就将其转换为大写字母。主函数中,首先输入一个字符串,然后调用 `to_uppercase` 函数将其中的小写字母转换为大写字母,并输出转换后的结果。
阅读全文