A - Live Love
Contest | The 2018 ICPC Asia Qingdao Regional Contest, Online |
Team AC Ratio | 1492/1550 (96.3%) |
Tutorial
The maximum number of consecutive PERFECTs is obviously \(m\).
Binary search for the minimum number of consecutive PERFECTs, denoted as \(x\). Then, at least one NON-PERFECT must be inserted between every \(x\) PERFECTs. Calculate whether the total length is less than or equal to \(n\).
The complexity is \(\mathcal{O}(\log m)\).
Solution
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 | #include <bits/stdc++.h>
using namespace std;
int n, m;
int calc(int lim) {
// if m is divided by lim
// there is no need to insert a NON-PERFECT after the last group of PERFECTS
if (m % lim == 0) return m / lim * (lim + 1) - 1;
else return m / lim * (lim + 1) + m % lim;
}
void solve() {
scanf("%d%d", &n, &m);
// corner case: 0 PERFECT
if (m == 0) { printf("0 0\n"); return; }
// the maximum number of consecutive PERFECTs is obviously m
printf("%d ", m);
// binary search for the minimum number of consecutive PERFECTs
int head = 1, tail = m;
while (head < tail) {
int mid = (head + tail) >> 1;
if (calc(mid) <= n) tail = mid;
else head = mid + 1;
}
printf("%d\n", head);
}
int main() {
int tcase; scanf("%d", &tcase);
while (tcase--) solve();
return 0;
}
|