Instagram
youtube
Facebook
Twitter

Check if a Given Number is Perfect

A Python program to check if a given number is a perfect number by summing its proper divisors.

Code Explanation in Points:

  1. Function Definition:
     
    • is_perfect(n) checks if a number n is a perfect number.
       
  2. Initialize Sum of Divisors:
     
    • sum_div = 0 → Stores the sum of all divisors of n.
       
  3. Loop to Find Divisors:
     
    • Iterate i from 1 to n-1.
       
    • If n % i == 0, add i to sum_div.
       
  4. Compare Sum with n:
     
    • If sum_div == nn is a Perfect Number (returns True).
       
    • Else → n is Not a Perfect Number (returns False).
       
  5. User Input and Function Call:
     
    • Take input (num) from the user.
       
    • Call is_perfect(num) and print the result.

 

Program:

def is_perfect(n):

    sum_div = 0  

    for i in range(1, n):  

        if n % i == 0:  

            sum_div += i  



    return sum_div == n  



num = int(input("Enter a number: "))  



if is_perfect(num):  

    print(num, "is a Perfect Number")  

else:  

    print(num, "is NOT a Perfect Number")