首页 > 代码库 > [leetcode]Search for a Range @ Python
[leetcode]Search for a Range @ Python
原题地址:https://oj.leetcode.com/problems/search-for-a-range/
题意:
Given a sorted array of integers, find the starting and ending position of a given target value.
Your algorithm‘s runtime complexity must be in the order of O(log n).
If the target is not found in the array, return [-1, -1]
.
For example,
Given [5, 7, 7, 8, 8, 10]
and target value 8,
return [3, 4]
.
解题思路:又是二分查找的变形。因为题目要求的时间复杂度是O(log n)。在二分查找到元素时,需要向前和向后遍历来找到target元素的起点和终点。
代码:
class Solution: # @param A, a list of integers # @param target, an integer to be searched # @return a list of length 2, [index1, index2] def searchRange(self, A, target): left = 0; right = len(A) - 1 while left <= right: mid = (left + right) / 2 if A[mid] > target: right = mid - 1 elif A[mid] < target: left = mid + 1 else: list = [0, 0] if A[left] == target: list[0] = left if A[right] == target: list[1] = right for i in range(mid, right+1): if A[i] != target: list[1] = i - 1; break for i in range(mid, left-1, -1): if A[i] != target: list[0] = i + 1; break return list return [-1, -1]
声明:以上内容来自用户投稿及互联网公开渠道收集整理发布,本网站不拥有所有权,未作人工编辑处理,也不承担相关法律责任,若内容有误或涉及侵权可进行投诉: 投诉/举报 工作人员会在5个工作日内联系你,一经查实,本站将立刻删除涉嫌侵权内容。