forked from alexfertel/rust-algorithms
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathshell_sort.rs
45 lines (39 loc) · 1.27 KB
/
shell_sort.rs
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
use crate::sorting::traits::Sorter;
pub fn shell_sort<T: Ord + Copy>(values: &mut [T]) {
// shell sort works by swiping the value at a given gap and decreasing the gap to 1
fn insertion<T: Ord + Copy>(values: &mut [T], start: usize, gap: usize) {
for i in ((start + gap)..values.len()).step_by(gap) {
let val_current = values[i];
let mut pos = i;
// make swaps
while pos >= gap && values[pos - gap] > val_current {
values[pos] = values[pos - gap];
pos -= gap;
}
values[pos] = val_current;
}
}
let mut count_sublist = values.len() / 2; // makes gap as long as half of the array
while count_sublist > 0 {
for pos_start in 0..count_sublist {
insertion(values, pos_start, count_sublist);
}
count_sublist /= 2; // makes gap as half of previous
}
}
pub struct ShellSort;
impl<T> Sorter<T> for ShellSort
where
T: Ord + Copy,
{
fn sort_inplace(array: &mut [T]) {
shell_sort(array);
}
}
#[cfg(test)]
mod test {
use crate::sorting::traits::Sorter;
use crate::sorting::ShellSort;
sorting_tests!(ShellSort::sort, shell_sort);
sorting_tests!(ShellSort::sort_inplace, shell_sort, inplace);
}