6906. Raining Parabolas
Problem Summery
Given an array of n items hi
( 0≤i<n ), we have to perform an update operation for a given
range [i,j] such that, hx = (hx + f(x))%M, ( i≤x≤j
and f(x) = ax2+bx+c ). We also have to perform a query operation for
a range [i,j] such that, result = (hi + hi+1 + hi+2
+ … + hj)%M.
Solution Idea
Solution idea with the help of a
segment tree is quite simple. First, we need to observe the types of
information we need to store on each node of the tree. As we will be facing
range updates, lazy propagation can be utilized, so, we can have three carry
variables, namely ca, cb, cc.
If we look closely to the update procedure, parts with x2 are added
together and parts with x are added together and there is another part which
are the constants. We can resemble them namely with variables, a, b,
c, i.e. a is the variable that holds the sum for x2 part, b is the variable that holds the sum for
x part and c is the last one that
holds the constant part. Also, we can keep the pre-computed values of sum of x2
and x on tree node ranges for the ease of calculation.
Now, let’s dissect the update part.
Say, on node p (i to j) we already have in a:
a1xi2
+ a2xi+12 + a3xi+22
+ … + anxj2
Now we want to add a new parabola (a,
b, c) on this range, as only x2 parts will be added here, so the new
value of a on this node will be:
(a1+a)xi2
+ (a2+a)xi+12 + (a3+a)xi+22
+ … + (an+a)xj2
So, we can easily see the extra value
added with the previous in variable a:
a * (sum of x2 in range
[i,j])
Similarly, for x part, i.e.
variable b we can show the added value
is:
b * (sum of x in range [i,j])
And for the constant part, i.e.
variable c we can show the added value
is:
c * n where n is the size of range
[i,j];
So we can perform these updates now
using lazy propagation, and query is also done in the similar way, the final
result for a range is simply the sum of variable a, b, c from that range. And obviously modulus
operations must be handled properly.
Have fun!