Problem Description
You are given an n x n integer matrix board where the cells are labeled from 1 to n² in a Boustrophedon style starting from the bottom left of the board. You start on square 1 of the board and can choose a destination square in the range [curr + 1, min(curr + 6, n²)]. If the destination has a snake or ladder, you must move to its destination. The game ends when you reach the square n². Return the least number of dice rolls required to reach square n², or -1 if it's not possible.
Key Insights
- The board is represented in a non-standard way, requiring conversion from 2D coordinates to a 1D representation.
- The game simulates a 6-sided die, limiting moves to 6 squares ahead.
- Breadth-First Search (BFS) is suitable for finding the shortest path in an unweighted graph (the board).
- Snakes and ladders create shortcuts and obstacles, affecting the movement strategy.
Space and Time Complexity
Time Complexity: O(n²) - Each square can be visited once, and each move can result in at most 6 options. Space Complexity: O(n²) - For storing the board state and BFS queue.
Solution
The problem can be solved using a Breadth-First Search (BFS) approach. We treat each square on the board as a node in a graph. The edges represent possible moves based on the die rolls. We maintain a queue to explore each square, tracking the number of rolls taken to reach each square. When processing a square, we check valid moves (up to 6 squares ahead) and apply any snakes or ladders encountered. If we reach the last square, we return the number of moves. If the queue is exhausted without reaching the last square, we return -1.