c语言单链表找最大值
时间: 2023-07-02 15:20:14 浏览: 160
查找链表中值最大的节点
以下是使用单链表找最大值的C语言代码示例:
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct node {
int data;
struct node *next;
} Node, *NodePtr;
NodePtr createNode(int data) {
NodePtr newNode = (NodePtr) malloc(sizeof(Node));
newNode->data = data;
newNode->next = NULL;
return newNode;
}
void insertNode(NodePtr *head, NodePtr newNode) {
newNode->next = *head;
*head = newNode;
}
int findMax(NodePtr head) {
int max = head->data;
while (head != NULL) {
if (head->data > max) {
max = head->data;
}
head = head->next;
}
return max;
}
int main() {
NodePtr head = NULL;
insertNode(&head, createNode(10));
insertNode(&head, createNode(20));
insertNode(&head, createNode(30));
insertNode(&head, createNode(40));
insertNode(&head, createNode(50));
printf("Max value in the list: %d\n", findMax(head));
return 0;
}
```
代码中定义了一个 `Node` 结构体表示链表节点,其中包含了一个 `data` 成员表示节点的数据,以及一个 `next` 成员表示下一个节点的指针。使用 `createNode` 函数创建一个新节点,使用 `insertNode` 函数将新节点插入到链表头部。`findMax` 函数遍历链表,找到最大值并返回。最后在 `main` 函数中创建链表,调用 `findMax` 函数并输出结果。
阅读全文