假设一个排好序的数组在其某一未知点发生了旋转(比如0 1 2 4 5 6 7 可能在第3和第4个元素间发生旋转变成4 5 6 7 0 1 2)。
你需要找到其中最小的元素。
你可以假设数组中不存在重复的元素。
给出[4,5,6,7,0,1,2] 返回 0
public class Solution {
/**
* @param nums: a rotated sorted array
* @return: the minimum number in the array
*/
public int findMin(int[] nums) {
// write your code here
int length = nums.length - 1;
if (length == 0) return nums[0];
boolean flag = nums[0] < nums[length];
for (int i = 0; i <= length; i++) {
if (flag) {
if (nums[i] < nums[i + 1]) return nums[i];
} else {
if(nums[length - i] < nums[length - i - 1]) return nums[length - i];
}
}
return nums[0];
}
}