Created
November 22, 2016 16:37
-
-
Save conundrumer/acf4ea719ecb6e79bd88ef6b1b6b6f0b to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
fn fib(n: u64) -> u64 { | |
match n { | |
0 => 1, | |
1 => 1, | |
_ => fib(n - 1) + fib(n - 2) | |
} | |
} | |
fn fib_fast(n: u64) -> u64 { | |
let mut seen = vec![None; 1 + n as usize]; | |
fn fib_with_seen(n: u64, seen: &mut Vec<Option<u64>>) -> u64 { | |
match seen[n as usize] { | |
Some(x) => x, | |
None => { | |
let x = match n { | |
0 => 1, | |
1 => 1, | |
_ => fib_with_seen(n - 1, seen) + fib_with_seen(n - 2, seen) | |
}; | |
seen[n as usize] = Some(x); | |
x | |
} | |
} | |
} | |
fib_with_seen(n, &mut seen) | |
} | |
fn main() { | |
for i in 35..40 { // SLOW!!! | |
println!("fib({}) = {}", i, fib(i)); | |
} | |
for i in 35..93 { // > 92 causes integer overflow | |
println!("fib_fast({}) = {}", i, fib_fast(i)); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment