递归爬楼梯算法

时间:2015-07-22 03:22:28

标签: java algorithm debugging recursion iteration

我正在尝试将以下算法从递归更改为迭代,并且遇到了问题。 (书:“破解编码面试。”)

问题:“一个孩子正在爬楼梯,有n个台阶,可以一次跳1个,2个或3个台阶。实施一种方法来计算孩子爬楼梯的方式。” / p>

书的回答(递归):

public static int countWays(int n, int[] map) {

    if (n < 0)
        return 0;
    if (n == 0)
        return 1;
    if (map[n] > -1)
        return map[n];

    map[n] = countWays(n - 1, map) + countWays(n - 2, map) + countWays(n - 3, map);

    return map[n];

}

我的回答(迭代):

public static int countWays(int n, int[] map) {

    for (int i = 1; i <= n; i++) {

        //Problem with writing it this way: index could be negative
        map[i] = map[i - 1] + map[i - 2] + map[i - 3];

    }

    return map[n];

}

我给出的答案中的一个问题是“map [i - 1] + map [i - 2] + map [i - 3]”这一行可能导致负指数,这会引发错误。

我的代码可能还有其他问题。

有人可以帮忙写一下吗?

4 个答案:

答案 0 :(得分:2)

您正在使用的迭代方法称为自下而上的动态编程。它与自上而下的递归和memoization不同。自下而上更有效率,因为您避免了与递归相关的堆栈开销。

Steps:
1 -> 1 = 1 way
2 -> 11, 2 = 2 ways
3 -> 111, 12, 21, 3 = 4 ways
4 -> 1111, 112, 121, 211, 22, 31, 31 = 7 ways

解决索引问题的另一种方法是创建一个最小大小为3的数组,并从第3个索引开始。您正在使用更多空间,但它简化了您的代码。

public int countWaysDP(int n) {
    if (n < 0) {
        throw new IllegalArgumentException();
    }
    int[] dp = new int[Math.max(3, n)];
    dp[0] = 1; // 1
    dp[1] = 2; // 11, 2
    dp[2] = 4; // 111, 12, 21, 3
    for (int i = 3; i < n; i++) {
        dp[i] = dp[i - 1] + dp[i - 2] + dp[i - 3];    
    }
    return dp[n - 1];
}

希望这有助于您的培训。

答案 1 :(得分:1)

将第一个索引硬编码为值1,然后将总和的每个项放在其自己的if语句中以检查否定索引。如果索引为负数,请不要将其包括在总和中。

或者,你可以硬编码前三个值,然后从4开始,不用担心它。

答案 2 :(得分:1)

public static int countWays(int n, int[] map) {

   if(n == 0 || n==1)
     return 1;
   if(n == 2)
     return 2;
   map[0] = 1;
   map[1] = 1;
   map[2] = 2;
   for (int i = 3; i <= n; i++) {

       //Problem with writing it this way: index could be negative
       map[i] = map[i - 1] + map[i - 2] + map[i - 3];

   }

return map[n];

}

答案 3 :(得分:-1)

由于这显然是一个编码面试问题......我将向您展示一个类似的审核解决方案In Scala,以帮助您学习基础知识。

import scala.annotation.tailrec

object Main {

/**
 * Count ways to make change...
 */
 def countChange(money: Int, coins: List[Int]): Int = {
    def reduce(money: Int, coins: List[Int]): Int ={
      if (money == 0) 1
      else if (money < 0 || coins.isEmpty) 0
      else reduce(money - coins.head, coins) + reduce(money, coins.tail)
    }
    reduce(money, coins)
  }
}