Problem Description
Given a non-negative integer x, return the square root of x rounded down to the nearest integer. The returned integer should be non-negative as well.
Key Insights
- The square root of a number x is the value that, when multiplied by itself, gives x.
- Since we cannot use built-in exponent functions, we need to find the square root using an algorithmic approach.
- A binary search can efficiently find the integer square root by narrowing down the possible values.
- The square root of x will always be in the range of 0 to x.
Space and Time Complexity
Time Complexity: O(log x)
Space Complexity: O(1)
Solution
To solve the problem, we can use a binary search algorithm. The idea is to maintain a search range between 0 and x. We repeatedly check the middle value of the current range:
- If the square of the middle value is equal to x, we have found the square root.
- If the square is greater than x, we move our search to the left half.
- If the square is less than x, we move our search to the right half.
- We continue this process until our search range converges.
This approach guarantees that we efficiently find the largest integer whose square is less than or equal to x.