Files
c3c/lib/std/sort/insertionsort.c3
2026-02-05 01:33:47 +01:00

74 lines
2.4 KiB
Plaintext

module std::sort;
<*
Sort list using the quick sort algorithm.
@require @list_is_by_ref(list) : "Expected a list passed by reference, or slice passed by value"
@require @is_sortable(list) : "The list must be indexable and support .len or .len()"
@require @is_valid_cmp_fn(#cmp: ...cmp, #list: list, #context: ...context) : "Expected a comparison function which compares values"
*>
macro void insertionsort(list, cmp = ..., context = ...) @builtin @safemacro
{
var used_cmp = $defined(cmp) ??? cmp : (TypeNotSet)null;
var used_ctx = $defined(context) ??? context : (TypeNotSet)null;
$if $kindof(list) == SLICE:
isort{$typeof(list), $typeof(used_cmp), $typeof(used_ctx)}(list, 0, lengthof(list), used_cmp, used_ctx);
$else
isort{$typeof(*list), $typeof(used_cmp), $typeof(used_ctx)}(list, 0, lengthof(*list), used_cmp, used_ctx);
$endif
}
module std::sort <Type, CmpFn, Context> @private;
fn void isort(ListType list, usz low, usz high, CmpFn comp, Context context) @noinline @private
{
var $has_cmp = $typeof(comp) != TypeNotSet;
var $has_context = $typeof(context) != TypeNotSet;
var $cmp_by_value = $has_cmp &&& $defined($typefrom(CmpFn.paramsof[0].type) p = list_get(list, 0));
var $has_get_ref = IS_SLICE ||| $defined(&(*list)[0]);
for (usz i = low; i < high; ++i)
{
usz j = i;
for (;j > low;)
{
$if $has_get_ref:
ElementType *rhs = list_get_ref(list, j);
ElementType *lhs = list_get_ref(list, --j);
$switch:
$case $cmp_by_value && $has_context:
if (comp(*rhs, *lhs, context) >= 0) break;
$case $cmp_by_value:
if (comp(*rhs, *lhs) >= 0) break;
$case $has_cmp && $has_context:
if (comp(rhs, lhs, context) >= 0) break;
$case $has_cmp:
if (comp(rhs, lhs) >= 0) break;
$default:
if (!less(*rhs, *lhs)) break;
$endswitch
@swap(*rhs, *lhs);
$else
usz r = j;
--j;
$switch:
$case $cmp_by_value && $has_context:
if (comp(list_get(list, r), list_get(j), context) >= 0) break;
$case $cmp_by_value:
if (comp(list_get(list, r), list_get(j)) >= 0) break;
$case $has_cmp && $has_context:
if (comp(list_get_ref(list, r), list_get_ref(j), context) >= 0) break;
$case $has_cmp:
if (comp(list_get_ref(list, r), list_get_ref(j)) >= 0) break;
$default:
if (!less(list_get(list, r), list_get(j))) break;
$endswitch
$if IS_SLICE:
@swap(list[r], list[j]);
$else
@swap((*list)[r], (*list)[j]);
$endif
$endif
}
}
}