【LeetCode】35.搜索插入位置
题目
题目链接
思路
二分查找
解题方法
查找组左边元素,能够解决数组中元素重复情况,最左侧二分查找,返回值为 大于等于目标值的最左边的元素,另一种情况,查找最右边元素,返回值为 小于等于目标值最右边的元素
复杂度
时间复杂度: O(logN)
空间复杂度: O(1)
解法一:能够忽略数组中元素重复出现
class Solution {
public int searchInsert(int[] nums, int target) {
//解决元素中有重复的情况
int low = 0;
int high = nums.length - 1; // []
while(low <= high){
int mid = (low + high) >>> 1;
if(target <= nums[mid]){
high = mid - 1;
}else{
low = mid + 1;
}
}
return low;
}
}
作者:icecoding
链接:https://leetcode.cn/problems/search-insert-position/solutions/2804138/35sou-suo-wei-zhi-jie-fa-2-bu-shou-xian-sczkz/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
解法二:正常解法
class Solution {
public int searchInsert(int[] nums, int target) {
int low = 0;
int high = nums.length - 1; // []
while(low <= high){
int mid = (low + high) >>> 1;
if(target < nums[mid]){
high = mid - 1;
}else if(nums[mid] < target){
low = mid + 1;
}else{
return mid;
}
}
return low;
}
}
作者:icecoding
链接:https://leetcode.cn/problems/search-insert-position/solutions/2804118/35sou-suo-cha-ru-wei-zhi-by-cranky-gangu-8ksa/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。