Editorial for Baltic OI '11 P5 - Meetings
Submitting an official solution before solving the problem yourself is a bannable offence.
Let's denote by
a[1] = 0; // special case: no meeting
for (int i = 2; i <= n; ++i) {
a[i] = i * p + v; // baseline: no groups
for (int j = 1; j < i; ++j) {
// j groups: the size of groups is i/j rounded up
int k = (i - 1) / j + 1;
int t = a[k] + a[j];
if (a[i] > t)
a[i] = t;
}
}
Next we can observe that the inner loop in the above solution basically finds the value of
Since this is symmetric, we only need to consider the pairs
for (int j = 1; j < i; ++j)
with the line
for (int j = 1; j * j < i; ++j)
To model dividing the groups into sub-groups, we can recurrently express
Without further sub-grouping
Obviously
Since the sum of factors multiplying to a given product is minimal when the factors are equal, we obtain the optimal value for
Since each
// computes T(n, k) for fixed k
long long solve_k(long long n, int p, int v, int k) {
long long fact = (long long) pow(n, 1.0 / k);
// since fact was rounded down above, we now increase
// some factors by 1 to have them multiply to at least n
int incr = 0;
while (power(fact + 1, incr) * power(fact, k - incr) < n)
++incr;
// the answer is \sum(factors)*p + k*v
return (k * fact + incr) * p + k * v;
}
// computes T(n)
long long(solve(long long n, int p, int v) {
if (n == 1)
return 0;
long long result = solve_k(n, p, v, 1);
for (int k = 2; 2ll << k <= n; k++) {
long long r = solve_k(n, p, v, k);
if (result > r)
result = r;
}
return result;
}
Looking at the task text, there might be some doubt whether the group leaders are required to hold
a single meeting or may also form sub-groups among themselves. In other words, are we allowed to
use
Comments