1.计数的方法
#include <stdio.h>
#include <assert.h>
int my_strlen(const char * str)//const的使用优化
{
int count=0;
assert(str)
while(*str)
{
count++;
str++;
}
return count;
}
2.用指针的方法(指针-指针)
#include <stdio.h>
#include <assert.h>
int my_strlen(char * s )
{
assert(s);
char* p = s;
while (*p != '\0')
{
p++;
}
return p - s;
}
3.不创建临时变量的方法(递归的方法)
#include <stdio.h>
#include <assert.h>
int my_strlen(char *p)
{
assert(p);
if(*p=='\0')
return 0;
else
return 1+my_strlen(p+1);
}
函数的调用
int main()
{
char arr[]="abcdef";
size_t len=my_strlen;
printf("%zd\n",len);
return 0;
}
运行结果: