Practice
Div-2 Contest
Div-1 Contest
Author and Editorialist: Simon St James
Tester: Suchan Park
Medium-Hard TODO - revisit this - seems harder than MVCN2TST
Sprague-Grundy, Centroid Decomposition, Bit Manipulation, Ad-hoc
Bob and Alice are playing a game on a board which is a tree, . Each node of has some number of coins placed on it. For a node , define to be the game played on in which players take turns to move a coin from some node other than strictly towards . The first player unable to make a move loses the game. For each , find the winner of , assuming both players play perfectly.
The game is equivalent to the game of Nim, where there is a one-to-one correspondence between coins on the board and piles of stones: for a coin , if is the node containing , then corresponds to a Nim pile of size . Thus, the Sprague-Grundy Theorem can be used. Some simple observations show that the exact value of is not important; only its parity: we set to be the set of nodes such that is odd.
Define
Then by the Sprague-Grundy Theorem, the second player (Bob) wins if and only if , so we need only calculate this value for all .
For nodes and where , define the contribution of to as , and the act of updating as propagating 's contribution to .
We form a data structure with the following API:
class DistTracker
insertDist(distance) { ... }
addToAllDists(distance) { ... }
grundyNumber() { ... } // Return the xor sum of all the contained distances
In a naive implementation, at least one of these operations would be , but by observing how bits in the binary representation of a number change upon incrementing it and using some properties of xor, we can implement all of 's operations in or better.
We then use Centroid Decomposition plus our to collect all contributions of with and propagate them to all nodes , thus calculating all required .
As mentioned, this is the game of Nim in disguise: in Nim, we start with some number of piles, the of which contains stones, and players take turns to choose a non-empty pile and take at least one stone from it, until a player cannot make a move, in which case they lose. In the game , let be the node containing the coin ; then the correspondence between the two games is as follows:
The Sprague-Grundy Theorem proves several interesting statements but the one we're interested in is the remarkable (and very unintuitive!) result that in the game of Nim, the second player wins if and only if the Grundy Number for the game is , where the grundy number is the xor-sum of all the pile sizes i.e. . Applying this to our game, we see that Bob wins if and only if the grundy number for the game defined by:
is .
We can simplify this a little: consider two coins and , both on the same node . Their contribution to is . But for all , so we can remove both coins without affecting . For each , we can safely remove pairs of coins from until either or remain, depending on whether was originally odd or even. We say that a node if is odd, and set the set of all such . We can now rephrase the formula for :
Recalling the definitions of contribution and propagation from the Quick Explanation, we see that to solve the problem, we merely need to ensure that for each and every , 's contribution to is propagated to .
Let's consider for the moment the special case where is simply a long chain of nodes. Imagine we had a data structure with the below API (a naive implementation is also provided):
class DistTracker
public:
insertDist(distance)
{
trackedDistances.append(distance)
}
addToAllDists(toAdd)
{
for each distance in trackedDistances:
distance += toAdd
}
grundyNumber()
{
result = 0
for each distance in trackedDistances:
result = result ^ distance
return result
}
clear()
{
trackedDistances = []
}
private:
trackedDistances = []
Imagine further that we proceed along the chain of nodes from left to right performing at each node the following steps:
(Click image to see the animation)
This way, we collect then propagate the contribution of each to all nodes to 's right.
Let's our and repeat the process, this time working in the opposite direction:
Now we've propagated the contribution of each to all nodes to 's right and to its left i.e. to all nodes, and so have computed all , as required. It turns out that Bob wins two of the games and Alice wins the rest.
The naive implementation of given above is too slow to be of use: we'll fix this later but first, let's show how we can use Centroid Decomposition with our to collect and propagate all 's on an arbitrary tree . If you're already familiar with Centroid Decomposition, you may want to skip this part.
Using Centroid Decomposition to Propagate All Contributions
We won't go into much detail on Centroid Decomposition here as there are many resources about it, but here are the properties we care about:
C1: Centroid Decomposition of induces subtrees ( is ) of each with a node that is the centre of
C2: The is
C3: Let be any distinct pair of nodes, and let be the unique path between and . Then there is precisely one such that and are in subtree and
Let be the degree of in , and let be the neighbours of in . We partition the , into branches, where the node is in branch if the unique path from to passes through . For example:
TODO - image here - medium size with - MOVCOIN2_ED_3_THUMB.png, linking to MOVCOIN2_ED_3_ANIM.gif. In the meantime, you can probably figure it out from anims 6 & 7 XD
With this notation, C3 can be rephrased as:
C3: Let be any distinct pair of nodes; then there is precisely one such that and are in subtree and either:
from which it follows that doing the following for every :
will propagate the contributions of all to all , as required.
Both 1. and 2. can be done separately using a naive algorithm (although my implementation rolls them into 3.). 3. can be handled in a similar way to the "propagate-and-collect-and-then-in-reverse" approach from earlier, except now we are collecting and propagating branches at a time, rather than nodes.
For each , create a fresh and perform the following steps:
A BFS would also work and would likely be slightly more efficient: here's an example:
Then we our and repeat, this time with .
TODO - animation - MOVCOIN2_ED_5_THUMB.png, linking to MOVCOIN2_ED_5_ANIM.gif
We now return to optimising our . It often helps to take a bitwise approach to problems involving xor sums, and this is the case here. Let's have a look at the binary representation of an increasing series of numbers and observe how each bit changes. The numbers along the top of the table are the bit number with bit number being the least significant bit.
N | 5 | 4 | 3 | 2 | 1 | 0 |
---|---|---|---|---|---|---|
0 | 0 | 0 | 0 | 0 | 0 | 0 |
1 | 0 | 0 | 0 | 0 | 0 | 1 |
2 | 0 | 0 | 0 | 0 | 1 | 0 |
3 | 0 | 0 | 0 | 0 | 1 | 1 |
4 | 0 | 0 | 0 | 1 | 0 | 0 |
5 | 0 | 0 | 0 | 1 | 0 | 1 |
6 | 0 | 0 | 0 | 1 | 1 | 0 |
7 | 0 | 0 | 0 | 1 | 1 | 1 |
8 | 0 | 0 | 1 | 0 | 0 | 0 |
The pattern is clear: the bit is times in a row, then times in a row, and continues flipping every increments. We can exploit this pattern in our to maintain a count of the number of tracked distances that have their bit set: the animation below illustrates this approach with the original example. Here:
Note that the bit of the grundy number is set if and only if the number of tracked distances with their bit set is odd, so pairs of distances with their bit set contribute nothing to the grundy number and so are crossed out. If we know which bits of the grundy number are set, computing the number itself is trivial.
Note that the fourth row of the grid is omitted: since the graph only has 8 nodes, the max distance between two nodes is seven, and so a tracked distance can never enter the red-one-zone for a fourth row and change the grundy number. Similar logic is used to reduce in the implementation. In general, the number of bits/ rows is .
With this new , the computation of the grundy number (the xor of all the tracked distances) has been rolled into , so has been reduced from to , a substantial improvement; however, remains as it must still move all coins on each call, so we don't appear to have gained much.
However, what if on each call to , for each , instead of moving all coins on row one cell to the right on and tracking whether they enter the red-one-zone, we scrolled the red-one-zone on that row by one to the left and counted how many coins its hits or leave? Since the number of rows is , is now , so all operations on are now in the worst case.
And that's it!
TODO - end less lamely. Should maybe mention somewhere that reducing m_numBits gives asymptotic gains i.e. without it, creating a for each Centroid would contribute to the runtime
Complexity Analysis
A Faster Alternative to Centroid Decomposition? When I first solved this Problem (and CHGORAM2), I didn't know much about the properties of Centroid Decomposition and so came up with my own approach which I called the light-first DFS:
TODO - add publically available link to http://campus.codechef.com/SEP20TST/viewsolution/37862309/
This runs quite a bit faster than my Centroid Decomposition based solution. Questions for the interested reader :)
The fastest solution that I saw was @sg1729's, running in just 0.63s.
Setter's Solution (C++)
https://www.codechef.com/viewsolution/37919044
Tester's Solution (Kotlin)
package MOVCOIN2
class Movcoin2Solver(private val N: Int, private val gph: List<List<Int>>, private val hasToken: List<Boolean>) {
private class XorOfElementPlusConstant (elements: List<Int>, val constantMax: Int) {
private val MAX_BITS = 17
val xored = IntArray(constantMax+1)
init {
for(b in 0 until MAX_BITS) {
var l = (1 shl b)
var r = (1 shl (b+1)) - 1
var cnt = 0
val freq = IntArray(constantMax+1)
for(it in elements) {
val target = it and ((1 shl (b+1)) - 1)
freq[target] = (freq[target] ?: 0) + 1
if (target in l..r) cnt++
}
for (d in 0..constantMax) {
if (cnt % 2 == 1) xored[d] += 1 shl b
cnt -= freq.getOrElse(r) { 0 }
l--
if(l < 0) l = (1 shl (b+1)) - 1
r--
if(r < 0) r = (1 shl (b+1)) - 1
cnt += freq.getOrElse(l) { 0 }
}
}
}
fun getXorOfElementsPlus(constant: Int) = xored[constant]
}
private val marked = BooleanArray(N)
private val subtreeSize = IntArray(N)
private val getMaxSubtreeSizeWhenUIsRemoved = IntArray(N)
private fun getCentroidInComponentOf(root: Int): Int {
val queue: java.util.Queue<Pair<Int,Int>> = java.util.ArrayDeque<Pair<Int,Int>>()
val order = mutableListOf<Pair<Int,Int>>()
queue.add(Pair(root, -1))
while(!queue.isEmpty()) {
order.add(queue.peek())
val (u, p) = queue.poll()
subtreeSize[u] = 1
getMaxSubtreeSizeWhenUIsRemoved[u] = 0
for(v in gph[u]) if(!marked[v] && v != p) queue.add(Pair(v, u))
}
order.reverse()
for((u, p) in order) {
if(p >= 0) subtreeSize[p] += subtreeSize[u]
}
val numNodes = subtreeSize[root]
for((u, p) in order) {
getMaxSubtreeSizeWhenUIsRemoved[u] = maxOf(getMaxSubtreeSizeWhenUIsRemoved[u], numNodes - subtreeSize[u])
if (p >= 0) {
getMaxSubtreeSizeWhenUIsRemoved[p] = maxOf(getMaxSubtreeSizeWhenUIsRemoved[p], subtreeSize[u])
}
if (getMaxSubtreeSizeWhenUIsRemoved[u] <= numNodes / 2) {
return u
}
}
return -1
}
private fun getGrundys(): List<Int> {
val grundy = IntArray(N)
fun process(root: Int, initialD: Int) {
val order = mutableListOf<Pair<Int,Int>>()
val queue: java.util.Queue<Triple<Int,Int,Int>> = java.util.ArrayDeque<Triple<Int,Int,Int>>()
queue.add(Triple(root, -1, initialD))
while(!queue.isEmpty()) {
val (u, p, d) = queue.poll()
order.add(Pair(u, d))
for(v in gph[u]) if(!marked[v] && v != p) queue.add(Triple(v, u, d+1))
}
val distances = mutableListOf<Int>()
for((u, d) in order) if(hasToken[u]) distances.add(d)
val maxDistance = order.maxBy(Pair<Int,Int>::second)!!.second
val ds = XorOfElementPlusConstant(distances, maxDistance)
for((u, d) in order) grundy[u] = grundy[u] xor ds.getXorOfElementsPlus(d)
}
val queue: java.util.Queue<Int> = java.util.ArrayDeque<Int>()
queue.add(0)
process(0, 1)
while(!queue.isEmpty()) {
val q = queue.poll()
process(q, 1)
val u = getCentroidInComponentOf(q)
marked[u] = true
process(u, 0)
for(v in gph[u]) if(!marked[v]) queue.add(v)
}
//println(grundy.toList())
return grundy.toList()
}
private fun getAnswer(grundy: List<Int>): Long {
val MOD = 1000000007
var pow2 = 1
var ans = 0L
for(value in grundy) {
pow2 *= 2
pow2 %= MOD
if(value == 0) ans += pow2
}
return ans % MOD
}
fun run() = getAnswer(getGrundys())
}
class Movcoin2Connector(private val br: java.io.BufferedReader, private val bw: java.io.BufferedWriter) {
var sumN = 0
fun checkConstraints() {
require(sumN <= 200000)
}
fun run() {
val N = br.readLine()!!.toInt()
require(N in 1..200000)
val grp = IntArray(N) { it }
fun getGroup(x: Int): Int{
val parents = generateSequence(x, { grp[it] }).takeWhile { grp[it] != it }
val r = grp[parents.lastOrNull() ?: x]
parents.forEach{ grp[it] = r }
return r
}
val gph = List(N) { mutableListOf<Int>() }
repeat(N-1) {
val (a, b) = br.readLine()!!.split(' ').map{ it.toInt() - 1 }
gph[a].add(b)
gph[b].add(a)
val p = getGroup(a)
val q = getGroup(b)
require(p != q)
grp[p] = q
}
val C = br.readLine()!!.split(' ').map(String::toInt)
require(C.all{ it in 0..16 })
val solver = Movcoin2Solver(N, gph, C.map{ it % 2 == 1 })
bw.write("${solver.run()}\n")
}
}
fun main (args: Array<String>) {
val br = java.io.BufferedReader(java.io.InputStreamReader(System.`in`))
val bw = java.io.BufferedWriter(java.io.OutputStreamWriter(System.`out`))
val T = br.readLine()!!.toInt()
require(T in 1..1000)
val connector = Movcoin2Connector(br, bw)
repeat(T) {
connector.run()
}
connector.checkConstraints()
bw.flush()
require(br.readLine() == null)
}