javascript O(logn)时间复杂度为O(logn)的二分查找算法

qqrboqgw  于 2022-12-02  发布在  Java
关注(0)|答案(1)|浏览(155)

[34][1]我在做一个leetcode问题
我想到了一个解决办法

  1. function firstAndLastOccurenceOfElement(arr, key, start, end){
  2. let mid = Math.floor((start + end)/2)
  3. if(start > end){
  4. return -1;
  5. }
  6. if(arr[mid] === key){
  7. firstOccurence = mid;
  8. lastOccurence = mid;
  9. let checkFirstOccurence = firstAndLastOccurenceOfElement(arr, key,start, mid -1)
  10. if(checkFirstOccurence < firstOccurence){
  11. firstOccurence =checkFirstOccurence
  12. }
  13. let checkLastOccurence = firstAndLastOccurenceOfElement(arr, key,mid +1, end)
  14. if(checkLastOccurence > lastOccurence){
  15. lastOccurence = checkLastOccurence
  16. }
  17. return [firstOccurence, lastOccurence]
  18. }
  19. if(arr[mid] > key){
  20. return firstAndLastOccurenceOfElement(arr, key, start, mid - 1)
  21. }
  22. if(arr[mid] < key){
  23. return firstAndLastOccurenceOfElement(arr, key, mid + 1 , end)
  24. }
  25. return -1;
  26. }
  27. let arr = [2, 5, 5, 5, 6, 6, 8, 9, 9, 9];
  28. let key = 5;
  29. console.log(firstAndLastOccurenceOfElement(arr, key, 0, arr.length - 1));

但是这个函数并没有找到第一个索引。对于上面的输入,它给出了如下的结果:

  1. [-1, 3]

我试过调试,但没有什么给予。这里出了什么问题?[1]:https://leetcode.com/problems/find-first-and-last-position-of-element-in-sorted-array/

wgx48brx

wgx48brx1#

飞镖解决方案

  1. class Solution {
  2. List<int> searchRange(List<int> nums, int target) {
  3. if (nums.isEmpty || !nums.contains(target)) {
  4. return [-1, -1];
  5. } else {
  6. return [nums.indexOf(target), nums.lastIndexOf(target)];
  7. }
  8. }
  9. }

相关问题