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.
This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.
/* *
* F i l e : r e c u r s i o n . s w i f t
* C r e a t e d T i m e : 2 0 2 3 - 0 9 - 0 2
* A u t h o r : n u o m i 1 ( n u o m i 1 @ q q . c o m )
*/
/* 递 归 */
func recur ( n : Int ) -> Int {
// 终 止 条 件
if n = = 1 {
return 1
}
// 递 : 递 归 调 用
let res = recur ( n : n - 1 )
// 归 : 返 回 结 果
return n + res
}
/* 使 用 迭 代 模 拟 递 归 */
func forLoopRecur ( n : Int ) -> Int {
// 使 用 一 个 显 式 的 栈 来 模 拟 系 统 调 用 栈
var stack : [ Int ] = [ ]
var res = 0
// 递 : 递 归 调 用
for i in ( 1 . . . n ) . reversed ( ) {
// 通 过 “ 入 栈 操 作 ” 模 拟 “ 递 ”
stack . append ( i )
}
// 归 : 返 回 结 果
while ! stack . isEmpty {
// 通 过 “ 出 栈 操 作 ” 模 拟 “ 归 ”
res += stack . removeLast ( )
}
// r e s = 1 + 2 + 3 + . . . + n
return res
}
/* 尾 递 归 */
func tailRecur ( n : Int , res : Int ) -> Int {
// 终 止 条 件
if n = = 0 {
return res
}
// 尾 递 归 调 用
return tailRecur ( n : n - 1 , res : res + n )
}
/* 斐 波 那 契 数 列 : 递 归 */
func fib ( n : Int ) -> Int {
// 终 止 条 件 f ( 1 ) = 0 , f ( 2 ) = 1
if n = = 1 || n = = 2 {
return n - 1
}
// 递 归 调 用 f ( n ) = f ( n - 1 ) + f ( n - 2 )
let res = fib ( n : n - 1 ) + fib ( n : n - 2 )
// 返 回 结 果 f ( n )
return res
}
@ main
enum Recursion {
/* D r i v e r C o d e */
static func main ( ) {
let n = 5
var res = 0
res = recursion . recur ( n : n )
print ( " \n 递归函数的求和结果 res = \( res ) " )
res = recursion . forLoopRecur ( n : n )
print ( " \n 使用迭代模拟递归求和结果 res = \( res ) " )
res = recursion . tailRecur ( n : n , res : 0 )
print ( " \n 尾递归函数的求和结果 res = \( res ) " )
res = recursion . fib ( n : n )
print ( " \n 斐波那契数列的第 \( n ) 项为 \( res ) " )
}
}