C语言转化成大写字母
时间: 2024-08-13 08:04:43 浏览: 47
c语言将字符串中的小写字母转换成大写字母
在C语言中,将字符串转换为大写字母通常涉及到遍历字符串并使用ASCII码表来替换每个小写字母。这里是一个简单的示例,使用标准库函数`toupper()`:
```c
#include <ctype.h> // 包含 toupper 函数
void to_upper_case(char *str) {
for (int i = 0; str[i] != '\0'; i++) { // 遍历字符串直到遇到结束符
if (islower(str[i])) { // 如果字符是小写字母
str[i] = toupper(str[i]); // 转换为大写
}
}
}
// 使用方法:
char lower_string[] = "hello, world!";
to_upper_case(lower_string);
printf("%s\n", lower_string); // 输出: HELLO, WORLD!
```
阅读全文