1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
use jrsonnet_evaluator::{
error::Result,
function::{builtin, CallLocation, FuncVal},
throw,
val::ArrValue,
Context, Val,
};
#[derive(Copy, Clone)]
enum SortKeyType {
Number,
String,
Unknown,
}
#[derive(PartialEq)]
struct NonNaNf64(f64);
impl PartialOrd for NonNaNf64 {
fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> {
self.0.partial_cmp(&other.0)
}
}
impl Eq for NonNaNf64 {}
impl Ord for NonNaNf64 {
fn cmp(&self, other: &Self) -> std::cmp::Ordering {
self.partial_cmp(other).expect("non nan")
}
}
fn get_sort_type<T>(
values: &mut [T],
key_getter: impl Fn(&mut T) -> &mut Val,
) -> Result<SortKeyType> {
let mut sort_type = SortKeyType::Unknown;
for i in values.iter_mut() {
let i = key_getter(i);
match (i, sort_type) {
(Val::Str(_), SortKeyType::Unknown) => sort_type = SortKeyType::String,
(Val::Num(_), SortKeyType::Unknown) => sort_type = SortKeyType::Number,
(Val::Str(_), SortKeyType::String) | (Val::Num(_), SortKeyType::Number) => {}
(Val::Str(_) | Val::Num(_), _) => {
throw!("sort elements should have the same types")
}
_ => throw!("sort key should either be a string or a number"),
}
}
Ok(sort_type)
}
pub fn sort(ctx: Context, mut values: Vec<Val>, key_getter: FuncVal) -> Result<Vec<Val>> {
if values.len() <= 1 {
return Ok(values);
}
if key_getter.is_identity() {
let sort_type = get_sort_type(&mut values, |k| k)?;
match sort_type {
SortKeyType::Number => values.sort_unstable_by_key(|v| match v {
Val::Num(n) => NonNaNf64(*n),
_ => unreachable!(),
}),
SortKeyType::String => values.sort_unstable_by_key(|v| match v {
Val::Str(s) => s.clone(),
_ => unreachable!(),
}),
SortKeyType::Unknown => unreachable!(),
};
Ok(values)
} else {
let mut vk = Vec::with_capacity(values.len());
for value in values.iter() {
vk.push((
value.clone(),
key_getter.evaluate(
ctx.clone(),
CallLocation::native(),
&(value.clone(),),
true,
)?,
));
}
let sort_type = get_sort_type(&mut vk, |v| &mut v.1)?;
match sort_type {
SortKeyType::Number => vk.sort_by_key(|v| match v.1 {
Val::Num(n) => NonNaNf64(n),
_ => unreachable!(),
}),
SortKeyType::String => vk.sort_by_key(|v| match &v.1 {
Val::Str(s) => s.clone(),
_ => unreachable!(),
}),
SortKeyType::Unknown => unreachable!(),
};
Ok(vk.into_iter().map(|v| v.0).collect())
}
}
#[builtin]
#[allow(non_snake_case)]
pub fn builtin_sort(ctx: Context, arr: ArrValue, keyF: Option<FuncVal>) -> Result<ArrValue> {
if arr.len() <= 1 {
return Ok(arr);
}
Ok(ArrValue::eager(super::sort::sort(
ctx,
arr.iter().collect::<Result<Vec<_>>>()?,
keyF.unwrap_or_else(FuncVal::identity),
)?))
}