用c语言编写程序实现链表的初始化,销毁,清空,求长度,求指定位置元素,求已存在元素位置,求前驱,求后继,链表带头节点
时间: 2024-10-09 19:13:35 浏览: 43
线性表的基本运算在单链表上的实现-C数据结构课件(线性表)
在C语言中,链表是一种数据结构,可以使用结构体和指针来实现。以下是链表的一些基本操作的实现:
1. **初始化** (创建链表):
```c
typedef struct Node {
int data;
struct Node* next;
} Node;
// 初始化函数
Node* createList() {
Node* head = (Node*)malloc(sizeof(Node));
if (head == NULL) {
printf("Memory allocation failed.\n");
return NULL;
}
head->data = 0; // 或者根据需求赋初值
head->next = NULL;
return head;
}
```
2. **销毁** (释放内存):
```c
void destroyList(Node* head) {
Node* current = head;
while (current != NULL) {
Node* temp = current;
current = current->next;
free(temp);
}
head = NULL;
}
```
3. **清空** (删除所有节点):
```c
void clearList(Node* head) {
destroyList(head);
}
```
4. **求长度** (计算节点数):
```c
int listLength(Node* head) {
int count = 0;
Node* temp = head;
while (temp != NULL) {
count++;
temp = temp->next;
}
return count;
}
```
5. **求指定位置元素** (通过索引查找):
由于链表不是数组,这需要从头开始遍历。如果找到对应位置,返回元素;找不到则返回错误信息。
```c
int getElement(Node* head, int index) {
if (index < 0 || index >= listLength(head)) {
return -1; // 或者抛出异常
}
Node* temp = head;
for (int i = 0; i < index; i++) {
temp = temp->next;
}
return temp->data;
}
```
6. **求已存在元素位置** (二分查找等复杂算法适用于有序链表,简单的链表一般遍历查找):
7. **求前驱** 和 **求后继**:
前驱: 如果节点非头结点,前驱是它的上一个节点,否则NULL。
后继: 如果节点非尾节点,后继是它下一个节点,否则NULL。这里需要注意边界条件。
8. **链表带头节点** 的实现如上述示例所示,头结点用于标记链表起始位置。
阅读全文