在C#中使用递归查找数字的幂
要找到数字的幂,首先设置数字和幂-
int n = 15; int p = 2;
现在创建一个方法并传递这些值-
static long power(int n, int p) { if (p != 0) { return (n * power(n, p - 1)); } return 1; }
上面,递归调用给了我们结果-
n * power(n, p - 1)
以下是获得数字幂的完整代码-
示例
using System; using System.IO; public class Demo { public static void Main(string[] args) { int n = 15; int p = 2; long res; res = power(n, p); Console.WriteLine(res); } static long power(int n, int p) { if (p != 0) { return (n * power(n, p - 1)); } return 1; } }
输出结果
225