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 ) " )
}
}