暴力--建物流中转站

链接:https://www.nowcoder.com/questionTerminal/c82efaf9e2cc42cda0a8ad795845eceb?orderByHotValue=1&mutiTagIds=1049&page=1&onlyReference=false
来源:牛客网
 

Shopee物流会有很多个中转站。在选址的过程中,会选择离用户最近的地方建一个物流中转站。

假设给你一个二维平面网格,每个格子是房子则为1,或者是空地则为0。找到一个空地修建一个物流中转站,使得这个物流中转站到所有的房子的距离之和最小。 能修建,则返回最小的距离和。如果无法修建,则返回 -1。

 

若范围限制在100*100以内的网格,如何计算出最小的距离和?

当平面网格非常大的情况下,如何避免不必要的计算?

 

输入描述:

4
0 1 1 0
1 1 0 1
0 0 1 0
0 0 0 0

先输入方阵阶数,然后逐行输入房子和空地的数据,以空格分隔。


 

输出描述:

8

能修建,则返回最小的距离和。如果无法修建,则返回 -1。

示例1

输入

4
0 1 1 0
1 1 0 1
0 0 1 0
0 0 0 0

输出

8

示例2

输入

4
1 1 1 1
1 1 1 1
1 1 1 1
1 1 1 1

输出

-1
#include
#include
using namespace std;

int main(){
    int n;int Result = 0;int MIN = 0x3f3f3f3f;
    scanf("%d",&n);
    vector> Arr(n,vector(n));
    vector> Zero;
    for(int i = 0;i < n;i ++){
        for(int j = 0;j < n;j ++){
            scanf("%d",&Arr[i][j]);
        }
    }
    int Flag = true;
    for(int i = 0;i < n;i ++){
        for(int j = 0;j < n;j ++){
            if(Arr[i][j] == 0){
                Zero.push_back(make_pair(i,j));
                Flag = false;
            }
        }
    }
    if(Flag){
        printf("-1\n");
        return 0;
    }
    for(auto it = Zero.begin();it != Zero.end();it ++){
        Result = 0;
        for(int i = 0;i < n;i ++){
            for(int j = 0;j < n;j ++){
                if(Arr[i][j] == 1){
                    Result += abs(i - it->first) + abs(j - it->second);
                }
            }
        }
        MIN = min(MIN,Result);
    }
    printf("%d\n",MIN);
    return 0;
}

 

你可能感兴趣的:(暴力--建物流中转站)