函数原型:
size_t strlen( const char *string );
头文件:string.h
说明:
- 字符串以 ‘\0’作为结束标志
- strlen 返回的是在字符串中’\0’前面出现的字符个数。因为求的是字符串的长度,也就是字符的个数,所以不包括 \0 字符,但是包含字符’\n’。
- sizeof 包括’\0’字符
返回类型:size_t 一个无符号长整型类型,直接作为数值运算时得注意,计算结果是否会越界
示例:
#include <stdio.h>
#include <string.h>
int main() {
char a[] = "abcdefg";
int len = strlen(a);
printf("len = %d\n", len);
return 0;
}
输出结果:
注意:定义字符串数组后,一定要初始化
未初始化的结果如下:
#include "stdio.h"
#include "string.h"
int main()
{
char test[50]; // 未初始化
int i = 0;
printf(" test[] = ");
for (; i < 26; i++) {
test[i] = 'A' + i;
printf(" %c ",test[i]);
}
printf("\n stelen(test) = %d \r\n",strlen(test));
return 0 ;
}
输出结果:
test字符串在定义时,拿到一片内存,此时这片内存里面可能储存有值,导致使用strlen计算test字符串时找不到字符串结束标志 ’\0‘,而会在test申请的那片内存后面一直找下去,找到 ’\0‘ 后输出,计算的结果,此时输出的结果肯定错误的结果。
初始化的结果如下:
#include "stdio.h"
#include "string.h"
int main()
{
char test[50] = {0}; // 初始化
int i = 0;
printf(" test[] = ");
for (; i < 26; i++) {
test[i] = 'A' + i;
printf(" %c ",test[i]);
}
printf("\n stelen(test) = %d \r\n",strlen(test));
return 0 ;
}
输出结果:
引用:
strlen函数详解
【C语言】详解strlen函数 | 模拟实现strlen函数的三种方法 | 写库函数的人是如何实现这个函数的
版权声明:本文为博主作者:趴抖原创文章,版权归属原作者,如果侵权,请联系我们删除!
原文链接:https://blog.csdn.net/PuddleRubbish/article/details/128413497