2015-08-05 01:30:40 +00:00
|
|
|
#include "list.h"
|
|
|
|
#include <stdio.h>
|
|
|
|
#include <stdlib.h>
|
|
|
|
#include <string.h>
|
|
|
|
|
2015-08-11 00:32:50 +00:00
|
|
|
list_t *create_list(void) {
|
2015-08-05 01:30:40 +00:00
|
|
|
list_t *list = malloc(sizeof(list_t));
|
|
|
|
list->capacity = 10;
|
|
|
|
list->length = 0;
|
|
|
|
list->items = malloc(sizeof(void*) * list->capacity);
|
|
|
|
return list;
|
|
|
|
}
|
|
|
|
|
2015-08-11 18:12:50 +00:00
|
|
|
static void list_resize(list_t *list) {
|
2015-08-11 17:44:29 +00:00
|
|
|
if (list->length == list->capacity) {
|
|
|
|
list->capacity += 10;
|
|
|
|
list->items = realloc(list->items, sizeof(void*) * list->capacity);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2015-08-05 01:30:40 +00:00
|
|
|
void list_free(list_t *list) {
|
2015-08-08 21:44:51 +00:00
|
|
|
if (list == NULL) {
|
|
|
|
return;
|
|
|
|
}
|
2015-08-05 01:30:40 +00:00
|
|
|
free(list->items);
|
|
|
|
free(list);
|
|
|
|
}
|
|
|
|
|
|
|
|
void list_add(list_t *list, void *item) {
|
2015-08-11 17:44:29 +00:00
|
|
|
list_resize(list);
|
2015-08-05 01:30:40 +00:00
|
|
|
list->items[list->length++] = item;
|
|
|
|
}
|
|
|
|
|
2015-08-09 23:27:25 +00:00
|
|
|
void list_insert(list_t *list, int index, void *item) {
|
2015-08-11 17:44:29 +00:00
|
|
|
list_resize(list);
|
|
|
|
memmove(&list->items[index + 1], &list->items[index], sizeof(void*) * (list->length - index));
|
|
|
|
list->length++;
|
|
|
|
list->items[index] = item;
|
2015-08-09 23:27:25 +00:00
|
|
|
}
|
|
|
|
|
2015-08-05 01:30:40 +00:00
|
|
|
void list_del(list_t *list, int index) {
|
|
|
|
list->length--;
|
2015-08-11 17:44:29 +00:00
|
|
|
memmove(&list->items[index], &list->items[index + 1], sizeof(void*) * (list->length - index));
|
2015-08-05 01:30:40 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
void list_cat(list_t *list, list_t *source) {
|
|
|
|
int i;
|
|
|
|
for (i = 0; i < source->length; ++i) {
|
|
|
|
list_add(list, source->items[i]);
|
|
|
|
}
|
|
|
|
}
|
2015-09-08 15:54:57 +00:00
|
|
|
|
2015-11-24 08:30:02 +00:00
|
|
|
// pass the pointer of the object we care about to the comparison function
|
|
|
|
static int list_cmp(const void *l, const void *r, void *_cmp) {
|
|
|
|
int (*cmp)(const void *, const void *) = _cmp;
|
|
|
|
return cmp(*(void**)l, *(void**)r);
|
|
|
|
}
|
|
|
|
|
2015-09-08 15:54:57 +00:00
|
|
|
void list_sort(list_t *list, int compare(const void *left, const void *right)) {
|
2015-11-24 08:30:02 +00:00
|
|
|
qsort_r(list->items, list->length, sizeof(void *), list_cmp, compare);
|
2015-09-08 15:54:57 +00:00
|
|
|
}
|
2015-11-18 20:12:20 +00:00
|
|
|
|
2015-11-19 12:05:59 +00:00
|
|
|
int list_seq_find(list_t *list, int compare(const void *item, const void *data), const void *data) {
|
2015-11-18 20:12:20 +00:00
|
|
|
for (int i = 0; i < list->length; i++) {
|
|
|
|
void *item = list->items[i];
|
2015-11-19 12:05:59 +00:00
|
|
|
if (compare(item, data) == 0) {
|
2015-11-18 20:12:20 +00:00
|
|
|
return i;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return -1;
|
|
|
|
}
|