c语言大写单词转化为小写单词
时间: 2024-10-09 08:06:45 浏览: 36
C语言——大写字母转为小写字母
在C语言中,将大写字母转换为小写字母通常需要借助于ASCII码。英文字符的大小写是通过特定的ASCII值表示的,其中大写字母比对应的小写字母ASCII值小32。你可以遍历字符串中的每个字符,如果是大写字母就减去32来得到相应的小写字母。
下面是一个简单的示例,使用`ctype.h`库中的`tolower`函数,它可以直接将大写字母转为小写字母:
```c
#include <ctype.h>
#include <stdio.h>
void convert_to_lowercase(char *str) {
for (int i = 0; str[i] != '\0'; i++) {
if (isupper(str[i])) { // 检查是否为大写字母
str[i] = tolower(str[i]); // 转换为小写
}
}
}
int main() {
char input[] = "HELLO WORLD";
convert_to_lowercase(input);
printf("转换后的字符串: %s\n", input); // 输出: hello world
return 0;
}
```
阅读全文