mirror of
				https://github.com/krahets/hello-algo.git
				synced 2025-10-31 18:37:48 +08:00 
			
		
		
		
	 803c0e09c7
			
		
	
	803c0e09c7
	
	
	
		
			
			* update zig array list chapter * update not need change codes. * fix some pr issues and update time space chapter
		
			
				
	
	
		
			89 lines
		
	
	
		
			1.9 KiB
		
	
	
	
		
			Zig
		
	
	
	
	
	
			
		
		
	
	
			89 lines
		
	
	
		
			1.9 KiB
		
	
	
	
		
			Zig
		
	
	
	
	
	
| // File: recursion.zig
 | |
| // Created Time: 2023-09-27
 | |
| // Author: QiLOL (pikaqqpika@gmail.com), CreatorMetaSky (creator_meta_sky@163.com)
 | |
| 
 | |
| const std = @import("std");
 | |
| 
 | |
| // 递归函数
 | |
| fn recur(n: i32) i32 {
 | |
|     // 终止条件
 | |
|     if (n == 1) {
 | |
|         return 1;
 | |
|     }
 | |
|     // 递:递归调用
 | |
|     const res = recur(n - 1);
 | |
|     // 归:返回结果
 | |
|     return n + res;
 | |
| }
 | |
| 
 | |
| // 使用迭代模拟递归
 | |
| fn forLoopRecur(comptime n: i32) i32 {
 | |
|     // 使用一个显式的栈来模拟系统调用栈
 | |
|     var stack: [n]i32 = undefined;
 | |
|     var res: i32 = 0;
 | |
|     // 递:递归调用
 | |
|     var i: usize = n;
 | |
|     while (i > 0) {
 | |
|         stack[i - 1] = @intCast(i);
 | |
|         i -= 1;
 | |
|     }
 | |
|     // 归:返回结果
 | |
|     var index: usize = n;
 | |
|     while (index > 0) {
 | |
|         index -= 1;
 | |
|         res += stack[index];
 | |
|     }
 | |
|     // res = 1+2+3+...+n
 | |
|     return res;
 | |
| }
 | |
| 
 | |
| // 尾递归函数
 | |
| fn tailRecur(n: i32, res: i32) i32 {
 | |
|     // 终止条件
 | |
|     if (n == 0) {
 | |
|         return res;
 | |
|     }
 | |
|     // 尾递归调用
 | |
|     return tailRecur(n - 1, res + n);
 | |
| }
 | |
| 
 | |
| // 斐波那契数列
 | |
| fn fib(n: i32) i32 {
 | |
|     // 终止条件 f(1) = 0, f(2) = 1
 | |
|     if (n == 1 or n == 2) {
 | |
|         return n - 1;
 | |
|     }
 | |
|     // 递归调用 f(n) = f(n-1) + f(n-2)
 | |
|     const res: i32 = fib(n - 1) + fib(n - 2);
 | |
|     // 返回结果 f(n)
 | |
|     return res;
 | |
| }
 | |
| 
 | |
| // Driver Code
 | |
| pub fn run() void {
 | |
|     const n: i32 = 5;
 | |
|     var res: i32 = 0;
 | |
| 
 | |
|     res = recur(n);
 | |
|     std.debug.print("递归函数的求和结果 res = {}\n", .{recur(n)});
 | |
| 
 | |
|     res = forLoopRecur(n);
 | |
|     std.debug.print("使用迭代模拟递归的求和结果 res = {}\n", .{forLoopRecur(n)});
 | |
| 
 | |
|     res = tailRecur(n, 0);
 | |
|     std.debug.print("尾递归函数的求和结果 res = {}\n", .{tailRecur(n, 0)});
 | |
| 
 | |
|     res = fib(n);
 | |
|     std.debug.print("斐波那契数列的第 {} 项为 {}\n", .{ n, fib(n) });
 | |
| 
 | |
|     std.debug.print("\n", .{});
 | |
| }
 | |
| 
 | |
| pub fn main() void {
 | |
|     run();
 | |
| }
 | |
| 
 | |
| test "recursion" {
 | |
|     run();
 | |
| }
 |