在 C 语言中转换字符串为小写
本文将演示如何在 C 语言中把字符串转换为小写的多种方法。
C 语言中使用 tolower
函数将字符串转换为小写
tolower
函数是 C 标准库的一部分,定义在 <ctype.h>
头文件中。tolower
接受一个 int
类型参数,如果存在相应的小写表示,则返回给定字符的转换值。注意,传递的字符需要是 EOF 或 unsigned char
类型可表示的。在这种情况下,我们用一个字符串字面值初始化 char
指针,然后迭代每个字符,将其转换为小写值。不过要注意的是,传递给 tolower
函数的 char
类型参数必须被转换为 unsigned char
。
#include <stdlib.h>
#include <stdio.h>
#include <string.h>
#include <ctype.h>
int main(){
char *str = "THIS STRING LITERAL IS ARBITRARY";
printf("%s\n", str);
for (size_t i = 0; i < strlen(str); ++i) {
printf("%c", tolower((unsigned char) str[i]));
}
printf("\n");
exit(EXIT_SUCCESS);
}
输出:
THIS STRING LITERAL IS ARBITRARY
this string literal is arbitrary
前面的例子代码用转换后的小写字符覆盖了原始字符串的内容。或者,我们可以使用 calloc
分配另一个 char
指针,它与 malloc
类似,只是它将分配的内存清零,并单独存储转换后的字符串。注意,指针应该在程序退出前释放,如果进程是长期运行的,则应该在不需要字符串变量时立即释放。
#include <stdlib.h>
#include <stdio.h>
#include <string.h>
#include <ctype.h>
int main(){
char *str = "THIS STRING LITERAL IS ARBITRARY";
printf("%s\n", str);
size_t len = strlen(str);
char *lower = calloc(len+1, sizeof(char));
for (size_t i = 0; i < len; ++i) {
lower[i] = tolower((unsigned char)str[i]);
}
printf("%s", lower);
free(lower);
exit(EXIT_SUCCESS);
}
输出:
THIS STRING LITERAL IS ARBITRARY
this string literal is arbitrary
C 语言中使用自定义函数将字符串转换为小写字母
一个更灵活的解决方案是实现一个自定义函数,将字符串变量作为参数,并在一个单独的内存位置返回转换后的小写字符串。这种方法本质上是将前面的例子与 main
函数解耦。在本例中,我们创建了一个函数 toLower
,它接收 char*
,其中存储了一个空端字符串和一个表示字符串长度的 size_t
类型的整数。该函数使用 calloc
函数分配堆上的内存;因此,调用者负责在程序退出前重新分配内存。
#include <stdlib.h>
#include <stdio.h>
#include <string.h>
#include <ctype.h>
char *toLower(char *str, size_t len)
{
char *str_l = calloc(len+1, sizeof(char));
for (size_t i = 0; i < len; ++i) {
str_l[i] = tolower((unsigned char)str[i]);
}
return str_l;
}
int main(){
char *str = "THIS STRING LITERAL IS ARBITRARY";
printf("%s\n", str);
size_t len = strlen(str);
char *lower = toLower(str, len);
printf("%s", lower);
free(lower);
exit(EXIT_SUCCESS);
}
输出:
THIS STRING LITERAL IS ARBITRARY
this string literal is arbitrary
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn