题目详情
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).
You are given a target value to search. If found in the array return its index, otherwise return -1.题目的输入是一个被旋转过的升序排列数组。(如正常的升序排列应该是‘0,1,2,4,5,6,7’;旋转过后可能就是‘4,5,6,7,0,1,2’)。
我们的目标就是在这样一个旋转过的数组中,找出输入的目标数字,如果数字不存在,则返回-1,否则返回数字在数组中的位置。
想法
- 因为这是一个经过旋转的升序数组,我们可以将其看作两个升序的序列(4,5,6,7和0,1,2)。
- 接着我们就要判断我们要找的数字在哪个序列中。这个时候可以将target元素和数组的最后一个元素比较。如果target > nums[n-1] 就说明target元素应当在前一个序列中,反之则在后一个序列中。
- 如果在前一个序列,则从前面进行查找。如果在后面一个序列,则从最后一个元素开始查找。
解法
public int search(int[] nums, int target) {
if(nums.length == 0 || nums == null) return -1;
int length = nums.length;
if(nums[length-1] == target)return length-1;
else if(nums[length-1] > target){
for(int i=length-1;i>=0;i--){
if(nums[i] == target) return i;
if(nums[i] <target) return -1;
}
}else{
for(int j=0;j<length;j++){
if(nums[j] == target) return j;
if(nums[j] > target) return -1;
}
}
return -1;
}
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。