当前位置:首页 > 行业动态 > 正文

c语言怎么表示一个数的幂

在C语言中,可以使用循环和乘法来表示一个数的幂,以下是详细的步骤:

1、初始化结果变量为1。

2、使用for循环,从0到n1(包括0和n1)。

3、在每次循环中,将结果变量乘以基数。

4、循环结束后,结果变量就是基数的n次幂。

以下是相应的C语言代码:

#include <stdio.h>
// 函数声明
double power(double base, int exponent);
int main() {
    double base;
    int exponent;
    printf("Enter base: ");
    scanf("%lf", &base);
    printf("Enter exponent: ");
    scanf("%d", &exponent);
    printf("%.2lf^%d = %.2lf", base, exponent, power(base, exponent));
    return 0;
}
// 函数定义
double power(double base, int exponent) {
    double result = 1.0;
    for (int i = 0; i < exponent; i++) {
        result *= base;
    }
    return result;
}

在这个程序中,我们首先从用户那里获取基数和指数,然后调用power函数计算结果。power函数使用一个for循环来计算基数的指数次幂,最后返回结果。

0