c语言1、设计函数实现将一个字符串中小写字母转化为大写字母。
时间: 2024-05-11 17:17:52 浏览: 231
将一字符串中的小写英文字母改成大写。-c语言习题
可以使用C语言的标准库函数 `toupper()` 将小写字母转换为大写字母,具体实现代码如下:
```c
#include <stdio.h>
#include <ctype.h>
#include <string.h>
void convertToUpper(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 str[100];
printf("请输入一个字符串:");
scanf("%s", str);
convertToUpper(str);
printf("转换后的字符串为:%s\n", str);
return 0;
}
```
函数 `convertToUpper()` 接受一个字符串参数,遍历字符串中的每个字符,如果是小写字母则使用 `toupper()` 函数将其转换为大写字母。在 `main()` 函数中,先输入一个字符串,然后调用 `convertToUpper()` 函数进行转换并输出结果。
阅读全文