- 算法步骤
1.选定Pivot中心轴
2.将大于Pivot的数字放在Pivot的右边
3.将小于Pivot的数字放在Pivot的左边
4.分别对左右子序列重复前三步操作
-
时空复杂度
- 时间复杂度
O(nlogn) - 空间复杂度
O(logn)
- 时间复杂度
-
算法图解
- 实现
public class QuickSort {
public int[] sort(int[] sourceArray) {
int[] res = Arrays.copyOf(sourceArray, sourceArray.length);
return qc(res, 0, res.length - 1);
}
public int[] qc(int[] arr, int left, int right) {
if (left < right) {
int partitionIndex = partition(arr, left, right);
qc(arr, left, partitionIndex - 1);
qc(arr, partitionIndex + 1, right);
}
return arr;
}
public int partition(int[] arr, int left, int right) {
int pivot = left;
int index = pivot + 1;
for (int i = index; i <= right; ++i) {
if (arr[i] < arr[pivot]) {
swap(arr, i, index);
index++;
}
}
swap(arr, pivot, index - 1);
return index - 1;
}
public void swap(int[] arr, int i, int j) {
int temp = arr[i];
arr[i] = arr[j];
arr[j] = temp;
}
}