Rob Landley | 15bdc11 | 2006-11-01 22:28:46 -0500 | [diff] [blame] | 1 | /* vi: set sw=4 ts=4 : |
| 2 | * llist.c - Linked list functions |
| 3 | * |
| 4 | * Linked list structures have a next pointer as their first element. |
| 5 | */ |
| 6 | |
| 7 | #include "toys.h" |
| 8 | |
| 9 | // Free all the elements of a linked list |
| 10 | // if freeit!=NULL call freeit() on each element before freeing it. |
| 11 | |
| 12 | void llist_free(void *list, void (*freeit)(void *data)) |
| 13 | { |
| 14 | while (list) { |
Rob Landley | 0a04b3e | 2006-11-03 00:05:52 -0500 | [diff] [blame] | 15 | void *pop = llist_pop(&list); |
| 16 | if (freeit) freeit(pop); |
Rob Landley | bdf037f | 2008-10-23 16:44:30 -0500 | [diff] [blame] | 17 | else free(pop); |
| 18 | |
| 19 | // End doubly linked list too. |
| 20 | if (list==pop) break; |
Rob Landley | 15bdc11 | 2006-11-01 22:28:46 -0500 | [diff] [blame] | 21 | } |
| 22 | } |
Rob Landley | 0a04b3e | 2006-11-03 00:05:52 -0500 | [diff] [blame] | 23 | |
| 24 | // Return the first item from the list, advancing the list (which must be called |
| 25 | // as &list) |
| 26 | void *llist_pop(void *list) |
| 27 | { |
| 28 | // I'd use a void ** for the argument, and even accept the typecast in all |
| 29 | // callers as documentation you need the &, except the stupid compiler |
| 30 | // would then scream about type-punned pointers. Screw it. |
| 31 | void **llist = (void **)list; |
| 32 | void **next = (void **)*llist; |
| 33 | *llist = *next; |
| 34 | |
| 35 | return (void *)next; |
| 36 | } |
Rob Landley | 6ef04ef | 2008-01-20 17:34:53 -0600 | [diff] [blame] | 37 | |
Rob Landley | 53c7504 | 2010-01-05 10:43:36 -0600 | [diff] [blame] | 38 | // Add an entry to the end of a doubly linked list |
Rob Landley | bdf037f | 2008-10-23 16:44:30 -0500 | [diff] [blame] | 39 | struct double_list *dlist_add(struct double_list **list, char *data) |
Rob Landley | 6ef04ef | 2008-01-20 17:34:53 -0600 | [diff] [blame] | 40 | { |
| 41 | struct double_list *line = xmalloc(sizeof(struct double_list)); |
| 42 | |
| 43 | line->data = data; |
| 44 | if (*list) { |
| 45 | line->next = *list; |
| 46 | line->prev = (*list)->prev; |
| 47 | (*list)->prev->next = line; |
| 48 | (*list)->prev = line; |
| 49 | } else *list = line->next = line->prev = line; |
Rob Landley | bdf037f | 2008-10-23 16:44:30 -0500 | [diff] [blame] | 50 | |
| 51 | return line; |
Rob Landley | 6ef04ef | 2008-01-20 17:34:53 -0600 | [diff] [blame] | 52 | } |