Idea: vovuh
Tutorial
Tutorial is loading...
Solution
#include <bits/stdc++.h>
using namespace std;
int main() {
#ifdef _DEBUG
freopen("input.txt", "r", stdin);
// freopen("output.txt", "w", stdout);
#endif
int t;
cin >> t;
while (t--) {
int n;
cin >> n;
int sum = 0;
bool odd = false, even = false;
for (int i = 0; i < n; ++i) {
int x;
cin >> x;
sum += x;
odd |= x % 2 != 0;
even |= x % 2 == 0;
}
if (sum % 2 != 0 || (odd && even)) cout << "YES" << endl;
else cout << "NO" << endl;
}
return 0;
}
Idea: vovuh
Tutorial
Tutorial is loading...
Solution
#include <bits/stdc++.h>
using namespace std;
int main() {
#ifdef _DEBUG
freopen("input.txt", "r", stdin);
// freopen("output.txt", "w", stdout);
#endif
int t;
cin >> t;
while (t--) {
int s;
cin >> s;
int ans = 0;
int pw = 1000 * 1000 * 1000;
while (s > 0) {
while (s < pw) pw /= 10;
ans += pw;
s -= pw - pw / 10;
}
cout << ans << endl;
}
return 0;
}
1296C - Yet Another Walking Robot
Idea: MikeMirzayanov
Tutorial
Tutorial is loading...
Solution
#include <bits/stdc++.h>
using namespace std;
int main() {
#ifdef _DEBUG
freopen("input.txt", "r", stdin);
// freopen("output.txt", "w", stdout);
#endif
int t;
cin >> t;
while (t--) {
int n;
string s;
cin >> n >> s;
int l = -1, r = n;
map<pair<int, int>, int> vis;
pair<int, int> cur = {0, 0};
vis[cur] = 0;
for (int i = 0; i < n; ++i) {
if (s[i] == 'L') --cur.first;
if (s[i] == 'R') ++cur.first;
if (s[i] == 'U') ++cur.second;
if (s[i] == 'D') --cur.second;
if (vis.count(cur)) {
if (i - vis[cur] + 1 < r - l + 1) {
l = vis[cur];
r = i;
}
}
vis[cur] = i + 1;
}
if (l == -1) {
cout << -1 << endl;
} else {
cout << l + 1 << " " << r + 1 << endl;
}
}
return 0;
}
Inspiration: 300iq, idea: vovuh
Tutorial
Tutorial is loading...
Solution
#include <bits/stdc++.h>
using namespace std;
int main() {
#ifdef _DEBUG
freopen("input.txt", "r", stdin);
// freopen("output.txt", "w", stdout);
#endif
int n, a, b, k;
cin >> n >> a >> b >> k;
vector<int> h(n);
for (int i = 0; i < n; ++i) {
cin >> h[i];
h[i] %= a + b;
if (h[i] == 0) h[i] += a + b;
h[i] = ((h[i] + a - 1) / a) - 1;
}
sort(h.begin(), h.end());
int ans = 0;
for (int i = 0; i < n; ++i) {
if (k - h[i] < 0) break;
++ans;
k -= h[i];
}
cout << ans << endl;
return 0;
}
1296E1 - String Coloring (easy version)
Idea: MikeMirzayanov
Tutorial
Tutorial is loading...
Solution (dp)
#include <bits/stdc++.h>
using namespace std;
const int N = 222;
const int AL = 26;
bool dp[N][AL][AL];
pair<pair<int, int>, int> p[N][AL][AL];
int main() {
#ifdef _DEBUG
freopen("input.txt", "r", stdin);
// freopen("output.txt", "w", stdout);
#endif
int n;
string s;
cin >> n >> s;
dp[0][0][0] = 1;
for (int i = 0; i < n; ++i) {
int c = s[i] - 'a';
for (int c1 = 0; c1 < AL; ++c1) {
for (int c2 = 0; c2 < AL; ++c2) {
if (!dp[i][c1][c2]) continue;
if (c >= c1) {
dp[i + 1][c][c2] = 1;
p[i + 1][c][c2] = make_pair(make_pair(c1, c2), 0);
}
if (c >= c2) {
dp[i + 1][c1][c] = 1;
p[i + 1][c1][c] = make_pair(make_pair(c1, c2), 1);
}
}
}
}
int x = -1, y = -1;
for (int c1 = 0; c1 < AL; ++c1) {
for (int c2 = 0; c2 < AL; ++c2) {
if (dp[n][c1][c2]) {
x = c1, y = c2;
}
}
}
if (x == -1) {
cout << "NO" << endl;
return 0;
}
string res;
for (int i = n; i > 0; --i) {
int prvx = p[i][x][y].first.first;
int prvy = p[i][x][y].first.second;
if (p[i][x][y].second) res += '1';
else res += '0';
x = prvx;
y = prvy;
}
reverse(res.begin(), res.end());
cout << "YES" << endl << res << endl;
return 0;
}
Solution (greedy)
#include <bits/stdc++.h>
using namespace std;
int main() {
#ifdef _DEBUG
freopen("input.txt", "r", stdin);
// freopen("output.txt", "w", stdout);
#endif
int n;
string s;
cin >> n >> s;
string res;
char lst0 = 'a', lst1 = 'a';
for (int i = 0; i < n; ++i) {
if (s[i] >= lst0) {
res += '0';
lst0 = s[i];
} else if (s[i] >= lst1) {
res += '1';
lst1 = s[i];
} else {
cout << "NO" << endl;
return 0;
}
}
cout << "YES" << endl << res << endl;
return 0;
}
1296E2 - String Coloring (hard version)
Idea: MikeMirzayanov
Tutorial
Tutorial is loading...
Solution
#include <bits/stdc++.h>
using namespace std;
int main() {
#ifdef _DEBUG
freopen("input.txt", "r", stdin);
// freopen("output.txt", "w", stdout);
#endif
int n;
string s;
cin >> n >> s;
vector<int> maxdp(26);
vector<int> dp(n, 1);
for (int i = 0; i < n; ++i) {
for (int c = 25; c > s[i] - 'a'; --c) {
dp[i] = max(dp[i], maxdp[c] + 1);
}
maxdp[s[i] - 'a'] = max(maxdp[s[i] - 'a'], dp[i]);
}
cout << *max_element(maxdp.begin(), maxdp.end()) << endl;
for (int i = 0; i < n; ++i) cout << dp[i] << " ";
cout << endl;
return 0;
}
Idea: MikeMirzayanov
Tutorial
Tutorial is loading...
Solution
#include <bits/stdc++.h>
using namespace std;
int n, m;
vector<int> val;
vector<vector<pair<int, int>>> g;
void dfs(int v, int pv, int pe, vector<pair<int, int>> &p) {
p[v] = make_pair(pv, pe);
for (auto it : g[v]) {
int to = it.first;
int idx = it.second;
if (to == pv) continue;
dfs(to, v, idx, p);
}
}
int main() {
#ifdef _DEBUG
freopen("input.txt", "r", stdin);
// freopen("output.txt", "w", stdout);
#endif
cin >> n;
g = vector<vector<pair<int, int>>>(n);
for (int i = 0; i < n - 1; ++i) {
int u, v;
cin >> u >> v;
--u, --v;
g[u].push_back(make_pair(v, i));
g[v].push_back(make_pair(u, i));
}
vector<vector<pair<int, int>>> p(n, vector<pair<int, int>>(n));
for (int i = 0; i < n; ++i) {
dfs(i, -1, -1, p[i]);
}
val = vector<int>(n - 1, 1000000);
cin >> m;
vector<pair<pair<int, int>, int>> q(m);
for (int i = 0; i < m; ++i) {
cin >> q[i].first.first >> q[i].first.second >> q[i].second;
--q[i].first.first;
--q[i].first.second;
}
sort(q.begin(), q.end(), [&](pair<pair<int, int>, int> a, pair<pair<int, int>, int> b) {
return a.second < b.second;
});
for (int i = 0; i < m; ++i) {
int u = q[i].first.first;
int v = q[i].first.second;
while (v != u) {
int pv = p[u][v].first;
int pe = p[u][v].second;
val[pe] = q[i].second;
v = pv;
}
}
for (int i = 0; i < m; ++i) {
int u = q[i].first.first;
int v = q[i].first.second;
int mx = 1000000;
while (v != u) {
int pv = p[u][v].first;
int pe = p[u][v].second;
mx = min(mx, val[pe]);
v = pv;
}
if (mx != q[i].second) {
cout << -1 << endl;
return 0;
}
}
for (int i = 0; i < n - 1; ++i) {
cout << val[i] << " ";
}
cout << endl;
return 0;
}
It was really nice round. Wish everyone's rating to increase.
I can solve F like this: for every edge E find the maximum number that appears in the pathes that contain E and set that number for e. After all check if there is a contradiction the answer is -1, otherwise output the edge numbers. Its complexity is O(n*m). Does anybody has any better solution?
I used a maximum matching algorithm between the queries (A set) and the edges of the original graph (B set). In the flow network there is an edge with capacity 1 between an element of the first set and the second set if the value of that query is greater or equal than the minimum value that an edge from the B set must have.
After running the maximum matching algorithm, assign the values of the queries matched to the elements of the B set and check if the resulting graph doesn't have any contradiction.
Using Hopcroft-Karp the complexity is around the same as you said.
What wrong with the community? Although the comment's approach may be (overly) complicated, it offers a new perspective to the problem. We should point out what makes this approach bad or what can be done to improve. Even you cannot understand it, you can ask for clarification. What's the point for just down-voting without making any comments?
Wanna ask why your approach's complexity is around $$$O(nm)$$$. I assume you are building a flow network with $$$n \cdot m$$$ edges, and the complexity of running Hopcroft-Karp in your network should be $$$O(nm*\sqrt{n+m})$$$. Also, did you do anything to keep your constants low?
IMO the observation 'the minimum value that an edge can have is a valid config if and only if there exists a valid config' is not that intuitive. The proof is not that straight forward either. What the comment writer did is to use maximum matching to construct an answer that would be 'more probably' to be correct. Anyway, for me personally, I would not code a flow for that, at least in a div 3 contest.
Sorry for you getting so many downvotes. :C
Oh... I mistook the square root on the edges not the nodes so I thought it was around the same complexity. Anyway, this solution uses a lot of memory, I had to reduce my variables to short to pass.
I also thought that a match would not occur in two possible situations: when the query on set A is the result of a combination of other queries paths or when it's really impossible to set the edge as a value and not contradict other queries. So at the end I would check if all paths do not contradict which would also check if the queries that were combination are consistent with the values.
Okay. At first set all edges to $$$10^6$$$ Let's iterate over paths in non-decreasing order of $$$g_i$$$. Now notice that we can simply set $$$g_i$$$ to all edges in the current path to make tree correct for the current path. After making this with all queries find the minimum on each path and compare it with the needed one. Now we have queries of 2 types:
Set some value on the path
Get minimum on path
This can be done using Heavy-Light Decomposition and a segment tree in $$$O(mlog^2n)$$$ :D
Great solution, can you pls tell me why should we go only in non-decreasing order of gi ?
You notice that for every query, all of the edges on that query must be at least the number given. Therefore, when we go in non-decreasing order, we never violate any previously processed queries unless the whole path of the original query is covered. This allows us to process each query only once in O(log^2 n) with HLD + Segment Tree as mentioned above, giving a total complexity of O(mlog^2 n)
If the explanation above isn't enough, you can read my explanation here
Could you please explain how to check if there is a contradiction and what's the time complexity of it?
Do you mean checking if the answer is $$$-1$$$? You have an information that the minimum on the path between $$$a_i$$$ and $$$b_i$$$ is $$$g_i$$$. Heavy-light decomposition can answer query $$$minimum$$$ $$$on$$$ $$$the$$$ $$$path$$$ in $$$O(nlog^2n)$$$ time using a segment tree. To check if our answer is correct just iterate over all given paths and check if the minimum on the $$$i$$$th path is equal to $$$g_i$$$. If not, the answer is $$$-1$$$
but the cfmaster guy said the complexity is $$$O(mn)$$$, so idk how he did it, or maybe he just made a mistake?
Now I get you
i used this solution too, but i can't prove that true.
For F, Can anyone tell me any optimization in my code!
Time limit exceeded on test 268 :(
https://codeforces.net/contest/1296/submission/70317535
Thanks!!
probably your solution runs in $$$O(n^2logn)$$$ which is a bit high if your constant factors in time complexity are large. Using unordered_map + a good hash function will pass the tests.
actually my solutions has the complexity that you said and i didnt use unordered_map and it got AC !
Yeah, I was using Maps for no reason while I could have used 2D array. I changed that and now its working.
To store the edges you could just store the edge that goes from v to i that v is parent of i as f[i]
Thanks for this round! Waiting for another Div.3 rounds :)
We have a direct formula in B, that is
(s-1)/9+s;
.snorkel can you give a proof for this claim?
can you explain the formula please?
Well this is a bit off-topic ; but is anyone else also experiencing some un-expected indentations in their codes in codeforces submissions ?
As for example : code 1 — https://codeforces.net/contest/1296/submission/70274974
code 2 — https://ideone.com/126Qo1
These are exact same codes ; just codeforces does some un-usual indentations
Example 2 : code 1 — https://codeforces.net/contest/1296/submission/70317304
code 2 — https://ideone.com/DtpiMq
Any take on this ? maybe MikeMirzayanov ?
The problem is that the width of tabs on codeforces are 8 while on ideone are translated into 4, and your editor uses a mixture of spaces and tabs.
But then if this is the case ; then I think this should have happened with every single code every single time. But actually this problem never occurred before. I am just seeing it now.
Do you know how to fix the problem?
The key is consistency.
You may either try to replace all occurences of $$$4$$$ consecutive spaces to tabs, which will look the same on ideone. On Codeforces it will look much wider (tabstop size = $$$8$$$).
OR
You may convert all tabs to $$$4$$$ consecutive spaces. It will look the same both on ideone and Codeforces.
:)
Do basically in D, we could kill monsters in any order?
You must kill monsters in given order, but the final answer has nothing to do with the order. After the sort() you could know which monsters to kill(by using secret technique) to get the maximum answer, then you could kill them in the previous order and the answer will not change.
I did not understand why the order doesn't play a role?
It is because we can let our opponent kill the target we don't want to kill and kill only the ones which our greedy strategy provided......that's the reason why order doesn't matter because we can manipulate our opponent as we wish making him kill the unwanted enemies...cruel XD
I used Bubble Sort to solve E1 ->70281553 and I wonder if it's correct.
By the way, What are A and L represent in E1's tutorial
Thanks qwq
alphabet (AL) size, i.e. 26 (a, b, ...., z)
oh thanks
ya that will work, you can check my solution for reference
Hello.I got WA with my C's submission and i don't even know what is the problem. Is there any body can help me indicate where i should fix? Please. 70292288
omg.nevermind.
DSU solution for E1: https://codeforces.net/contest/1296/submission/70272613
If there exists i, j that $$$ s_i > s_j $$$ and $$$ i < j $$$, there must be $$$ c_i \neq c_j $$$ , in other words, $$$ c_{i, 0} $$$ always exists with $$$ c_{j, 1} $$$ and $$$ c_{i, 1} $$$ always exists with $$$ c_{j, 0} $$$. $$$ s_i $$$ is the i-th char. $$$ c_i $$$ is the color of the i-th char. We use dsu to union $$$ c_{i, 0} $$$ and $$$ c_{j, 1} $$$, $$$ c_{i, 1} $$$ and $$$ c_{j, 0} $$$. Before union if we find $$$ c_{i, 0} $$$ and $$$ c_{j, 1} $$$ is already united, we print "NO".
Then, we just color 0 or 1 for every char. We color i-th char into 0, and color any char united with i for every i-th. This can be implemented in O(n), although my submission is O(n^2).
E2 Hard Version I wonder if the solution it to calculate the longest decreasing subsequence? Not the least decreasing subsequence? Is it right?
I think so, too.
There is an $$$O(1)$$$ per test case solution for B.
If $$$9$$$ is a factor of $$$s$$$, the answer is $$$\lfloor \frac{s}{9} \rfloor \times 10 +s\bmod 9-1$$$.
Otherwise, the answer is $$$\lfloor \frac{s}{9} \rfloor \times 10+s\bmod 9$$$.
In fact, answer is $$$s + (s - 1) / 9$$$
I've found few Guys Rampantly Cheating during Contests. Can Anyone please guide me, how to take this forward and make sure that this is seen by MikeMirzayanov , and there accounts are banned!
Manthan_144
and
rajan_ladani
Here are the Submissions they did in Codeforces Round 617 (Div. 3), and it clearly Shows that they are Big Cheats!
The Submission Of E1/E2 is clearly copied, and several redundant while loops have been added in order to escape from the copy-checker mechanism!
Manthan_144 :: 70282306
rajan_ladani :: 70294414
Apart From this they have also copied A,B,C,D
Guys please dont be cheats, and respect the community!
[deleted]
70268224 Like this solution.
[deleted]
This solution does not work because persistant segment tree couldn't do it either... Sorry for all my nonsense here.
Just wondering, since all you need to do is set_max on a path, why not just use a straightforward LCT to do that.
Well, stupid me.
In Easy version tutorial, it said, "Let's go from left to right and carry two sequences s1 and s2. If the current character is not less than the last character of s1 then let's append it to s1, otherwise, if this character is not less than the last character of s2 then append it to s2, otherwise the answer is "NO".
While in Hard version, I also see the solution like find the minimum position i which satisfies the current character is not less than the last character of s_i by binary search, and append it to s_i. If not found, create a new sequence s_cnt and append it to s_cnt. How to prove it with Dilworth theorem?
In problem D, the number of secret technique needed can be simply calculated by
(h-1)%(a+b)/a
Could you please explain how did you arrive at this. Thank you!
It's similar to the original editorial, the only difference is that I used
(h-1)
. Here's the reason: if $$$1\leq h\leq a$$$, we don't need to use secret technique, but if $$$h=a$$$, $$$h\bmod a=1$$$, so if we use(h-1)%a
, that issue gets fixed.Im having trouble understanding of editorials solution too :(. I wanted you to explain how does this formula work.
Alright, so the module works because the the part of hp that greater than $$$a+b$$$ can be removed by attacks and it doesn't affect the result. Now the hp is $$$(h-1)\bmod (a+b)$$$ and we need attack
(h-1)%(a+b)/a+1
times to kill the monster so we need to use secret technique(h-1)%(a+b)/a
time.Hey, so for problem C, I have thought of an alternative solution where, I have made prefix arrays of l,r,u and d. Now, since the robot ends at the same location in a substring, I just need to see substrings of powers of 2(as only then he will be back at the same location) from 1 to 18(according to constraints) in the whole array. So if at any time, delta(l)==delta(r) and delta(u)==delta(d). Those indeces are my answer.
However, I am getting WA on a test case whereas I cant find any testcase to contradict. All the non-truncated test cases are passing. Please help: https://codeforces.net/contest/1296/submission/70330963
Its possible that the optimal answer's length is not a power of 2. Consider RRUULULDDD
For E1, there is a O(N) dp solution 70333509
please explain as well
dp[i]
=if I split a[0], a[1], ..., a[i] into two non-decreasing subarrays, what is the minimum possible value of last element of the subarray other than the one a[i] belongs to.
pre[N]
andpre1[N]
are just recording how the dp transit for restoration.I hope that you can understand my poor English.
I still don't understand the parity stuff in A. Someone please help a noobie
Let me tell you what i have done for A
For NO: Two cases possible: 1)all numbers are even 2)all numbers are odd and there are even numbers In both cases sum is even and we also can't change the parity(even to odd) as all numbers in both cases have same parity.
For YES: So now we have at least one even and one odd number(the case with all numbers are odd and they are odd in number has sum always odd) and we can change every odd number to even except one in this way we can get odd sum always.(one odd and remaining even)
Well I am completely embarrassed, but i think that I did't understand the problem statement even now. I thought that the question was too simple like "YES" for odd sum and "NO" for even sum.
Specially I didn't understand the this line of the problem
"In one move, you can choose two indices 1≤i,j≤n such that i≠j and set ai:=aj. You can perform such moves any number of times (possibly, zero). You can choose different indices in different operations. The operation := is the operation of assignment (i.e. you choose i and j and replace ai with aj)."
Well, the array has an odd sum of elements if the number of odd elements is odd. To know this we count them.
If this count is not odd we would like to make it odd.
To make it odd, we can "overwrite" an even element by an odd one (or vice versa), which is "one move". We can make such a move only if there exists an even element, and an odd one.
I WANNA KNOW THE PROBLEM ABOUT THIS CODE; I THINK IT'S RIGHT.
include<stdio.h>
void main() { int t, i, n, j, a, t1=0; scanf("%d", &t); for (i = 0; i < t; i++) { t1 = 0; scanf("%d", &n); for (j = 0; j < n; j++) { scanf("%d", &a); if (a % 2 == 1) t1++; } if (t1 % 2 == 1) printf("YES\n"); else printf("NO\n");
} THANK YOU;
Perhaps it is caused by "void main()" which usually is "int main()".
It seems strange that you get the runtime error after printing the last result.
Please note that is is usually more usefull to post the link to the submission instead of the code itself, like 70333640
Thanks.Your suggest is truely right.
But this code is wrong.In my first edition , the answer is right.
I feel sorry about to post my code.I haven't expert how to post link.sorry
On top of the edit area there are some symbols. Click them, they won't bite you ;)
hhh,thanks
It's OK to solve F in $$$\mathcal{O}(n\log^2 n)$$$ with Segment Tree Beats! (introduced here: https://codeforces.net/blog/entry/57319) and HLD. But it's rather long...
Maybe set or other DS can solve it, too.
My code: 70340529
You can iterate over paths offline in non-decreasing order of $$$g_i$$$, so the STB isn't needed ;)
Well... I can't manage to process the situation when an edge is re-coloring without STB, would you please explain it more clearly? Many thanks.
For what do you need STB? For each path, you do such thing: set all edges on this path to at least $$$g_i$$$. To do this, you use HLD + STB, am I right? What if we sort all paths in non-decreasing order of $$$g_i$$$? Now to set all edges to at least $$$g_i$$$ we can assign $$$g_i$$$ to each edge. Why? Let's take a look at 2 paths with numbers $$$i$$$ and $$$j$$$, $$$j < i$$$ and $$$g_j > g_i$$$. They have a path $$$l_1 - l_2$$$ in the intersection. Consider an edge $$$e$$$ in this intersection. After proceeding the path $$$j$$$, $$$f_e \geq g_j$$$. To make $$$f_e$$$ correct for the path $$$i$$$, we have to make $$$f_e := max(f_e, g_i)$$$. But what if we proceed path $$$i$$$ before path $$$j$$$? After the path $$$i$$$, $$$f_e \geq g_i$$$. $$$g_i < g_j$$$ so $$$f_e := max(f_e, g_j)$$$. If we sort all paths in non-decreasing order, for each $$$t$$$ ($$$t < j$$$), $$$g_t \leq g_j$$$. Thus $$$f_e := max(f_e, g_j)$$$ is equal to $$$f_e := g_j$$$, where $$$:=$$$ is an assignment operator. This leads us to a solution: assign $$$g_i$$$ to each edge for each path, iterating through paths in non-decreasing order of $$$g_i$$$. This is a HLD + standart Segment tree.
As this example shows: the tree is a chain, let its length equals to 4.
And the coloring order is:
Firstly, we color the path 2 to 3 with 2. When we color the path 1 to 4, we can't color the path 2 to 3 with 3, but in HLD we can't iterate each edge on path. However we change the order we iterate, it can't avoid the problem. So it should use STB I think.
Anyway, STB works seems quite fast (as fast as standard segment tree, though it's looooooong). Thanks for your reply :D
Are you sure that your example's answer is not $$$-1$$$? My code will paint edge 2-3 with 3 after the second query. After all it will see, that our answer is not correct (min on the path 2-3 is equal to 3) and print $$$-1$$$
Oops sorry. I puts a wrong index.
3, 2, 2 is a valid solution.
When we color the path 1->4, we only color edge 1->2, but when doing HLD, we will color all the edge 1->4 with color 3.
3, 2, 2 is invalid :D. Minimum on the path 1-4 is 2, but not 3
Ahhhhh I'm almost dizzy...
I try to implement your idea, but met many problems and can't pass the sample 2... You can check my code here.
This one can't pass sample 3...
Ethylene, you have to iterate over all queries once again to check if the ans is -1. Do not do this in the same for
70606132 passed.
Really thanks for your help :D
For E1/E2, I simply used the strategy that when we consider elements from left to right, we need to "sink" each element into the correct position, which requires the current element to be a different color than any previous elements that are greater than it. We then set this color in both the answer and in another array that indicates the maximum color used for each letter. Any subsequent letters less than this letter must be a new color.
This reduces the problem to range-maximum and point update for an array of size $$$AL$$$. If we had to sort integers instead of characters, a segment tree can be used instead, but due to the small size of the alphabet one can just do this naively on a plain array.
[Deleted.]
[Deleted.]
For problem E2, there is a greedy solution :https://codeforces.net/contest/1296/submission/70332678 while read in a new alphabet, check all colors that have been chosen, if all colors are greater than it, choose a new color, then record its number to print.
Besides, in E2 tutorial, I think dp maybe mean the longest decrease but not the least.
There is also $$$O(n^2)$$$ solution for E1, basically find position of max element (if there's more than 1 pick rightmost), then we want to make suffix pattern from that position like this "100..000" so we can move it to the last element (if we can't then answer is NO) then bring that maximum element to the end and recurse to subproblem with string length n — 1.
In Problem D. when h%(a+b) is 0 , why we have to rollback. As the monster is killed by us and we got the point. Can you please explain.
it's killed by opponent, because if h % (a + b) = 0, there is time when h equal a + b, after that we attack, now h equal a + b — a = b, then opponent attack, then monster die.
Wow there are a lot of different solution to E1. Here is another one:
For all j < i, if s[j] > s[i], add an edge between i and j. The answer is the two coloring of the resulting graph, if it exists.
regarding the colouring strings question,If we simply just store maximum element in two colour after each i ,0<i<n,it would be enough.Let max of first colour be in a and second in b.We take condition such that b>=a. Initially assign them a=-1 and b=-1.Then if s[i]<a,spliting is not possible.If it is greater than o a but less than b it must replace a.Else it must replace b,which gives us our answer in o(n). below is the code I used
Hi, what's wrong with my solution. It gets TLE, but works in O(n^2). https://codeforces.net/contest/1296/submission/70360668
Did it resolve?
In the above code for B why I am experiencing TLE on test 3
are u serious brooo..... u r just subracting 10 each time ... do u understand how many iterations would it take for a number of order 18....
why g pushback index i , i do not see connection
Could anyone explain what is the least decreasing subsequence in problem E2
longest I believe
Another cool trick for Problem C avoiding maps with pairs as keys.
Let's replace all the
L
elements with-1
, theR
s with+1
.Similarly, replace all the
U
s by-1,000,000
theD
's by+1,000,000
.The problem is to find the shortest subarray with
0
sum.Can someone explain the solution for Problem C??
We want to remove the minimum-distanced subsequence that does not affect the path. That is, a sequence of letters starting from a position and ending at the same position — included in the whole path, AKA a Cycle. We want to store the starting index of the Cycle starting at any position. so while iterating over the letters, keep updating the current position and its starting index depending on the current letter. Initially the position is (0,0) and the starting index is 0. If the first 2 letters are "UD", In the first iteration the position will change to (0,1) and the starting index of (0,1) is 1 because you will continue the path from position (0,1) depending on the letters starting at index 1. In the second iteration the position will change to (0,0) and the starting index should be 2. Now, this is a Cycle. so maintain a visited map to know if the current position is previously visited. If it's visited, then that is a Cycle, Check if the length of the Cycle is less than any previous one, so maintain a res int which stores the min length of a Cycle — initially it can be infinity — INT_MAX, and when a Cycle is found just check if the distance is less than res, If it is, then set res to that distance and set l to the starting index of the current position which is the starting index of the Cycle and set r to i which is the ending index of the Cycle, if it's not visited, mark it as visited. Be sure to update the starting index depending on the position in both cases to guarantee a min-length Cycle. For example if the path is "URDLUD", "URDL" forms a Cycle of length 4, "UD" also forms a Cycle of length 2, so the second is minimum. if the starting index of position (0,0) is not updated after finding the first cycle, the second Cycle's length would be 6 rather than 4, and that is wrong. Finally if the distance is infinity, that means that no Cycles were found, so the answer is -1, else the answer is l r.
Thanks a lot for the explanation with starting index update. Overlooked that case and didn't get AC during the contest.
Anytime. Glad it helped you.
Thanks for the nice set of problems. In problem 1296D - Сражение с монстрами, it was understood implicitly that each player hit decreases the health points of the monster by the hitting power of this player. Nonetheless, it might have been worthwhile to mention this rule explicitly in the problem statement.
Can someone explain me problem C(Walking Robot)? In simple words.
We want to remove the minimum-distanced subsequence that does not affect the path. That is, a sequence of letters starting from a position and ending at the same position — included in the whole path, AKA a Cycle. We want to store the starting index of the Cycle starting at any position. so while iterating over the letters, keep updating the current position and its starting index depending on the current letter. Initially the position is (0,0) and the starting index is 0. If the first 2 letters are "UD", In the first iteration the position will change to (0,1) and the starting index of (0,1) is 1 because you will continue the path from position (0,1) depending on the letters starting at index 1. In the second iteration the position will change to (0,0) and the starting index should be 2. Now, this is a Cycle. so maintain a visited map to know if the current position is previously visited. If it's visited, then that is a Cycle, Check if the length of the Cycle is less than any previous one, so maintain a res int which stores the min length of a Cycle — initially it can be infinity — INT_MAX, and when a Cycle is found just check if the distance is less than res, If it is, then set res to that distance and set l to the starting index of the current position which is the starting index of the Cycle and set r to i which is the ending index of the Cycle, if it's not visited, mark it as visited. Be sure to update the starting index depending on the position in both cases to guarantee a min-length Cycle. For example if the path is "URDLUD", "URDL" forms a Cycle of length 4, "UD" also forms a Cycle of length 2, so the second is minimum. if the starting index of position (0,0) is not updated after finding the first cycle, the second Cycle's length would be 6 rather than 4, and that is wrong. Finally if the distance is infinity, that means that no Cycles were found, so the answer is -1, else the answer is l r.
Thanks for explaining it to me. I will try it today. Glad I asked.
Anytime. If you still have any confusion, feel free to ask.
problem e, any two neighboring (!!!) neighboring, is the key word for me, I've missed that word
E1 can also be solved using bubble sort because it's based on swapping successive elements. All elements that are swapped should have different colors.
The n^2 solution to F TLE on test case 271 in Java. I was able to have it just about pass by lazily computing the parent arrays instead of precomputing all of them.
Could anyone explain me how the formula h[i] = ((h[i] + a — 1) / a) — 1 came in Question D?
If you want to calculate ceil(X/Y) then you do this: (X+Y-1)/Y, this works because division is rounded down if you cast the result to int
Why problems aren't rated yet?
В авторском решении мы сортируем монстров по значению секретной техники. Но в условии говорится, что бой идет от первого к последнему поочередно. Или я что то не так понял. Объясните кто нибудь. Спасибо.
We sort it to find out cheapest set (in terms of secret technique usage). We will kill monsters in original order but only on those which are in that set we will use secret technique.
Did anyone solve problem F in python? I'm getting exceed memory limit on test 148, mostly solution is same as in editorial. solution
the f word time limit exceed on 238
There is a much more elegant solution to E2. Assume we are processing a certain character at an index say i. Also assume that the previous characters have been alloted best possible colors. Now in order to give this the best possible color we need to consider some possibilities such as the color given to it should not have been given to any character lexicographically greater than it. Now in order to achieve this we consider the mex or the minimum possible color that we could give it. To find the mex, we make sets consisting of : {z} , {z,y} , {z,y,x} and so on till {z,y,x,...,a}. We will put the minimum possible values that have not been given to any character in the specific set. Then if we have this info the color is easily found bu using the set {s[i] + 1 — 'a' , ... ,x,y,z} . Then comes update. It is pretty easy too. Increase all the sets before the current set if their value is lower than the current color. https://codeforces.net/contest/1296/submission/70695446 . If anyone has further queries they are more than welcome.
Hi. I would really like to understand why such a greedy solution works. I can intuitively see, that the the colours assigned are made are locally optimal but I couldn't prove why it reaches the global optimum. I'm pretty uncomfortable with greedy approaches in general, so any advice regarding it is immensely welcome. Thank you for your time.
We can solve E2 by DP:
Let calculate for each position color[i] — optimal color for position i.
If at a position less than i there is a letter larger than s[i], this means that they must have different colors, because we will swap them in future. Let's arrange the colors in ascending order, then color[i] = max(1, color[j] + 1), for all j such that j < i and s[j] > s[i].
That gives us O(n) solution.
My submit: https://codeforces.net/contest/1296/submission/70751661
why my code is accepted (E2) Should it give time limit exceeded error.. void solve() { long long n,i,j,k,l; string arr; cin>>n>>arr; std::vector v; set st; char last[n]={'a'}; for(i=0;i<n;i++) { for(j=0;j<n;j++) { if(arr[i]>= last[j]) { v.push_back(j+1); last[j]=arr[i]; st.insert(j+1); break; } } } cout<<st.size()<<endl; for(i=0;i<v.size();i++) cout<<v[i]<<" "; return; }
well i find i'm not the only one to find this. never mind
For E1,you can just connect the inverse counts(j<i and str[j]>str[i]) and see if this is bi-partitie graph
71648393
Could you please explain why did you use Bipartite Graph?
If there is say x at position i, and y at position j with x < y and i > j, so you should definitely swap those 2 so they should be in different colours, so you can find all such pairs, and connect them, no adjacent nodes in this graph should be in same colour so that you can swap, that is nothing but bi partite graph
In E1/E2 Can someone explain the proof that number of colors is equal to number of non decreaing subsequences?
Problem F can also be solved in $$$O(n \log^2(m))$$$ with smaller larger optimization: 74863530
In editorial, it was said: O(n log n) for C no. problem. I found it O(n). But both idea are almost same & passes in time limit. Here is my submission: 88148367 Is my submission really O(n) (time complexity) ?
in Problem E1 we can also solve using bubble sort and bipartite graph.
123216223
Proof problem D with Dilworth's theorem ( the only way i can find out )
Might be wrong, it's my first time write such thing.
1. Lemma 1: swap only happened if the two numbers are consecutive initially: Consider if they are not consecutive there will be three types (in each type we need to remove everything beteewn and swap them ,finally got a 0 1,lets proof they are all bad)
— (1) 1 0xxxx0 0(xxxx means some 1s and 0s maybe empty)(in this case 0xxxx0 can be only one 0 too) Once you remove every 0 between them ,and swap them ,it is as same as swap the first 0 with 1 and remove every 0 after them
— (2) 1 1xxxx1 0 Same as (1)
— (3) 1 0xxxx1 0 Once you remove 0xxxx1 it will cost more than 2 remove ,so we can remove the first 1 and last 0 and the xxxx instead
2. Lemma 2 : We can do the swap at first (this is pretty easy by using Lemma1 let's skip it)
3. Lemma 3 : After all the swap the answer will be "input.size()-length of Longest Increasing Subsequence" (easy to proof)
4. Lemma 4 : If the numbers of operation is higher , the cost will be higher. The cost of operation is 1e12(+1) if there is any case that has higher number of operation but has a lower cost , than there will be at least 1e12 swap there,which obviously won't happend
5. Lemma 5 : The swap won't decrease the numbers of operation : Let's say the maximum numbers of opertion is x and we can remove one of the 0/1 and get a greedy better condition so the maximum numbers of opertion is at most x.
6. Lemma 6: Finaly, lets proof there will be no more than 1 swap : — Lets consider the antichains of the array , there are only 3 kinds : "1" "0" "10". — Once we execute one swap we may increase 1 antichain (and decrease the length of Longest Increasing Subsequence) witch is ,split "10" to "0" and "1".
— And it may not change the amount of antichain,according to lemma 3 and Lemma 5 this will increase the numbers of operation ,and according to Lemma 4 this is harmful
— Lets consider when will the harmful swap happen, once we split the "10" and got "0" and "1" ,if there is a free "1" antichain in front of them ,the "0" will combining with it;And if there is a free"0" after it the "1" will cobining with it
— If there are more than one swap ,and both are not harmful than the "1" of the front one will combining with the "0" of the back one ,and that means one of them are harmful So , there won't have no harmful swap if there are more than one swap ,and according to Lemma 4 ,we can't execute two swap.
So we can finally solve the problem We are going to record two array :how much number 0 before i and how much number 1 after i
— the least cost with out swap will be (1e12+1)*(input.size()-(biggest before[i]+after[i]+1))
— and lets find every consecutive number "10" in the initial array,the least cost is (input.size()-2+before[i-1]+after[i+2])*(1e12+1)+1e12(i is the position of "1")
The answer will be the minimum cost of them.
Just write this for fun , there should be some easier ways to proof it ,but i can't find out them
Problem C can be reduced to finding smallest subarray with sum 0 which is a standerd problem if we replace the the character 'L' with 1 and 'R' with -1 and 'U' with some bigger values like 10^7 and 'D' with the negative of 'U' ie -10^7 or vice versa submission link