Created
August 29, 2011 04:05
-
-
Save guohai/1177754 to your computer and use it in GitHub Desktop.
array partition quicksort
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/** | |
* 将数组分三块,中间一块是pivot[就一个元素],左边一块是所有元素都小于pivot,右边一块是所有元素都大于pivot<br /> | |
* 快速排序的基础,简单易懂,居家旅行面试必备 | |
*/ | |
public class ArrayPartition { | |
public static void main(String[] args) { | |
int[] arr = { 4, 5, 3, 22, 1, 3 }; | |
printArray(arr, "init"); | |
System.out.println("pivot idx " + sort(arr, 0, arr.length - 1)); | |
printArray(arr, "result"); | |
} | |
private static int sort(int[] array, int begin, int end) { | |
int pivot = array[begin]; | |
int low = begin - 1; | |
int hig = end + 1; | |
while (low + 1 != hig) { // 两端往中间逼近 | |
if (array[low + 1] <= pivot) { | |
low++; | |
} else if (array[hig - 1] > pivot) { | |
hig--; | |
} else { | |
int tmp = array[low + 1]; | |
array[++low] = array[hig - 1]; | |
array[--hig] = tmp; | |
} | |
} | |
array[begin] = array[low]; // 把pivot替换到中间位置 | |
array[low] = pivot; | |
return low; | |
} | |
private static void printArray(int[] array, String msg) { | |
for (int i : array) { | |
System.out.print(i + " "); | |
} | |
System.out.println(msg); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment