♠题目要求
编写函数fun求一个字符串的长度,在main函数中输入字符串,并输出其长度
函数接口定义:
int fun(char *p1);
p1 是用户传入的参数。函数须返回指针p1 所指的字符串的长度
裁判测试程序样例
#include <stdio.h>
int fun(char *p1);
int main()
{
char *p,a[20];
int len;
p=a;
gets(p);
len=fun(p);
printf("The string's length is:%d\n",len);
return 0;
}
♣铺垫
📘一)assert
assert的头文件:assert.h
作用:简单来说就是用来断言指针(此题目中是指针,也可以是其他变量)的有效性,如果传了个空指针NULL,就会报错,便于发现错误
📙二)const
用来保护数据,(此题中)使指针指向的内容不能通过指针改变
♣函数的实现
#include<assert.h>
int fun(const char *p1)
{
assert(p1);//等同于assert(p1 != NULL);
int count = 0;
while (*p1++)
{
count++;
}
return count;
}
当然,就PTA中的题目来讲不需要这么严谨,这样照样可以通过,很简单
int fun(char *p1)
{
int count = 0;
while (*p1++)
{
count++;
}
return count;
}