data:image/s3,"s3://crabby-images/44660/4466007bf8522026f7c246f5d0af8a492efdbd25" alt="在这里插入图片描述"
01 插入排序的思想data:image/s3,"s3://crabby-images/3f69c/3f69c21cbe8b2e02f4151a81cfb7ff03cf7ea992" alt="在这里插入图片描述"
02 插入排序的实现
data:image/s3,"s3://crabby-images/34dc4/34dc406d10b189eab33a25003fc188c6795c47f2" alt="在这里插入图片描述"
03 例题讲解
data:image/s3,"s3://crabby-images/6cc5f/6cc5f589b96c554b0a59f03c76d39cd593c029df" alt="在这里插入图片描述"
#include <iostream>
#include <vector>
using namespace std;
void insertionSort(vector<int>& arr) {
int n = arr.size();
for (int i = 1; i < n; i++) {
int key = arr[i];
int j = i - 1;
while (j >= 0 && arr[j] > key) {
arr[j + 1] = arr[j];
j = j - 1;
}
arr[j + 1] = key;
}
}
int main() {
int n;
cin >> n;
vector<int> treasures(n);
for (int i = 0; i < n; i++) {
cin >> treasures[i];
}
insertionSort(treasures);
for (int i = 0; i < n; i++) {
cout << treasures[i] << (i < n - 1 ? " " : "\n");
}
return 0;
}