Last active
August 29, 2015 14:22
-
-
Save yohhoy/74811f20fd8d002fb4c9 to your computer and use it in GitHub Desktop.
Problem 3, "Five programming problems every Software Engineer should be able to solve in less than 1 hour"
This file contains 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
// Problem 3 - https://blog.svpino.com/2015/05/07/five-programming-problems-every-software-engineer-should-be-able-to-solve-in-less-than-1-hour | |
// https://play.rust-lang.org/ | |
use std::ops::Add; | |
use std::fmt::{Debug, Formatter, Error}; | |
#[derive(Clone)] | |
struct MyUint(Vec<u8>); | |
impl Add for MyUint { | |
type Output = MyUint; | |
fn add(self, rhs: MyUint) -> MyUint { | |
let (mut lhs, mut rhs) = (self.0.into_iter(), rhs.0.into_iter()); | |
let mut carry = 0; | |
let mut seq = Vec::new(); | |
loop { | |
let n = match (lhs.next(), rhs.next()) { | |
(Some(l), Some(r)) => { l + r + carry }, | |
(Some(v), _) | (_, Some(v)) => { v + carry }, | |
_ => { | |
if 0 < carry { seq.push(carry) } | |
break; | |
} | |
}; | |
seq.push(n % 100); | |
carry = n / 100; | |
} | |
MyUint(seq) | |
} | |
} | |
impl Debug for MyUint { | |
fn fmt(&self, f: &mut Formatter) -> Result<(), Error> { | |
let mut s = String::new(); | |
for &n in (&self.0).iter() { | |
s = format!("{:02}{}", n, s); | |
} | |
if s.starts_with("0") { | |
s.remove(0); | |
} | |
write!(f, "{}", s) | |
} | |
} | |
fn fib(n: usize) -> Vec<MyUint> { | |
let mut seq = vec!(MyUint(vec!(0)), MyUint(vec!(1))); | |
if n < 3 { | |
return seq.into_iter().take(n as usize).collect(); | |
} | |
let (mut a, mut b) = (seq[0].clone(), seq[1].clone()); | |
for _ in 2..n { | |
let c = a + b.clone(); | |
seq.push(c.clone()); | |
a = b; | |
b = c; | |
} | |
seq | |
} | |
fn main() { | |
println!("fib={:?}", fib(100)); | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment