ながめも

競技プログラミングについて

AtCoder Grand Contest 044 AGC 044 B - Joker

問題へのリンク

解説

例えば N = 6のとき、各セルが外に出るときに嫌われる客の数の初期状態は以下のようになる

0 0 0 0 0 0
0 1 1 1 1 0
0 1 2 2 1 0
0 1 2 2 1 0
0 1 1 1 1 0
0 0 0 0 0 0

ここからあるセルが外に出た後の変化を調べたい。ここで、この初期状態のセルの値の和は \Theta(N^{3})のため、愚直に毎回更新しても計算量は \Theta(N^{3})になる。

更新は移動したセルからBFSやDFSで求めればよい。必要な情報は、セルに人がいるかどうかだけである。

実装

#include <bits/stdc++.h>

using namespace std;
#define rep(i, N) for(int i=0;i<int(N);++i)
#define print(v) { cerr<<#v<<": [ "; for(auto _ : v) cerr<<_<<", "; cerr<<"]"<<endl; }
typedef pair<int, int> i_i;
template<class T> using vec = vector<T>;
template<class T> using vvec = vector<vec<T>>;

template<class T>
inline bool chmin(T &a, T b) {
    if (a > b) {
        a = b;
        return true;
    }
    return false;
}


const int dx[8] = {1, 0, -1, 0, 1, -1, -1, 1};
const int dy[8] = {0, 1, 0, -1, 1, 1, -1, -1};
int N;
bool IsIn(int x, int y) {
    return 0 <= x && x < N && 0 <= y && y < N;
}
int main() {
    cin.tie(nullptr);
    ios::sync_with_stdio(false);

    cin >> N;
    vec<int> P(N * N);
    vvec<int> S(N, vec<int>(N));
    vvec<bool> isexist(N, vec<bool>(N, true));
    rep(i, N * N) {
        cin >> P[i];
        P[i]--;
    }
    rep(i, N)rep(j, N)S[i][j] = min({N - 1 - j, j, N - 1 - i, i});
    auto update = [&](int si, int sj) -> void {
        queue<i_i> q;
        q.push(make_pair(si, sj));
        while (not q.empty()) {
            int i, j;
            tie(i, j) = q.front();
            q.pop();
            rep(k, 4) {
                int ni = i + dx[k];
                int nj = j + dy[k];
                if (not IsIn(ni, nj))continue;
                if (chmin(S[ni][nj], S[i][j] + isexist[i][j])) {
                    q.push(make_pair(ni, nj));
                }
            }
        }
    };
    int ans = 0;
    rep(k, N * N) {
        int si = P[k] / N;
        int sj = P[k] % N;
        /*update*/
        ans += S[si][sj];
        isexist[si][sj] = false;
        update(si, sj);
    }
    cout << ans << endl;
}

感想

 N \lt 500 \Theta(N^{3})は通らないだろうと思って捨てた解法だった。悲しいが、更新の実装が割と非自明で本番実装できた気がしない。