段计一 个算法,求个带头结点的单链表中的结点个数。
时间: 2023-05-15 20:05:05 浏览: 92
这个问题可以使用遍历单链表的方法来解决,具体实现如下:
int countNodes(ListNode* head) {
int count = 0;
ListNode* cur = head->next;
while (cur != NULL) {
count++;
cur = cur->next;
}
return count;
}
其中,head 是带头结点的单链表的头指针,cur 是当前遍历到的结点指针,count 是结点个数计数器。我们从头结点的下一个结点开始遍历,每遍历到一个结点就将计数器加 1,直到遍历到链表末尾,最后返回计数器的值即可。
相关问题
设计一个算法,求一个带头结点单链表中的结点个数
可以使用遍历的方式,从头结点开始,依次遍历每个结点,计数器加1,直到遍历到链表尾部。代码如下:
int countNodes(ListNode* head) {
int count = 0;
ListNode* curr = head->next;
while (curr != NULL) {
count++;
curr = curr->next;
}
return count;
}
其中,ListNode 是单链表的结构体,包含一个指向下一个结点的指针 next。head 是头结点,不存储数据,只是为了方便操作而存在的。
c语言设计一个算法,求一个带头结点单链表中的结点个数。
以下是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
```
阅读全文