c语言for循环++
Here, we are going to calculate the value of Nth power of a number without using pow function.
在这里,我们将不使用pow函数来计算数字的N 次幂的值 。
The idea is using loop. We will be multiplying a number (initially with value 1) by the number input by user (of which we have to find the value of Nth power) for N times. For multiplying it by N times, we need to run our loop N times. Since we know the number of times loop will execute, so we are using for loop.
这个想法是使用循环。 我们将通过输入的号码被用户乘以一个数字(初始值为1)(其中我们必须找到的第 N功率值)为N次 。 为了将其乘以N倍,我们需要运行循环N次。 由于我们知道循环执行的次数,因此我们使用for循环。
Example:
例:
Input:
base: 5, power: 4
Output:
625
C ++代码使用循环查找数字的幂 (C++ code to find power of a number using loop)
#include <iostream>
using namespace std;
int main()
{
int num;
int a = 1;
int pw;
cout << "Enter a number: ";
cin >> num;
cout << "\n";
cout << "Enter a power : ";
cin >> pw;
cout << "\n";
for (int i = 1; i <= pw; i++) {
a = a * num;
}
cout << a;
return 0;
}
Output
输出量
Enter a number: 5
Enter a power : 4
625
翻译自: https://www.includehelp.com/cpp-programs/find-the-power-of-a-number-using-loop.aspx
c语言for循环++