算法leetcode|35. 搜索插入位置(rust重拳出击)

Posted 二当家的白帽子

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了算法leetcode|35. 搜索插入位置(rust重拳出击)相关的知识,希望对你有一定的参考价值。


文章目录


35. 搜索插入位置:

给定一个排序数组和一个目标值,在数组中找到目标值,并返回其索引。如果目标值不存在于数组中,返回它将会被按顺序插入的位置。

请必须使用时间复杂度为 O(log n) 的算法。

样例 1:

输入: 
	nums = [1,3,5,6], target = 5
	
输出: 
	2

样例 2:

输入: 
	nums = [1,3,5,6], target = 2
	
输出: 
	1

样例 3:

输入: 
	nums = [1,3,5,6], target = 7
	
输出: 
	4

提示:

  • 1 <= nums.length <= 104
  • -104 <= nums[i] <= 104
  • nums 为 无重复元素 的 升序 排列数组
  • -104 <= target <= 104

分析:

  • 面对这道算法题目,二当家的陷入了沉思。
  • 有序数组中查找元素,而且要求时间复杂度为 O(log n) ,那肯定要用二分查找法了,但是题目还对目标不存在的返回值做了要求,要返回它将会被按顺序插入的位置,那可以统一逻辑为查找大于等于目标值的第一个位置。

题解:

rust

impl Solution 
    pub fn search_insert(nums: Vec<i32>, target: i32) -> i32 
        return nums.binary_search(&target).unwrap_or_else(|i|  i ) as i32;
    


go

func searchInsert(nums []int, target int) int 
    return sort.SearchInts(nums, target)


c++

class Solution 
public:
    int searchInsert(vector<int>& nums, int target) 
        return lower_bound(nums.begin(), nums.end(), target) - nums.begin();
    
;

c

int searchInsert(int* nums, int numsSize, int target)
    int left = 0, right = numsSize - 1, ans = numsSize;
    while (left <= right) 
        int mid = (left + right) >> 1;
        if (nums[mid] >= target) 
            right = mid - 1;
            ans = mid;
         else 
            left = mid + 1;
        
    
    return ans;


python

class Solution:
    def searchInsert(self, nums: List[int], target: int) -> int:
        left, right, ans = 0, len(nums) - 1, len(nums)
        while left <= right:
            mid = (left + right) >> 1
            if nums[mid] >= target:
                right = mid - 1
                ans = mid
            else:
                left = mid + 1
        return ans


java

class Solution 
    public int searchInsert(int[] nums, int target) 
        int left = 0, right = nums.length - 1, ans = nums.length;
        while (left <= right) 
            int mid = (right + left) >> 1;
            if (nums[mid] >= target) 
                ans = mid;
                right = mid - 1;
             else 
                left = mid + 1;
            
        
        return ans;
    


非常感谢你阅读本文~
欢迎【点赞】【收藏】【评论】~
放弃不难,但坚持一定很酷~
希望我们大家都能每天进步一点点~
本文由 二当家的白帽子:https://le-yi.blog.csdn.net/ 博客原创~


以上是关于算法leetcode|35. 搜索插入位置(rust重拳出击)的主要内容,如果未能解决你的问题,请参考以下文章

leetcode-35.搜索插入位置

LeetCode刷题35-简单-搜索插入位置

LeetCode刷题35-简单-搜索插入位置

Python描述 LeetCode 35. 搜索插入位置

Leetcode刷题Python35. 搜索插入位置

Leetcode刷题100天—35. 搜索插入位置(排序)—day19