B. Counting-out Rhyme - Educational Codeforces Round 18
Solutions Codeforces 模拟 1300 Easy-
Lastmod: 2025-01-05 周日 12:40:53

https://codeforces.com/contest/792/problem/B

题目大意

给出 $n \ (\le 100)$ 个点的环,顺时针标号 $1 \sim n$,以及 $k \ (\le n - 1)$ 次操作 $a_i \ (\le 10^9)$。最初位置为 $1$。每次操作顺时针数 $a_i$ 个位置,之后把这个点删掉,位置变为删掉的下一个。输出删掉标号的序列。

简要题解

因为 $n$ 很小,所以把 $a_i$ 对当前环长取模后直接操作即可。(这题 1300??) 如果 $n$ 比较大,也是可以做的,这时候可以用平衡树模拟。 当 $n$ 更大且不能把所有点都插入平衡树的时候,可以用平衡树维护段。

复杂度

$T$:$O(nk \log n)$

$S$:$O(n)$

代码实现

#include <bits/stdc++.h>
using namespace std;

int io_=[](){ ios::sync_with_stdio(false); cin.tie(nullptr); return 0; }();

using LL = long long;
using ULL = unsigned long long;
using LD = long double;
using PII = pair<int, int>;
using VI = vector<int>;
using MII = map<int, int>;

template<typename T> void cmin(T &x,const T &y) { if(y<x) x=y; }
template<typename T> void cmax(T &x,const T &y) { if(x<y) x=y; }
template<typename T> bool ckmin(T &x,const T &y) { 
    return y<x ? (x=y, true) : false; }
template<typename T> bool ckmax(T &x,const T &y) { 
    return x<y ? (x=y, true) : false; }
template<typename T> void cmin(T &x,T &y,const T &z) {// x<=y<=z 
    if(z<x) { y=x; x=z; } else if(z<y) y=z; }
template<typename T> void cmax(T &x,T &y,const T &z) {// x>=y>=z
    if(x<z) { y=x; x=z; } else if(y<z) y=z; }

// mt19937 rnd(chrono::system_clock::now().time_since_epoch().count());
// mt19937_64 rnd_64(chrono::system_clock::now().time_since_epoch().count());

/*
---------1---------2---------3---------4---------5---------6---------7---------
1234567890123456789012345678901234567890123456789012345678901234567890123456789
*/

void solve() {
  int n, k; cin >> n >> k;
  int ai;

  set<int> valid;
  for (int i = 1; i <= n; i++) valid.insert(i);

  auto it = valid.find(1);
  for (int i = 0; i < k; i++) {
    cin >> ai;
    ai %= (n - i);

    while (ai--) {
      it++;
      if (it == valid.end()) {
        it = valid.begin();
      }
    }

    cout << *it << (" \n"[i == k - 1]);

    it = valid.erase(it);
    if (it == valid.end()) {
      it = valid.begin();
    }
  }
}

int main() {
  int t = 1; 
  // cin >> t;
  while (t--) {
    solve();
  }
  return 0;
}
Prev: C. Divide by Three - Educational Codeforces Round 18
Next: B. Odd sum - Educational Codeforces Round 19