Instagram
youtube
Facebook
Twitter

Calculate Power of a Number (Using while Loop)

A Python program to compute the power of a number using a while loop instead of the built-in pow() function.

Code Explanation in Short Points:

  1. Function Definition (calculate_power(base, exponent))
     
    • Initializes result = 1.
       
    • Uses a while loop to multiply result by base until exponent becomes 0.
       
    • Decreases exponent by 1 in each iteration.
       
    • Returns the final result.
       
  2. Taking User Input
     
    • The user enters values for base and exponent.
       
    • Inputs are converted to integers.
       
  3. Calling the Function
     
    • calculate_power(base, exponent) is executed with user inputs.
       
    • The computed power is stored in result.
       
  4. Printing the Result
     
    • Displays the final calculated power.

 

Program:

def calculate_power(base, exponent):

    result = 1

    while exponent > 0:

        result *= base

        exponent -= 1

    return result

base = int(input("Enter the base number: "))

exponent = int(input("Enter the exponent number: "))

result = calculate_power(base, exponent)

print("Result:", result)