The eggBreak Problem !

Suppose that we wish to know which stories in a 36-story building are safe to drop eggs from, and which will cause the eggs to break on landing. We make a few assumptions:

An egg that survives a fall can be used again.
A broken egg must be discarded.
The effect of a fall is the same for all eggs.
If an egg breaks when dropped, then it would break if dropped from a higher floor.
If an egg survives a fall then it would survive a shorter fall. It is not ruled out that the first-floor windows break eggs, nor is it ruled out that the 36th-floor do not cause an egg to break. If only one egg is available and we wish to be sure of obtaining the right result, the experiment can be carried out in only one way. What is the least number of egg-droppings that is guaranteed to work in all cases?

If only one egg is available and we wish to be sure of obtaining the right result, the experiment can be carried out in only one way. Drop the egg from the first-floor window; if it survives, drop it from the second floor window. Continue upward until it breaks. In the worst case, this method may require 36 droppings. Suppose 2 eggs are available. What is the least number of egg-droppings that is guaranteed to work in all cases?
The problem is not actually to find the critical floor, but merely to decide floors from which eggs should be dropped so that total number of trials are minimized.

The solution is to try dropping an egg from every floor (from 1 to k) and recursively calculate the minimum number of droppings needed in worst case. The floor which gives the minimum value in worst case is going to be part of the solution.

  1. Optimal Substructure:
    When we drop an egg from a floor x, there can be two cases (1) The egg breaks (2) The egg doesn’t break.

  2. If the egg breaks after dropping from xth floor, then we only need to check for floors lower than x with remaining eggs; so the problem reduces to x-1 floors and n-1 eggs

  3. If the egg doesn’t break after dropping from the xth floor, then we only need to check for floors higher than x; so the problem reduces to k-x floors and n eggs.

Since we need to minimize the number of trials in worst case, we take the maximum of two cases.

Dynamic programming solution

#include<stdio.h>

int max(int a,int b)
{
if(a>b)
return a;
return b;
}

int eggDrop(int n,int k)
{
int tests[n+1][k+1],i,j,l,r;

for(i=0;i<=n;i++)
{
    tests[i][0]=0;
    tests[i][1]=1;
}

for(i=0;i<=k;i++)
    tests[1][i]=i;
    
for(i=2;i<=n;i++)
{
    for(j=2;j<=k;j++)
    {
        tests[i][j]=100000;
        for(l=1;l<=k;l++)
        {
            r=1+max(tests[i-1][l-1],tests[i][j-l]);
            if(r<tests[i][j])
                tests[i][j]=r;
        }
    }
}


return tests[n][k];

}

int main()
{
int t,n,k,res;
scanf("%d",&t);

while(t--)
{
    scanf("%d %d",&n,&k);
    
    res=eggDrop(n,k);
    
    printf("%d\n",res);
}

return 0;

}

1 Like

Nice and crisp explanation, kudos to your efforts