leetcode 153. Find Minimum in Rotated Sorted Array

Suppose an array sorted in ascending order is rotated at some pivot(枢纽,中心点) unknown to you beforehand.

(i.e., 0 1 2 4 5 6 7 might become 4 5 6 7 0 1 2).

Find the minimum element.

You may assume no duplicate exists in the array.

这道题还算简单。
public int findMin(int[] nums) {
	if(nums.length==1){
		return nums[0];
	}
	int i=0;
	while(i+1nums[i+1]
		return nums[i+1];
	}
}
大神想到更好的办法:二分查找。
考虑一段 子数组(start和end是索引): [start,end],可以发现如果首元素比末元素小,那么在这一段数组中,没有任何rotation。因此要求最小元素的话,我们可以直接返回该子数组的第一个元素。
如果首元素比末元素大,那么我们计算出中间的元素,将它和首元素比较。如果中间元素比首元素大,那么rotation在数组的后半段里。如果中间元素比首元素小,那么rotation在数组的前半段里。
public class Solution {
    public int findMin(int[] num) {
        if (num == null || num.length == 0) {
            return 0;
        }
        if (num.length == 1) {
            return num[0];
        }
        int start = 0, end = num.length - 1;
        while (start < end) {
            if (num[start]=num[start]) {
                start = mid+1;
            } else {
                end = mid;
            }
        }
        return num[start];
    }
}


你可能感兴趣的:(leetcode,leetcode)