Thanks to visit codestin.com
Credit goes to docs.rs

sorting_algorithm/
insertion_sort.rs

1/// Sorts a data set using Insertion Sort
2///
3/// Average time complexity: O(n<sup>2</sup>)
4///
5/// # Examples
6///
7/// ```
8/// use sorting_algorithm::insertion_sort;
9///
10/// fn main() {
11///     let mut data = [3, 1, 2, 5, 4];
12///     
13///     insertion_sort::sort(&mut data);
14///
15///     assert_eq!(data, [1, 2, 3, 4, 5]);
16/// }
17/// ```
18pub fn sort<T: Ord>(data: &mut [T]) {
19    if data.len() <= 1 {
20        return;
21    }
22
23    for i in 1..data.len() {
24        let mut j = i;
25
26        while j > 0 && data[j] < data[j - 1] {
27            data.swap(j, j - 1);
28            j -= 1;
29        }
30    }
31}