struct Node;
// 单链表可由头指针唯一确定,在C语言中可以使用‘结构体指针’描述。
typedef struct Node *PtrToNode;
typedef PtrToNode List;
typedef PtrToNode Position;
typedef int ElementType;
// 节点
struct Node {
ElementType Element;
Position Next;
};
// 是否是空表
int isEmpty(List l) {
return l -> Next == NULL;
}
// 是否是链表的末尾
int isLast(Position p) {
return p -> Next == NULL;
}
// 查找,时间复杂度 O(N)
Position find(ElementType x, List l) {
Position p;
p = l -> Next;
while (p != NULL && p -> Element != x) {
p = p -> Next;
}
return p;
}
// 查找x的前驱元,时间复杂度 O(N)
Position findPrevious(ElementType x, List l) {
Position p;
p = l;
while (p -> Next != NULL && p -> Next -> Element != x) {
p = p -> Next;
}
return p;
}
// 删除,时间复杂度 O(N)
void delete(ElementType x, List l) {
Position p, tmpCell;
p = findPrevious(x, l);
if (!isLast(p)) {
tmpCell = p -> Next;
p -> Next = tmpCell -> Next;
free(tmpCell);
}
}
// 插入,时间复杂度 O(1)
void insert(ElementType x ,List l, Position p) {
Position tmpCell;
tmpCell = malloc(sizeof(struct Node));
if (tmpCell == NULL) {
printf("out of space");
}
tmpCell -> Element = x;
tmpCell -> Next = p -> Next;
p -> Next = tmpCell;
}
C语言 - 链表
最后编辑于 :
©著作权归作者所有,转载或内容合作请联系作者
- 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
- 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
- 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
推荐阅读更多精彩内容
- 今天小编给大家带来c语言难点--链表的讲解,一步一步教你从零开始写C语言链表---构建一个链表。 为什么要学习链表...
- 一 需求分析 企业员工管理系统主要是针对企业员工的基本信息进行增、删、改、查的相关操作,以便用户使用本管理系统时可...