mirror of
https://github.com/ArthurDanjou/rustlings.git
synced 2026-02-05 06:07:50 +01:00
- Created empty solution files for various exercises in strings, modules, hashmaps, options, error handling, generics, traits, lifetimes, tests, iterators, smart pointers, threads, macros, clippy, conversions, and quizzes. - Each solution file contains a main function with a comment indicating that it will be automatically filled after completing the exercise. - Added a README.md file to provide information about the solutions and their purpose.
25 lines
601 B
Rust
25 lines
601 B
Rust
// Type casting in Rust is done via the usage of the `as` operator.
|
|
// Note that the `as` operator is not only used when type casting. It also helps
|
|
// with renaming imports.
|
|
|
|
fn average(values: &[f64]) -> f64 {
|
|
let total = values.iter().sum::<f64>();
|
|
// TODO: Make a conversion before dividing.
|
|
total / (values.len() as f64)
|
|
}
|
|
|
|
fn main() {
|
|
let values = [3.5, 0.3, 13.0, 11.7];
|
|
println!("{}", average(&values));
|
|
}
|
|
|
|
#[cfg(test)]
|
|
mod tests {
|
|
use super::*;
|
|
|
|
#[test]
|
|
fn returns_proper_type_and_value() {
|
|
assert_eq!(average(&[3.5, 0.3, 13.0, 11.7]), 7.125);
|
|
}
|
|
}
|