用C语言函数头为double power(double x,int n)。在主函数中输入x、n并调用该函数求X
时间: 2024-03-10 07:48:28 浏览: 93
C语言函数的调用
5星 · 资源好评率100%
的n次方,最后输出计算结果。
以下是示例代码:
```c
#include <stdio.h>
double power(double x, int n);
int main() {
double x;
int n;
printf("请输入底数x和指数n:");
scanf("%lf%d", &x, &n);
double result = power(x, n);
printf("%g的%d次方结果为:%g\n", x, n, result);
return 0;
}
double power(double x, int n) {
double result = 1.0;
int i;
for (i = 0; i < n; i++) {
result *= x;
}
return result;
}
```
在该示例代码中,我们定义了一个名为`power`的函数,该函数接受两个参数:底数`x`和指数`n`,并返回`x`的`n`次方计算结果。在主函数中,我们从标准输入中读取用户输入的`x`和`n`,并调用`power`函数计算结果。最后,我们使用`printf`函数将结果输出到屏幕上。
阅读全文