Add the section of selection sort. (#513)

This commit is contained in:
Yudong Jin
2023-05-24 00:35:46 +08:00
committed by GitHub
parent 5dff1bd0e8
commit 77b4f4c400
17 changed files with 218 additions and 8 deletions

View File

@ -0,0 +1,35 @@
/**
* File: selection_sort.cpp
* Created Time: 2023-05-23
* Author: Krahets (krahets@163.com)
*/
#include "../utils/common.hpp"
/* 选择排序 */
void selectionSort(vector<int> &nums) {
int n = nums.size();
// 外循环:未排序区间为 [i, n-1]
for (int i = 0; i < n - 1; i++) {
// 内循环:找到未排序区间 [i, n-1] 中的最小元素
int k = i;
for (int j = i + 1; j < n; j++) {
if (nums[j] < nums[k]) {
k = j; // 更新最小元素
}
}
// 将该最小元素与未排序区间的首个元素交换
swap(nums[i], nums[k]);
}
}
/* Driver Code */
int main() {
vector<int> nums = {4, 1, 3, 1, 5, 2};
selectionSort(nums);
cout << "选择排序完成后 nums = ";
printVector(nums);
return 0;
}