rustlings/exercises/error_handling/errors3.rs

31 lines
869 B
Rust
Raw Normal View History

2018-02-22 00:09:53 -06:00
// errors3.rs
2016-06-21 09:40:32 -05:00
// This is a program that is trying to use a completed version of the
2019-11-11 06:37:43 -06:00
// `total_cost` function from the previous exercise. It's not working though!
// Why not? What should we do to fix it?
// Execute `rustlings hint errors3` or use the `hint` watch subcommand for a hint.
2016-06-21 09:40:32 -05:00
use std::num::ParseIntError;
2023-02-23 13:07:12 -06:00
fn main() -> Result<(), ParseIntError> {
2016-06-21 09:40:32 -05:00
let mut tokens = 100;
let pretend_user_input = "8";
2018-11-09 13:31:14 -06:00
let cost = total_cost(pretend_user_input)?;
2016-06-21 09:40:32 -05:00
if cost > tokens {
println!("You can't afford that many!");
} else {
tokens -= cost;
println!("You now have {} tokens.", tokens);
}
2023-02-23 13:07:12 -06:00
Ok(())
2016-06-21 09:40:32 -05:00
}
pub fn total_cost(item_quantity: &str) -> Result<i32, ParseIntError> {
let processing_fee = 1;
let cost_per_item = 5;
2018-11-09 13:31:14 -06:00
let qty = item_quantity.parse::<i32>()?;
2016-06-21 09:40:32 -05:00
Ok(qty * cost_per_item + processing_fee)
}