Exercise: Iterator Method Chaining

In this exercise, you will need to find and use some of the provided methods in the Iterator trait to implement a complex calculation.

Copy the following code to https://play.rust-lang.org/ and make the tests pass. Use an iterator expression and collect the result to construct the return value.

  1. #![allow(unused)]
  2. fn main() {
  3. /// Calculate the differences between elements of `values` offset by `offset`,
  4. /// wrapping around from the end of `values` to the beginning.
  5. ///
  6. /// Element `n` of the result is `values[(n+offset)%len] - values[n]`.
  7. fn offset_differences(offset: usize, values: Vec<i32>) -> Vec<i32> {
  8.     unimplemented!()
  9. }
  10. #[test]
  11. fn test_offset_one() {
  12.     assert_eq!(offset_differences(1, vec![1, 3, 5, 7]), vec![2, 2, 2, -6]);
  13.     assert_eq!(offset_differences(1, vec![1, 3, 5]), vec![2, 2, -4]);
  14.     assert_eq!(offset_differences(1, vec![1, 3]), vec![2, -2]);
  15. }
  16. #[test]
  17. fn test_larger_offsets() {
  18.     assert_eq!(offset_differences(2, vec![1, 3, 5, 7]), vec![4, 4, -4, -4]);
  19.     assert_eq!(offset_differences(3, vec![1, 3, 5, 7]), vec![6, -2, -2, -2]);
  20.     assert_eq!(offset_differences(4, vec![1, 3, 5, 7]), vec![0, 0, 0, 0]);
  21.     assert_eq!(offset_differences(5, vec![1, 3, 5, 7]), vec![2, 2, 2, -6]);
  22. }
  23. #[test]
  24. fn test_degenerate_cases() {
  25.     assert_eq!(offset_differences(1, vec![0]), vec![0]);
  26.     assert_eq!(offset_differences(1, vec![1]), vec![0]);
  27.     let empty: Vec<i32> = vec![];
  28.     assert_eq!(offset_differences(1, empty), vec![]);
  29. }
  30. }