70 搜索插入位置

搜索插入位置

    • [题解1 二分查找](#题解1 二分查找)
    • [题解2 STL大法](#题解2 STL大法)

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

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

示例 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 <= 1 0 4 10^4 104
  • − 1 0 4 -10^4 −104 <= nums[i] <= 1 0 4 10^4 104
  • nums无重复元素升序 排列数组
  • − 1 0 4 -10^4 −104 <= target <= 1 0 4 10^4 104

题解1 二分查找

cpp 复制代码
class Solution {
public:
    int searchInsert(vector<int>& nums, int target) {
        int len = nums.size();
        int left = 0;
        int right = len-1;
        int pos = 0;
        while(left <= right){
            int mid = (left+right) >> 1;
            if(nums[mid] == target) return mid;
            else if(nums[mid] < target){
                left = mid+1;
                // left就是升序情况下 应该插入的位置
                pos = left;
            }else{
                right = mid-1;
            }
        }
        return pos;
    }
};


防越界写法

cpp 复制代码
class Solution {
public:
    int searchInsert(vector<int>& nums, int target) {
        int n = nums.size();
        int left = 0, right = n - 1, ans = n;
        while (left <= right) {
            int mid = ((right - left) >> 1) + left;
            if (target <= nums[mid]) {
            // mid = left + (difference)>>1 (Key: 找到第一个下标,对应值 >= target)
                ans = mid;
                right = mid - 1;
            } else {
                left = mid + 1;
            }
        }
        return ans;
    }
};

题解2 STL大法

cpp 复制代码
class Solution {
public:
    int searchInsert(vector<int>& nums, int target) {
        auto it = find(nums.begin(),nums.end(),target);
        if(it!=nums.end()){
            return it-nums.begin();
        }
        auto first =lower_bound(nums.begin(), nums.end(), target);
        return first-nums.begin();
    }
};

两行

cpp 复制代码
class Solution {
public:
    int searchInsert(vector<int>& nums, int target) {
        auto st = nums.cbegin(), ed = nums.cend();
        return lower_bound(st, ed, target) - st;
    }
};
相关推荐
凤城老人21 小时前
C++使用拉玛努金公式计算π的值
开发语言·c++·算法
纪元A梦1 天前
贪心算法应用:配送路径优化问题详解
算法·贪心算法
C_player_0011 天前
——贪心算法——
c++·算法·贪心算法
kyle~1 天前
排序---插入排序(Insertion Sort)
c语言·数据结构·c++·算法·排序算法
Boop_wu1 天前
[数据结构] 队列 (Queue)
java·jvm·算法
hn小菜鸡1 天前
LeetCode 3643.垂直翻转子矩阵
算法·leetcode·矩阵
2301_770373731 天前
数据结构之跳表
数据结构
散1121 天前
01数据结构-初探动态规划
数据结构·动态规划
ゞ 正在缓冲99%…1 天前
leetcode101.对称二叉树
算法
YuTaoShao1 天前
【LeetCode 每日一题】3000. 对角线最长的矩形的面积
算法·leetcode·职场和发展