In this example, you will learn to calculate the power of a number using recursion.
To
understand this example, you should have the knowledge of the following C
programming topics:
·        
C
Functions
·        
C
User-defined functions
·        
C
Recursion
Program to calculate power using recursion
#include < stdio.h >
int power(int n1, int n2);
int main() {
    int base, a, result;
    printf("Enter base number: ");
    scanf("%d", &base);
    printf("Enter power number(positive integer): ");
    scanf("%d", &a);
    result = power(base, a);
    printf("%d^%d = %d", base, a, result);
    return 0;
}
int power(int base, int a) {
    if (a != 0)
        return (base * power(base, a - 1));
    else
        return 1;
}Output
Enter base number: 3Enter power number(positive integer): 43^4 = 81You can also compute
the power of a number using a loop.
If you need to calculate
the power of a number raised to a decimal value, you can use the pow() library
function.