Prune and search is a method for finding an optimal value by iteratively dividing a search space into two parts – the promising one, which contains the optimal value and is recursively searched and the second part without optimal value, which is pruned (thrown away). This paradigm is very similar to well know divide and conquer algorithms.
* Prune and search* @param array array to be searched in* @param index order of the searched value (indexed starting at 0).* @param left first elemenent, which can be touched* @param right first element, which cant be touched* @return n-th largest value*/public static int pruneAndSearch(int[] array, int index, int left, int right) {int boundary = left;for (int i = left + 1; i < right; i++) { if (array[i] > array[left]) { //place after the pivot every value, which is larger than the pivotswap(array, i, ++boundary);}swap(array, left, boundary); //place pivot in the middle//quicksort endif (boundary == index) return array[boundary]; //foundelse if (boundary > index) return pruneAndSearch(array, index, left, boundary); //prune the right branchelse return pruneAndSearch(array, index, boundary + 1, right); //prune the left branch }/* Swap elements in the given array* @param array array* @param left index of the element 1* @param right index of the element 2*/private static void swap(int[] array, int left, int right) {int tmp = array[right];array[right] = array[left];array[left] = tmp;}Complexity
While the original approach has a
expected complexity, modified algorithm finds the n-th largest number in a
expected complexity, where
is a small constant (approximately 4).
No comments:
Post a Comment