c语言设计一个算法,求一个带头结点单链表中的结点个数。
时间: 2024-03-27 12:36:28 浏览: 23
以下是C语言实现带头结点单链表结点个数的算法:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义单链表结构体
typedef struct node {
int data;
struct node *next;
} Node, *LinkList;
// 初始化带头结点单链表
LinkList InitList() {
LinkList head = (LinkList) malloc(sizeof(Node));
head->next = NULL;
return head;
}
// 在单链表尾部插入结点
void InsertTail(LinkList head, int data) {
Node *p = head;
while (p->next != NULL) {
p = p->next;
}
Node *newNode = (Node*) malloc(sizeof(Node));
newNode->data = data;
newNode->next = NULL;
p->next = newNode;
}
// 计算单链表结点个数
int GetNodeCount(LinkList head) {
int count = 0;
Node *p = head->next;
while (p != NULL) {
count++;
p = p->next;
}
return count;
}
int main() {
// 初始化单链表
LinkList head = InitList();
// 在单链表尾部插入结点
InsertTail(head, 1);
InsertTail(head, 2);
InsertTail(head, 3);
InsertTail(head, 4);
InsertTail(head, 5);
// 计算单链表结点个数
int count = GetNodeCount(head);
printf("The number of nodes in the list is: %d", count);
return 0;
}
```
输出结果为:
```
The number of nodes in the list is: 5
```
阅读全文