We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Where Will the Ball Fall

Difficulty: Medium


Problem Description

You have a 2-D grid of size m x n representing a box, and you have n balls. The box is open on the top and bottom sides. Each cell in the box has a diagonal board spanning two corners of the cell that can redirect a ball to the right or to the left. Return an array of size n where answer[i] is the column that the ball falls out of at the bottom after dropping the ball from the ith column at the top, or -1 if the ball gets stuck in the box.


Key Insights

  • Each ball can either fall out of the box or get stuck based on its path influenced by the diagonal boards.
  • A board that redirects to the right is represented by a 1 and to the left by a -1.
  • A ball gets stuck if it encounters a "V" shaped pattern or if it is redirected into a wall.

Space and Time Complexity

Time Complexity: O(m * n)
Space Complexity: O(1)


Solution

To solve this problem, we simulate the path of each ball dropped from each column. We iterate through the rows of the grid for each ball until it either falls out of the box or gets stuck. We check the direction of the diagonal board in the current cell to determine the next column for the ball. If it hits a wall or encounters a "V" pattern, we return -1 for that ball. We maintain an array to keep track of the final positions of all balls.


Code Solutions

def findBall(grid):
    m, n = len(grid), len(grid[0])
    result = [-1] * n
    
    for col in range(n):
        current_col = col
        
        for row in range(m):
            direction = grid[row][current_col]
            next_col = current_col + direction
            
            # Check for wall or "V" shape
            if next_col < 0 or next_col >= n or grid[row][next_col] != direction:
                current_col = -1
                break
            
            current_col = next_col
        
        result[col] = current_col
    
    return result
← Back to All Questions