Cover Image for How to check for a perfect square in python
148 views

How to check for a perfect square in python

You can check if a number is a perfect square in Python by taking the square root of the number and checking if the result is an integer. If it is, then the number is a perfect square. Here’s an example:

Python
import math

def is_perfect_square(number):
    # Calculate the square root of the number
    square_root = math.sqrt(number)

    # Check if the square root is an integer
    return square_root.is_integer()

# Test cases
print(is_perfect_square(16))  # True (4 * 4)
print(is_perfect_square(25))  # True (5 * 5)
print(is_perfect_square(7))   # False

In this code:

  1. We import the math module to access the sqrt function for calculating the square root.
  2. The is_perfect_square function takes a number as its argument.
  3. We calculate the square root of the number using math.sqrt().
  4. We use the is_integer() method to check if the square root is an integer. If it is, the number is a perfect square, and the function returns True. Otherwise, it returns False.

This code can be used to determine if a given number is a perfect square or not.

YOU MAY ALSO LIKE...

The Tech Thunder

The Tech Thunder

The Tech Thunder


COMMENTS