0
0
DSA Javascriptprogramming~5 mins

Binary Search Recursive Approach in DSA Javascript - Time & Space Complexity

Choose your learning style9 modes available
Time Complexity: Binary Search Recursive Approach
O(log n)
Understanding Time Complexity

We want to understand how the time taken by recursive binary search changes as the input size grows.

Specifically, how many steps does it take to find a number in a sorted list?

Scenario Under Consideration

Analyze the time complexity of the following code snippet.


function binarySearch(arr, target, left = 0, right = arr.length - 1) {
  if (left > right) return -1;
  const mid = Math.floor((left + right) / 2);
  if (arr[mid] === target) return mid;
  else if (arr[mid] > target) return binarySearch(arr, target, left, mid - 1);
  else return binarySearch(arr, target, mid + 1, right);
}
    

This code searches for a target number in a sorted array by repeatedly dividing the search range in half.

Identify Repeating Operations

Identify the loops, recursion, array traversals that repeat.

  • Primary operation: Recursive call that halves the search range each time.
  • How many times: At most, the function calls itself until the search range is empty, roughly halving the size each time.
How Execution Grows With Input

Each step cuts the search area in half, so the number of steps grows slowly as the list gets bigger.

Input Size (n)Approx. Operations
10About 4 steps
100About 7 steps
1000About 10 steps

Pattern observation: Doubling the input size adds only one extra step.

Final Time Complexity

Time Complexity: O(log n)

This means the number of steps grows slowly, increasing by one each time the input size doubles.

Common Mistake

[X] Wrong: "Binary search checks every element one by one, so it is O(n)."

[OK] Correct: Binary search does not check every element; it cuts the search area in half each time, so it needs far fewer steps.

Interview Connect

Understanding binary search time complexity shows you can analyze efficient algorithms that use divide and conquer, a key skill in many coding challenges.

Self-Check

"What if the array was not sorted? How would the time complexity of this search change?"