-
Notifications
You must be signed in to change notification settings - Fork 213
/
selection_sort.java
49 lines (42 loc) · 2.23 KB
/
selection_sort.java
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
/*
Selection sort is a simple sorting algorithm that works by repeatedly finding the minimum element from an
unsorted part of the array and putting it at the beginning of the array.
In each iteration, the minimum element is found by comparing each element of the unsorted part of the array with the current minimum
element, and if a smaller element is found, it becomes the new minimum element.
Once the minimum element is found, it is swapped with the first element of the unsorted part of the array.
This process is repeated until the entire array is sorted. The main idea behind selection sort is to divide
the array into two parts: a sorted part and an unsorted part.
Initially, the sorted part is empty, and the unsorted part is the entire array. In each iteration, the minimum element is selected from
the unsorted part and added to the end of the sorted part.
The time complexity of selection sort is O(n^2) in both the best and worst cases, where n is the number
of elements in the array. This is because for each element in the array, it needs to compare it with
every other element to find the smallest one, which takes O(n) time. Since this process needs to be
repeated for each element, the overall time complexity becomes O(n^2).
The space complexity of selection sort is O(1) because it does not require any extra space other than
the input array itself. It performs the sorting in place by swapping the elements within the array.
*/
// Sample Input : [2, 1, 9, 3, 5, 4, 0]
// Output : [0 1 2 3 4 5 9]
/**
* Sorts an array of integers in ascending order using the Selection Sort algorithm.
*
* @param arr the array to be sorted
* @return the sorted array
*/
public static int[] selectionSort(int[] arr) {
// iterate through the array
for (int i = 0; i < arr.length - 1; i++) {
int minIdx = i;
// find the index of the smallest element in the unsorted portion of the array
for (int j = i + 1; j < arr.length; j++) {
if (arr[j] < arr[minIdx]) {
minIdx = j;
}
}
// swap the smallest element with the first unsorted element
int temp = arr[minIdx];
arr[minIdx] = arr[i];
arr[i] = temp;
}
return arr;
}