ARC031 B - 埋め立て

Calendar Clock iconCalendar Clock icon

atcoder

目次

# 問題

https://atcoder.jp/contests/arc031/tasks/arc031_2

# 入力

c1c2...c10c_1 c_2 ... c_{10}
c11c12...c20c_{11} c_{12} ... c_{20}
...
c91c92...c100c_{91} c_{92} ... c_{100}.

  • cic_i - xo.

# 出力

すべてのoが4近傍(上下左右)で繋がっているかどうかを判定する問題です.
ただし、任意の1マスだけxoに変えることが出来ます.

# 解説

H×WH \times W100100と十分小さいのですべてのxについてoに変換してみてoがすべて繋がるかを試してみることが出来ます.
全マスなのでざっくりと計算量はO(HW)=O(100)O(H W) = O(100)です.

すべてのマスが繋がっているかの確認には、深さ優先探索を使うことが出来ます.
oに変えたマスからスタートし、xに変更し、次の4近傍のうちoのところに進みます.
そしてxに変更し、・・・と進めなくなるまで繰り返します.
この深さ優先探索た終了したら、すべてのマスをチェックしてすべてxに変更されていたらすべてのoが繋がっていたと判定出来ます.
まだoが残っていたら繋がっておらず孤立していたということです.

このようにして、 bit全探索のうち1つでもすべてのoを繋げられるパターンを見つけたらその時点で答えは"YES"です.
最後まで見つけられなければ"NO"です.

# 計算量

bit全探索でO(HW)O(H W).
その中の深さ優先探索でO(HW)O(H W).

O((HW)2)O((H W)^2)

# 解答

// C++ 14
#include <iostream>
#include <string>
#include <vector>
#include <list>
#include <algorithm>
#include <queue>
#include <stack>
#include <set>
#include <map>
#include <unordered_map>
#include <math.h>

#define ll long long
#define Int int
#define loop(x, start, end) for(Int x = start; x < end; x++)
#define loopdown(x, start, end) for(int x = start; x > end; x--)
#define rep(n) for(int x = 0; x < n; x++)
#define span(a,x,y) a.begin()+x,a.begin()+y
#define span_all(a) a.begin(),a.end()
#define len(x) (x.size())
#define last(x) (*(x.end()-1))

using namespace std;
#define MAX_N 10

Int H, W;
vector<bool> C(MAX_N*MAX_N, true);

void input() {
  char x;
  H = W = 10;
  loop(h,0,H) {
    loop(w,0,W) {
      cin >> x;
      if (x == 'x') C[h*W + w] = false;
    }
  }
}

void dfs(Int x, Int y, Int depth, vector<bool> &c) {
  c[y*W+x] = false;
  loop(dy,-1,2) {
    loop(dx,-1,2) {
      if (dy != 0 && dx != 0) continue;
      Int x_ = x + dx, y_ = y + dy;
      if (x_ < 0 || W <= x_ || y_ < 0 || H <= y_) continue;
      if (!c[y_*W + x_]) continue;
      dfs(x_, y_, depth+1, c);
    }
  }
}

bool bit(Int x, Int y, vector<bool> c) {
  c[y*W+x] = true;
  dfs(x, y, 0, c);
  loop(h,0,H) {
    loop(w,0,W) {
      if (c[h*W+w]) return false;
    }
  }

  return true;
}

void solve() {
  loop(h,0,H) {
    loop(w,0,W) {
      if (bit(w, h, C)) {
        cout << "YES" << endl;
        return;
      }
    }
  }

  cout << "NO" << endl;
}

int main(void) {
  input();
  solve();
  return 0;
}

リモートフリーランス。ウェブサービス、スマホアプリエンジニア。
東アジアを拠点に世界を移動しながら活動してます!

お仕事のご依頼・お問い合わせはこちら

コメント