数据结构第四次作业(静态链表)
#include <stdio.h>
#include <malloc.h>
#define DEFAULT_SIZE 5 // 默认的链表大小
// 静态链表节点定义
typedef struct StaticLinkedNode{
char data; // 节点数据
int next; // 下一个节点的索引
} *NodePtr;
// 静态链表结构定义
typedef struct StaticLinkedList{
NodePtr nodes; // 节点数组
int* used; // 节点使用标记数组
} *ListPtr;
// 初始化链表
ListPtr initLinkedList(){
ListPtr tempPtr = (ListPtr)malloc(sizeof(struct StaticLinkedList));
tempPtr->nodes = (NodePtr)malloc(sizeof(struct StaticLinkedNode) * DEFAULT_SIZE); // 分配节点数组空间
tempPtr->used = (int*)malloc(sizeof(int) * DEFAULT_SIZE); // 分配节点使用标记数组空间
tempPtr->nodes[0].data = '\0'; // 初始化头节点数据
tempPtr->nodes[0].next = -1; // 头节点的下一个节点索引初始化为-1
tempPtr->used[0] = 1; // 头节点标记为已使用
for (int i = 1; i < DEFAULT_SIZE; i ++){
tempPtr->used[i] = 0; // 初始化其他节点为未使用
}
return tempPtr;
}
// 打印链表
void printList(ListPtr paraListPtr){
int p = 0; // 从头节点开始
while (p != -1) {
printf("%c", paraListPtr->nodes[p].data); // 打印当前节点数据
p = paraListPtr->nodes[p].next; // 移动到下一个节点
}
printf("\r\n");
}
// 在链表中插入元素
void insertElement(ListPtr paraListPtr, char paraChar, int paraPosition){
int p, q, i;
p = 0;
// 寻找插入位置的前一个节点
for (i = 0; i < paraPosition; i ++) {
p = paraListPtr->nodes[p].next;
if (p == -1) {
printf("The position %d is beyond the scope of the list.\r\n", paraPosition);
return;
}
}
// 寻找未使用的节点
for (i = 1; i < DEFAULT_SIZE; i ++){
if (paraListPtr->used[i] == 0){
printf("Space at %d allocated.\r\n", i);
paraListPtr->used[i] = 1; // 标记节点为已使用
q = i; // q 为新分配的节点索引
break;
}
}
if (i == DEFAULT_SIZE){
printf("No space.\r\n"); // 没有空间可用于分配
return;
}
// 插入新节点
paraListPtr->nodes[q].data = paraChar;
printf("linking\r\n");
paraListPtr->nodes[q].next = paraListPtr->nodes[p].next; // 新节点的next指向前一个节点的next
paraListPtr->nodes[p].next = q; // 前一个节点的next指向新节点
}
// 从链表中删除元素
void deleteElement(ListPtr paraListPtr, char paraChar){
int p, q;
p = 0;
// 寻找目标元素的前一个节点
while ((paraListPtr->nodes[p].next != -1) && (paraListPtr->nodes[paraListPtr->nodes[p].next].data != paraChar)){
p = paraListPtr->nodes[p].next;
}
if (paraListPtr->nodes[p].next == -1) {
printf("Cannot delete %c\r\n", paraChar); // 未找到元素
return;
}
// 删除目标节点
q = paraListPtr->nodes[p].next; // q 为目标节点索引
paraListPtr->nodes[p].next = paraListPtr->nodes[q].next; // 前一个节点的next指向目标节点的next
paraListPtr->used[q] = 0; // 标记目标节点为未使用
}
// 测试插入和删除操作
void appendInsertDeleteTest(){
ListPtr tempList = initLinkedList();
printList(tempList);
insertElement(tempList, 'H', 0);
insertElement(tempList, 'e', 1);
insertElement(tempList, 'l', 2);
insertElement(tempList, 'l', 3);
insertElement(tempList, 'o', 4);
printList(tempList);
printf("Deleting 'e'.\r\n");
deleteElement(tempList, 'e');
printf("Deleting 'a'.\r\n");
deleteElement(tempList, 'a');
printf("Deleting 'o'.\r\n");
deleteElement(tempList, 'o');
printList(tempList);
insertElement(tempList, 'x', 1);
printList(tempList);
}
// 主函数
int main(){
appendInsertDeleteTest();
}
运行结果