docs: fix formatting and grammar
[git.git] / prio-queue.c
blobfc3860fdcb9fc50d4d883e1a8638cca474cfb8d0
1 #include "cache.h"
2 #include "prio-queue.h"
4 static inline int compare(struct prio_queue *queue, int i, int j)
6 int cmp = queue->compare(queue->array[i].data, queue->array[j].data,
7 queue->cb_data);
8 if (!cmp)
9 cmp = queue->array[i].ctr - queue->array[j].ctr;
10 return cmp;
13 static inline void swap(struct prio_queue *queue, int i, int j)
15 SWAP(queue->array[i], queue->array[j]);
18 void prio_queue_reverse(struct prio_queue *queue)
20 int i, j;
22 if (queue->compare != NULL)
23 die("BUG: prio_queue_reverse() on non-LIFO queue");
24 for (i = 0; i < (j = (queue->nr - 1) - i); i++)
25 swap(queue, i, j);
28 void clear_prio_queue(struct prio_queue *queue)
30 free(queue->array);
31 queue->nr = 0;
32 queue->alloc = 0;
33 queue->array = NULL;
34 queue->insertion_ctr = 0;
37 void prio_queue_put(struct prio_queue *queue, void *thing)
39 int ix, parent;
41 /* Append at the end */
42 ALLOC_GROW(queue->array, queue->nr + 1, queue->alloc);
43 queue->array[queue->nr].ctr = queue->insertion_ctr++;
44 queue->array[queue->nr].data = thing;
45 queue->nr++;
46 if (!queue->compare)
47 return; /* LIFO */
49 /* Bubble up the new one */
50 for (ix = queue->nr - 1; ix; ix = parent) {
51 parent = (ix - 1) / 2;
52 if (compare(queue, parent, ix) <= 0)
53 break;
55 swap(queue, parent, ix);
59 void *prio_queue_get(struct prio_queue *queue)
61 void *result;
62 int ix, child;
64 if (!queue->nr)
65 return NULL;
66 if (!queue->compare)
67 return queue->array[--queue->nr].data; /* LIFO */
69 result = queue->array[0].data;
70 if (!--queue->nr)
71 return result;
73 queue->array[0] = queue->array[queue->nr];
75 /* Push down the one at the root */
76 for (ix = 0; ix * 2 + 1 < queue->nr; ix = child) {
77 child = ix * 2 + 1; /* left */
78 if (child + 1 < queue->nr &&
79 compare(queue, child, child + 1) >= 0)
80 child++; /* use right child */
82 if (compare(queue, ix, child) <= 0)
83 break;
85 swap(queue, child, ix);
87 return result;