Data Structure
Networking
RDBMS
Operating System
Java
MS Excel
iOS
HTML
CSS
Android
Python
C Programming
C++
C#
MongoDB
MySQL
Javascript
PHP
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
C program to calculate power of a given number
Take two integers from the user for base and exponent and calculate the power as explained below.
Example
Consider the following for writing a C program.
- Suppose base =3
- Exponent = 4
- Power=3*3*3*3
Algorithm
Follow the algorithm given below −
Step 1: Declare int and long variables. Step 2: Enter base value through console. Step 3: Enter exponent value through console. Step 4: While loop. Exponent !=0 i. Value *=base ii. –exponent Step 5: Print the result.
Example
The following program explains how to calculate power of given number in C language.
#include<stdio.h>
int main(){
int base, exponent;
long value = 1;
printf("Enter a base value:
");
scanf("%d", &base);
printf("Enter an exponent value: ");
scanf("%d", &exponent);
while (exponent != 0){
value *= base;
--exponent;
}
printf("result = %ld", value);
return 0;
}
Output
When the above program is executed, it produces the following result −
Run 1: Enter a base value: 5 Enter an exponent value: 4 result = 625 Run 2: Enter a base value: 8 Enter an exponent value: 3 result = 512
Example
If we want to find the power of real numbers, we can use pow function which is a predefined function present in math.h.
#include<math.h>
#include<stdio.h>
int main() {
double base, exponent, value;
printf("Enter a base value: ");
scanf("%lf", &base);
printf("Enter an exponent value: ");
scanf("%lf", &exponent);
// calculates the power
value = pow(base, exponent);
printf("%.1lf^%.1lf = %.2lf", base, exponent, value);
return 0;
}
Output
When the above program is executed, it produces the following result −
Enter a base value: 3.4 Enter an exponent value: 2.3 3.4^2.3 = 16.69
Advertisements