6-3 统计单链表元素出现次数 (5分)

本题要求实现一个函数,统计带头结点的单链表中某个元素出现的次数。
函数接口定义:

int GetCount ( LinkList L,ElemType e );

L是带头结点的单链表的头指针,e是要统计次数的元素值。如果e在单链表中存在,函数GetCount返回其出现的次数;否则,返回0。
裁判测试程序样例:

#include 
#include 

typedef int ElemType;
typedef struct LNode
{
	ElemType data;
	struct LNode *next;
}LNode,*LinkList;

LinkList Create();/* 细节在此不表 */

int GetCount ( LinkList L, ElemType e);

int main()
{
	ElemType e;
	LinkList L = Create();
	scanf("%d",&e);
	printf("%d\n", GetCount(L,e));
	return 0;
}
LinkList Create()
{
	LinkList L,r,p;
	ElemType e;
	L = (LinkList)malloc(sizeof(LNode));
	L->next = NULL;
	r = L;
	scanf("%d",&e);
	while(e!=-1)
	{
		p = (LinkList)malloc(sizeof(LNode));
		p->data = e;
		p->next = r->next;
		r->next = p;
		r = p;
		scanf("%d",&e);
	}
	return L;
}

/* 你的代码将被嵌在这里 */

输入样例1:

2 2 4 2 3 -1
2

输出样例1:

3
int GetCount ( LinkList L,ElemType e ){
    int cnt=0;
    while(L->data!=-1&&L->next!=NULL){
        if(L->data == e)
            cnt++;
        L = L->next;
    }
    if(cnt == 0)
        return 0;
    else
        return cnt+1;
}

如果你写成这样:

int GetCount ( LinkList L,ElemType e ){
    int cnt=0;
    while(L->data!=-1&&L->next!=NULL){
        if(L->data == e)
            cnt++;
        L = L->next;
    }
        return cnt;
}

或者这样:

int GetCount ( LinkList L,ElemType e ){
    int cnt=0;
    while(L->data!=-1&&L->next!=NULL){
        if(L->data == e)
            cnt++;
        L = L->next;
    }
        return cnt+1;
}

就会被感受到社会的一顿毒打。别问我怎么知道的。
……好吧,告诉你。
因为当查无此“e“的时候,你若返回了cnt+1,结果肯定就不对了啊:同样的,如果你选择了返回cnt,那么在e存在的情况下就会出错。

你可能感兴趣的:(数据结构,链表,指针,单链表)