I think the best solution to this problem is a binary search on the real numbers. It won't be exact, but it'll be as close as you want, and it'll be really fast.
We'll set the high point to the sum of all the areas of the pizzas, and the low point at 0. We then check the middle. Notice that it's easy to check if a particular pizza slice size works, because we go down the line of pizzas and subtract our piece size from them, until we either run out (failed) or have extra (success). If we have a failure, we set the high to the previous midpoint and try the next lower half. If we succeed, we get more ambitious and try the higher half. It's like that old guessing game where you're told "high" or "low" when you try to guess a number between 1 and 100. The best strategy is to guess 50, then 25 or 75, etc.
Let's see some code in python:
numPeople = 28;
numPizzas = 6;
pizzas = ["3 7", "2 2", "3 4", "6 9", "3 30", "3 10"];
# Convert the pizzas into their areas
areas = [];
for i in range(0, numPizzas):
parts = pizzas[i].split(" ");
areas.append(int(parts[0]) * int(parts[1]));
# Set the lower and upper bounds
low = 0;
high = sum(areas);
# Precision will tell us how much the search has converged.
precision = 1000;
prevAnswer = 10000;
ans = 0;
while precision > 0.000001:
trial = tuple([a for a in areas]);
mid = (low + high) / 2.0;
# We're going to go down the line of pizzas. We're at pizzaIndex
pizzaIndex = 0;
fed = 0;
failedToFeedAll = False;
# We will continue to draw slices until we run out of people to feed.
while fed < numPeople:
if pizzaIndex >= len(trial):
failedToFeedAll = True;
break;
if trial[pizzaIndex] > mid:
# We can get another slice out of this pizza.
trial[pizzaIndex] -= mid;
fed += 1;
else:
# We've run out of room on this one, move on.
pizzaIndex += 1;
if not failedToFeedAll:
# Looks like this worked, so we get more ambitious
precision = abs(mid - prevAnswer);
prevAnswer = mid;
ans = mid;
low = mid;
else:
# It didn't work, so we move to the lower half.
high = mid;
print str(round(ans, 3));