var | desc |
---|---|
Size of array | |
Integers array contains |
In this exercise we get an array of
If we consider this array:
3 | 2 | 5 | 1 | 7 |
---|
We can observe here that
3 | 3 | 5 | 1 | 7 |
---|
Then
3 | 3 | 5 | 5 | 7 |
---|
We now have an array which is increasing. So every element is at least as large as the previous one.
We had to increment
This time we will index into the array rather than peeking because we are mutating its content.
We check in each iteration if array[i]
is smaller than array[i - 1]
starting at index 1. Or in other words: Is the current value at index
If it is we get the difference between the two values and store it in a variable. This will represent the amount of moves we had to take. Then we assign the previous value array[i - 1]
to the current element array[i]
. That means the current element is now as large as the previous element.
In Rust 🦀 code:
fn main() {
let mut inp: Vec<u64> = std::io::read_to_string(std::io::stdin())
.unwrap()
.lines()
.skip(1)
.flat_map(|s| s.split_whitespace())
.map(|n| n.parse::<u64>().unwrap())
.collect();
let mut res = 0;
for i in 1..inp.len() {
if inp[i] < inp[i - 1] {
res += inp[i - 1] - inp[i];
inp[i] = inp[i - 1];
}
}
println!("{res}");
}