2 * A fast, small, non-recursive O(nlog n) sort for the Linux kernel
4 * Jan 23 2005 Matt Mackall <mpm@selenic.com>
7 #include <linux/types.h>
8 #include <linux/export.h>
9 #include <linux/sort.h>
11 static void u32_swap(void *a, void *b, int size)
14 *(u32 *)a = *(u32 *)b;
18 static void generic_swap(void *a, void *b, int size)
24 *(char *)a++ = *(char *)b;
30 * sort - sort an array of elements
31 * @base: pointer to data to sort
32 * @num: number of elements
33 * @size: size of each element
34 * @cmp_func: pointer to comparison function
35 * @swap_func: pointer to swap function or NULL
37 * This function does a heapsort on the given array. You may provide a
38 * swap_func function optimized to your element type.
40 * Sorting time is O(n log n) both on average and worst-case. While
41 * qsort is about 20% faster on average, it suffers from exploitable
42 * O(n*n) worst-case behavior and extra memory requirements that make
43 * it less suitable for kernel use.
46 void sort(void *base, size_t num, size_t size,
47 int (*cmp_func)(const void *, const void *),
48 void (*swap_func)(void *, void *, int size))
50 /* pre-scale counters for performance */
51 int i = (num/2 - 1) * size, n = num * size, c, r;
54 swap_func = (size == 4 ? u32_swap : generic_swap);
57 for ( ; i >= 0; i -= size) {
58 for (r = i; r * 2 + size < n; r = c) {
61 cmp_func(base + c, base + c + size) < 0)
63 if (cmp_func(base + r, base + c) >= 0)
65 swap_func(base + r, base + c, size);
70 for (i = n - size; i > 0; i -= size) {
71 swap_func(base, base + i, size);
72 for (r = 0; r * 2 + size < i; r = c) {
75 cmp_func(base + c, base + c + size) < 0)
77 if (cmp_func(base + r, base + c) >= 0)
79 swap_func(base + r, base + c, size);
87 #include <linux/slab.h>
88 /* a simple boot-time regression test */
90 int cmpint(const void *a, const void *b)
92 return *(int *)a - *(int *)b;
95 static int sort_test(void)
99 a = kmalloc(1000 * sizeof(int), GFP_KERNEL);
102 printk("testing sort()\n");
104 for (i = 0; i < 1000; i++) {
105 r = (r * 725861) % 6599;
109 sort(a, 1000, sizeof(int), cmpint, NULL);
111 for (i = 0; i < 999; i++)
113 printk("sort() failed!\n");
122 module_init(sort_test);