Given an m x n binary grid grid where each 1 marks the home of one friend, return the minimal total travel distance.
The total travel distance is the sum of the distances between the houses of the friends and the meeting point.
The distance is calculated using Manhattan Distance, where distance(p1, p2) = |p2.x - p1.x| + |p2.y - p1.y|.
Example 1:
Input: grid = [[1,0,0,0,1],[0,0,0,0,0],[0,0,1,0,0]]
Output: 6
Explanation: Given three friends living at (0,0), (0,4), and (2,2).
The point (0,2) is an ideal meeting point, as the total travel distance of 2 + 2 + 2 = 6 is minimal.
So return 6.
implSolution{#[allow(dead_code)]pubfnmin_total_distance(grid:Vec<Vec<i32>>)->i32{letn=grid.len();letm=grid[0].len();letmutrow_vec=Vec::new();letmutcol_vec=Vec::new();// Initialize the two vectorforiin0..n{forjin0..m{ifgrid[i][j]==1{row_vec.push(iasi32);col_vec.push(jasi32);}}}// Since the row vector is originally sorted, we only need to sort the col vector herecol_vec.sort();Self::compute_manhattan_dis(&row_vec,row_vec[row_vec.len()/2])+Self::compute_manhattan_dis(&col_vec,col_vec[col_vec.len()/2])}#[allow(dead_code)]fncompute_manhattan_dis(v:&Vec<i32>,e:i32)->i32{letmutret=0;fornuminv{ret+=(num-e).abs();}ret}}