stm32数据结构链表
时间: 2023-10-17 07:26:40 浏览: 160
在STM32中,数据结构链表可以使用C语言中的指针来实现。链表是一种动态数据结构,它由节点组成,每个节点包含了数据和指向下一个节点的指针。下面是一个简单的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构
typedef struct Node {
int data;
struct Node* next;
} Node;
// 创建新节点
Node* createNode(int data) {
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
newNode->next = NULL;
return newNode;
}
// 在链表末尾插入新节点
void insert(Node** head, int data) {
Node* newNode = createNode(data);
if (*head == NULL) {
// 链表为空,将新节点作为头节点
*head = newNode;
} else {
// 找到链表末尾,并将新节点链接在末尾
Node* temp = *head;
while (temp->next != NULL) {
temp = temp->next;
}
temp->next = newNode;
}
}
// 打印链表元素
void printList(Node* head) {
Node* temp = head;
while (temp != NULL) {
printf("%d ", temp->data);
temp = temp->next;
}
printf("\n");
}
int main() {
Node* head = NULL;
insert(&head, 1);
insert(&head, 2);
insert(&head, 3);
printf("链表元素:");
printList(head);
return 0;
}
```
这段代码实现了一个简单的链表,可以往链表末尾插入新节点,并打印链表中的元素。在使用链表时,你可以根据需要定义更多的操作,比如在指定位置插入节点、删除节点等。注意,这只是一个简单的示例,实际应用中可能需要根据具体需求进行修改和扩展。
阅读全文