-
Notifications
You must be signed in to change notification settings - Fork 8
/
llist.c
98 lines (84 loc) · 1.76 KB
/
llist.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
#include <stdlib.h>
#include <stdio.h>
#include <string.h>
#include <pthread.h>
#include <assert.h>
#include <errno.h>
#include "llist.h"
void llist_init(struct llist* llist) {
llist->head = NULL;
llist->tail = NULL;
pthread_mutex_init(&llist->lock, NULL);
}
void llist_entry_init(struct llist_entry* entry) {
entry->next = NULL;
entry->prev = NULL;
entry->list = NULL;
}
int llist_alloc(struct llist** ret) {
struct llist* llist = malloc(sizeof(struct llist));
if(!llist) {
return -ENOMEM;
}
llist_init(llist);
*ret = llist;
return 0;
}
void llist_free(struct llist* llist) {
free(llist);
}
void llist_append(struct llist* llist, struct llist_entry* entry) {
llist_lock(llist);
entry->list = llist;
if(!llist->head || !llist->tail) {
assert(!llist->tail);
entry->next = NULL;
entry->prev = NULL;
llist->head = entry;
llist->tail = entry;
} else {
entry->next = NULL;
llist->tail->next = entry;
entry->prev = llist->tail;
llist->tail = entry;
}
llist_unlock(llist);
}
void llist_remove(struct llist_entry* entry) {
struct llist* llist = entry->list;
llist_lock(llist);
if(entry == llist->head) {
llist->head = entry->next;
}
if(entry == llist->tail) {
llist->tail = entry->prev;
}
if(entry->next) {
entry->next->prev = entry->prev;
}
if(entry->prev) {
entry->prev->next = entry->next;
}
entry->next = NULL;
entry->prev = NULL;
entry->list = NULL;
llist_unlock(llist);
}
size_t llist_length(struct llist* list) {
size_t len = 0;
struct llist_entry* cursor;
llist_for_each(list, cursor) {
(void)cursor;
len++;
}
return len;
}
struct llist_entry* llist_get_entry(struct llist* list, unsigned int index) {
struct llist_entry* cursor;
llist_for_each(list, cursor) {
if(!index--) {
return cursor;
}
}
return NULL;
}