c语言函数调用实现字符串的大写转小写
时间: 2024-11-17 21:29:02 浏览: 2
字符串基本操作-复制,连接,比较等
在C语言中,没有内置函数可以直接将字符串从大写转换为小写。但是,你可以通过遍历字符串并逐个字符处理的方式来实现这个功能。这里提供一种简单的手动方法:
```c
#include <ctype.h>
#include <string.h>
void to_lower(char *str) {
int len = strlen(str);
for (int i = 0; i < len; i++) {
str[i] = tolower(str[i]); // 使用tolower()函数将字符转换为小写
}
}
// 示例:
void main() {
char string[] = "HELLO WORLD";
to_lower(string);
printf("转换后的字符串: %s\n", string); // 输出: hello world
}
```
在这个例子中,`tolower()` 函数是C标准库中的函数,它接受一个字符作为输入,并返回其小写形式。`to_lower()` 函数通过遍历字符串中的每个字符并应用 `tolower()` 来达到转换的目的。
阅读全文