C++ Program to Calculate Power Using Recursion
In this example, we will learn how to calculates the power of a number using recursion where base and exponent is entered by the user.
To understand this example, you should have the knowledge of the following C++ programming topics:
Example: Program to Compute Power Using Recursion.
#include <iostream>
using namespace std;
int calculatePower(int, int);
int main()
{
int base, powerRaised, result;
cout << "Enter base number: ";
cin >> base;
cout << "Enter power number(positive integer): ";
cin >> powerRaised;
result = calculatePower(base, powerRaised);
cout << base << "^" << powerRaised << " = " << result;
return 0;
}
int calculatePower(int base, int powerRaised)
{
if (powerRaised != 0)
return (base*calculatePower(base, powerRaised-1));
else
return 1;
}
Output 1
Enter base number: 3 Enter power number(positive integer): 4 3^4 = 81
Working
In this program, This technique can only calculate power if the exponent is a positive integer.
To find power of any number, you can use pow()
function.
result = pow(base, exponent);
Next Example
We hope that this Example helped you develop better understanding of the concept of "Calculate The Power Using Recursion" in C++.
Keep Learning : )
In the next Example, we will learn about C++ Calculate Average Using Arrays
.