//第一种
int string_len(char *s)
{
//定义一个新的指针变量指向首字符
char *p = s;
while (*s++);
return s - p - 1;//因为char* 是一个字节所以相减就是长度,因为++后加会多加一次所以要减1
}
//第二种
int string_len(char *s)
{
int count = 0;
while (*s != '\0')
{
count++;
s++;
}
return count;
}
//第三种
int string_len(char *s)
{
int count = 0;
while (*s++)
{
count++;
}
return count;
} |
|