欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

c++实现插入排序(代码教程)

程序员文章站 2022-06-26 10:32:59
插入排序的重点在于从后往前面的有序列推进,需要注意到达终点时的处理与其他不同。 #include using namespace std; int arr[1001];...

插入排序的重点在于从后往前面的有序列推进,需要注意到达终点时的处理与其他不同。

#include 
using namespace std;
int arr[1001];

void insert_sort(int n){
    int tmp;
    for(int i = 1; i < n; i++){
        tmp = arr[i];
        for(int j = i-1; j >= 0; j--) 
            if(tmp < arr[j]) {
                arr[j+1] = arr[j]; 
                if(j == 0) { arr[0] = tmp; break; } //arrive the end
            }
            else {
                arr[j+1] = tmp;
                break;
            }    
    }  
}

int main(){
    int n;
    cin >> n;
    for(int i = 0; i < n; i++) cin >> arr[i];
    insert_sort(n);
    for(int i = 0; i < n; i++) cout << arr[i] << " ";
    cout << endl;
}