You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
hello-algo/zh-hant/codes/kotlin/chapter_dynamic_programming/climbing_stairs_dfs.kt

29 lines
571 B

/**
* File: climbing_stairs_dfs.kt
* Created Time: 2024-01-25
* Author: curtishd (1023632660@qq.com)
*/
package chapter_dynamic_programming
/* 搜尋 */
fun dfs(i: Int): Int {
// 已知 dp[1] 和 dp[2] ,返回之
if (i == 1 || i == 2) return i
// dp[i] = dp[i-1] + dp[i-2]
val count = dfs(i - 1) + dfs(i - 2)
return count
}
/* 爬樓梯:搜尋 */
fun climbingStairsDFS(n: Int): Int {
return dfs(n)
}
/* Driver Code */
fun main() {
val n = 9
val res = climbingStairsDFS(n)
println("$n 階樓梯共有 $res 種方案")
}