[LeetCode]34 在排序数组中查找元素的第一个和最后一个位置

题目描述

给定一个按照升序排列的整数数组 nums,和一个目标值 target。找出给定目标值在数组中的开始位置和结束位置。

你的算法时间复杂度必须是 O(log n) 级别。

如果数组中不存在目标值,返回 [-1, -1]

示例1:

输入: nums = [5,7,7,8,8,10], target = 8
输出: [3,4]

示例2:

输入: nums = [5,7,7,8,8,10], target = 6
输出: [-1,-1]

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
class Solution:
def searchRange(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: List[int]
"""
import bisect
if not isinstance(nums, list) or not isinstance(target, int):
return
if not nums:
return [-1, -1]
length = len(nums)
left_Index = bisect.bisect_left(nums, target)
right_Index = bisect.bisect_right(nums, target) - 1
if left_Index > length - 1 or right_Index > length - 1 \
or nums[left_Index] != target or nums[right_Index] != target:
return [-1, -1]
return [left_Index, right_Index]