Codeforces354-div2B Pyramid of Glasses

Problem - B - Codeforces

Mary has just graduated from one well-known University and is now attending celebration party. Students like to dream of a beautiful life, so they used champagne glasses to construct a small pyramid. The height of the pyramid is n.

グラスがピラミッドのように並んでいる.上から段目には個のグラスがある.そのグラスがいっぱいになった時は段下のグラスに均等に注がれる.秒後にいっぱいになっているグラスはいくつあるか?

実際にグラフを作って,グラスから 秒ずつ流していく.グラフは, 段目の頂点は(自分の番号 ), (自分の番号)と繋がるようにした.

流す量を から初めて,いっぱいになっている場合は,その半分を繋がっている頂点に流す.流れる量は必ず という形になり, は最大で 段なので誤差無く保持出来る(はず).

Code

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
#include <iostream>
#include <vector>
#include <string>
#include <cstring>
#include <algorithm>
#include <sstream>
#include <map>
#include <set>

#define REP(i,k,n) for(int i=k;i<n;i++)
#define rep(i,n) for(int i=0;i<n;i++)
#define INF 1<<30
#define pb push_back
#define mp make_pair

using namespace std;
typedef long long ll;
typedef pair<int,int> P;

vector<int> g[105];
double v[105];

void dfs(int cur, double x) {
  if(v[cur] == 1.0) {
      rep(i, g[cur].size()) {
          dfs(g[cur][i], x / 2.0);
      }
  } else {
      v[cur] += x;
      return;
  }
}

int main() {
  int n, t;
  cin >> n >> t;

  int m = (n * (n+1) ) / 2;

  memset(v, 0, sizeof(v));
  int id = 0, len = 1;
  rep(i, n-1) {
      rep(j, i+1) {
          g[id].push_back(id + len);
          g[id].push_back(id + len+1);
          id++;
      }
      len++;
  }

  rep(i, t) {
      dfs(0, 1.0);
  }

  int cnt = 0;
  rep(i, m) {
      if(v[i] >= 1.0) cnt++;
  }

  cout << cnt << endl;

  return 0;
}