785. 快速排序(快排优化)

  1. 快速排序
    题目
    提交记录
    讨论
    题解
    视频讲解

给定你一个长度为n的整数数列。

请你使用快速排序对这个数列按照从小到大进行排序。

并将排好序的数列按顺序输出。

输入格式
输入共两行,第一行包含整数 n。

第二行包含 n 个整数(所有整数均在1~109范围内),表示整个数列。

输出格式
输出共一行,包含 n 个整数,表示排好序的数列。

数据范围
1≤n≤100000
输入样例:
5
3 1 2 4 5
输出样例:
1 2 3 4 5

#include 

using namespace std;
const int N=1e5+5;
int n,a[N];

void Quick_sort(int l,int r)
{
    if(l>=r)
        return;
    int i=l-1,j=r+1,x=a[(l+r)/2];
    while(i<j)
    {
        do
        {
            i++;
        }while(a[i]<x);
        do
        {
            j--;
        }while(a[j]>x);
        if(i<j)
            swap(a[i],a[j]);
    }
    Quick_sort(l,j);
    Quick_sort(j+1,r);
}
int main()
{
    ios::sync_with_stdio(false);
    cin.tie(0);
    cout.tie(0);
    cin >> n;
    for(int i=0;i<n;i++)
        cin >> a[i];
    Quick_sort(0,n-1);
    for(int i=0;i<n;i++)
        cout << a[i] << " ";
    return 0;
}

你可能感兴趣的:(Acwing)