-
#define INIT_LIST_HEAD(ptr) do { \
-
(ptr)->next = (ptr); (ptr)->prev = (ptr); \
- } while (0)
data:image/s3,"s3://crabby-images/657f5/657f5215d6d0704a4e37b46418f5ff2126840d4c" alt=""
1.1 判断链表是否为空
-
static __inline__ int list_empty(struct list_head *head)
-
{
-
return head->next == head;
- }
2.链表的插入
2.1 有两种方式进行链表的插入 list_add与list_add_tail
-
static __inline__ void list_add(struct list_head *new, struct list_head *head)
-
{
-
__list_add(new, head, head->next);
- }
data:image/s3,"s3://crabby-images/35f91/35f91fdc3cf61804c5479b69d8cd2d3f70e8550c" alt=""
2.2 list_add_tail
-
static __inline__ void list_add_tail(struct list_head *new, struct list_head *head)
-
{
-
__list_add(new, head->prev, head);
- }
data:image/s3,"s3://crabby-images/96867/968672e5a972ba6c56c0bb3ba67a16331e4d93c1" alt=""
2.3 他们都调用了__list_add进入指针的操作
-
static __inline__ void __list_add(struct list_head * new,
-
struct list_head * prev,
-
struct list_head * next)
-
{
-
next->prev = new;
-
new->next = next;
-
new->prev = prev;
-
prev->next = new;
- }
3.1 调用list_del进行结点的删除,注意参数entry就是要删除的结点,
-
static __inline__ void list_del(struct list_head *entry)
-
{
-
__list_del(entry->prev, entry->next);
- }
data:image/s3,"s3://crabby-images/4f924/4f92447030cc33983867c807e3e4078f776021a2" alt=""
虽然head->next->next 或者head->prev->prev搜索链表时找不到node2了,表面上看node2是被删掉,
但是node2本身的prev与next还分别指向node3与node1
3.2 调用list_del_init进行结点的安全删除,注意参数entry就是要删除的结点,
并使删除后的node指向自己本身
-
static __inline__ void list_del_init(struct list_head *entry)
-
{
-
__list_del(entry->prev, entry->next);
-
INIT_LIST_HEAD(entry);
- }
data:image/s3,"s3://crabby-images/a640c/a640c7899a2ed14fb52b69d006337de2d88682d8" alt=""