Idiom #264 Automated passing of array bounds
Pass a two-dimensional integer array a to a procedure foo and print the size of the array in each dimension. Do not pass the bounds manually. Call the procedure with a two-dimensional array.
fn foo(matrix: &[Vec<i32>]) {
let iter = matrix.iter();
let (vertical, _) = iter.size_hint();
let horizontal = iter
.max()
.expect("empty array!")
.len();
println!("{horizontal} by {vertical}");
}
fn main() {
let matrix = vec![
vec![1, 2, 3],
vec![4, 5, 6],
];
foo(&matrix);
}
'&[Vec<i32>]' because we just read the Vec instead of consuming it.
This is emphasised with the '&' in front of types inside the functions signature.
'&Vec' can be coerced to '&[...]', which is a borrowed 'slice'.
A 'slice' is an 'array' with an unknown size at compile time.
'(vertical, _)' because 'size_hint()' returns a lower and a possible upper bound (the '_' in this case).
'max()' may return 'None' if the iterator (in this case our array) is empty.
This is emphasised with the '&' in front of types inside the functions signature.
'&Vec' can be coerced to '&[...]', which is a borrowed 'slice'.
A 'slice' is an 'array' with an unknown size at compile time.
'(vertical, _)' because 'size_hint()' returns a lower and a possible upper bound (the '_' in this case).
'max()' may return 'None' if the iterator (in this case our array) is empty.