利用插入排序,对整数数组排序
根据如下插入排序基本思想编程:
- 一个数显然是有序的,因此规模为1的排序问题能够求解;
- 如果能够为n-1个数排序,那么当有n个数时,只需先将前n-1个数排好序,再将最后一个数插入前面这n-1个有序数列中的合适位置即可。
例如:
要对3,6,2,4从小到大排序:
1、考虑规模为1的问题,即数字3,一个数显然是有序的;
2、规模为1的问题求解完毕后,加入新的数字6,将其放在3后面,得到序列3,6,从而解决了规模为2的问题;
3、规模为2的问题求解完毕后,加入新的数字2,将其放在3前面,得到序列2,3,6,从而解决了规模为3的问题;
4、规模为3的问题求解完毕后,加入新的数字4,将其放在2和3中间,得到序列2,3,4,6,从而解决了规模为4的问题,排序过程结束。
适用于初学者
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
|
#include <iostream>
using namespace std;
int main() {
int i, j, num, temp;
int intarray[10] = {2, 5, 1, 9, 10, 0, 4, 8, 7, 6};
int new_intarray[10] = {0};
//第一个数不用排序
new_intarray[0] = intarray[0];
for (i = 1; i < 10; ++i) {
//开始排序第i个数,把它储存在一个临时变量
num = intarray[i];
//判断第i个数和第i-1个数的大小,如果比第i-1个数大,则把第i个数放在新数组的第i位
if (num >= new_intarray[i - 1])new_intarray[i] = num;
//如果不是的话,依此从大到小交换位置,直到大小顺序符合
else {
new_intarray[i] = new_intarray[i - 1];
new_intarray[i - 1] = num;
//交换大小顺序错误的两个
for (j = i - 1; j > 0; --j) {
if (new_intarray[j] < new_intarray[j - 1]) {
temp = new_intarray[j];
new_intarray[j] = new_intarray[j - 1];
new_intarray[j - 1] = temp;
} else break ;
}
}
}
for (i = 0; i < 10; ++i)cout << new_intarray[i] << '\t' ;
return 0;
}
|
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:https://blog.csdn.net/weixin_43338264/article/details/88909518