Valid Perfect Square
Given a positive integernum, write a function which returns True ifnumis a perfect square else False.
Note:Do notuse any built-in library function such assqrt.
Example 1:
Input: 16
Returns: TrueExample 2:
Input: 14
Returns: FalseSolution
public boolean isPerfectSquare(int num) {
int i = 1;
while (num > 0) {
num -= i;
i += 2;
}
return num == 0;
}The time complexity is O(sqrt(n)), a more efficient one using binary search whose time complexity is O(log(n)):
One thing to note is that we have to use long for mid to avoid mid * mid from overflow. Also, you can use long type for low and high to avoid type casting for mid from long to int.
And a third way is to use Newton Method to calculate the square root or num, refer to Newton Method for details.
Last updated
Was this helpful?