summaryrefslogtreecommitdiff
path: root/rust-book/fibonacci
diff options
context:
space:
mode:
authorAdam Carpenter <53hornet@gmail.com>2019-03-27 15:32:37 -0400
committerAdam Carpenter <53hornet@gmail.com>2019-03-27 15:32:37 -0400
commit67cdcc2e12118becb823e20a40cc2687f2b8425a (patch)
treeed92c3234b89079e6d4cf36f5e80c5ffa79def48 /rust-book/fibonacci
parente25482fca375d318a39c3b54db396b0db6e0b263 (diff)
downloadlearning-rust-67cdcc2e12118becb823e20a40cc2687f2b8425a.tar.xz
learning-rust-67cdcc2e12118becb823e20a40cc2687f2b8425a.zip
Started Rust in Action MEAP.
Diffstat (limited to 'rust-book/fibonacci')
-rwxr-xr-xrust-book/fibonacci/Cargo.lock4
-rwxr-xr-xrust-book/fibonacci/Cargo.toml7
-rwxr-xr-xrust-book/fibonacci/src/main.rs31
3 files changed, 42 insertions, 0 deletions
diff --git a/rust-book/fibonacci/Cargo.lock b/rust-book/fibonacci/Cargo.lock
new file mode 100755
index 0000000..06aa71c
--- /dev/null
+++ b/rust-book/fibonacci/Cargo.lock
@@ -0,0 +1,4 @@
+[[package]]
+name = "fibonacci"
+version = "0.1.0"
+
diff --git a/rust-book/fibonacci/Cargo.toml b/rust-book/fibonacci/Cargo.toml
new file mode 100755
index 0000000..60bf227
--- /dev/null
+++ b/rust-book/fibonacci/Cargo.toml
@@ -0,0 +1,7 @@
+[package]
+name = "fibonacci"
+version = "0.1.0"
+authors = ["Adam Carpenter <adam.carpenter@adp.com>"]
+edition = "2018"
+
+[dependencies]
diff --git a/rust-book/fibonacci/src/main.rs b/rust-book/fibonacci/src/main.rs
new file mode 100755
index 0000000..0b4f22b
--- /dev/null
+++ b/rust-book/fibonacci/src/main.rs
@@ -0,0 +1,31 @@
+use std::env;
+
+fn fib(n: u32) -> u32 {
+
+ if n == 0 || n == 1 {
+ return n;
+ }
+ else {
+ return fib(n - 1) + fib(n - 2);
+ }
+
+}
+
+fn main() {
+ // grab iterations
+ let iterations: u32 = match env::args().nth(1) {
+ Some(s) => {
+ let attempt: u32 = s.trim().parse()
+ .expect("error: could not parse iterations");
+ attempt
+ },
+ None => {
+ eprintln!("error: usage: fibonacci [iterations]");
+ return;
+ },
+ };
+
+ for i in 0..iterations {
+ println!("{}", fib(i));
+ }
+}