We stack glasses in a pyramid, where the first row has 1 glass, the second row has 2 glasses, and so on until the 100th row. Each glass holds one cup of champagne.
Then, some champagne is poured into the first glass at the top. When the topmost glass is full, any excess liquid poured will fall equally to the glass immediately to the left and right of it. When those glasses become full, any excess champagne will fall equally to the left and right of those glasses, and so on. (A glass at the bottom row has its excess champagne fall on the floor.)
For example, after one cup of champagne is poured, the top most glass is full. After two cups of champagne are poured, the two glasses on the second row are half full. After three cups of champagne are poured, those two cups become full - there are 3 full glasses total now. After four cups of champagne are poured, the third row has the middle glass half full, and the two outside glasses are a quarter full, as pictured below.
Now after pouring some non-negative integer cups of champagne, return how full the jth glass in the ith row is (both i and j are 0-indexed.)
Input: poured =1, query_row =1, query_glass =1Output: 0.00000Explanation: We poured 1 cup of champagne to the top glass of the tower(which is indexed as(0,0)). There will be no excess liquid so all the glasses under the top glass will remain empty.
Input: poured =2, query_row =1, query_glass =1Output: 0.50000Explanation: We poured 2 cups of champagne to the top glass of the tower(which is indexed as(0,0)). There is one cup of excess liquid. The glass indexed as(1,0) and the glass indexed as(1,1) will share the excess liquid equally, and each will get half cup of champagne.
Intuition:
The problem can be visualized as simulating the flow of champagne through a triangular array (pyramid) of glasses. Each glass can hold at most 1 cup; any overflow is split equally between the two glasses below it. By tracking the amount in each glass row by row, we can determine the fullness of any glass.
Approach:
Create a 2D array dp where dp[i][j] represents the amount of champagne in the glass at row i and position j.
Pour all champagne into the top glass (dp[0][0]).
For each row from 0 to query_row - 1, iterate through each glass:
If a glass has more than 1 cup, calculate the overflow.
Split the overflow equally to the two glasses below (dp[i+1][j] and dp[i+1][j+1]).
The answer is the minimum of 1 and the amount in dp[query_row][query_glass] (since a glass can’t be more than full).