Home >Backend Development >Python Tutorial >How to Accurately Determine if a Number is a Perfect Square?
Determining if a number is a perfect square may seem straightforward, but relying on floating-point operations can be unreliable. For accuracy, it's crucial to employ integer-based approaches like the one presented below.
The algorithm leverages the Babylonian method of square root calculation. It iteratively estimates the square root by computing the average of the current estimate and the number divided by that estimate.
def is_square(apositiveint): x = apositiveint // 2 seen = set([x]) while x * x != apositiveint: x = (x + (apositiveint // x)) // 2 if x in seen: return False seen.add(x) return True
This method is proven to converge for any positive integer and halts if the number is not a perfect square, as the loop would perpetuate indefinitely.
Here's an example:
for i in range(110, 130): print i, is_square(i)
Output:
110 False 111 False 112 False 113 False 114 False 115 False 116 False 117 False 118 False 119 False 120 True 121 True 122 False 123 False 124 False 125 True 126 False 127 False 128 False 129 True
As seen above, the algorithm correctly identifies perfect squares, such as 120 and 125, while excluding non-perfect squares like 111 and 122.
For large integers, floating-point inaccuracies can become significant, potentially leading to erroneous results. To ensure precision, it's advisable to avoid utilizing floating-point operations for this task.
The above is the detailed content of How to Accurately Determine if a Number is a Perfect Square?. For more information, please follow other related articles on the PHP Chinese website!