1223. Dice Roll Simulation
Problem Description
In this problem, we are given a virtual die that can roll numbers from 1 to 6. However, there is an additional constraint on the die: each number i
cannot be rolled more than rollMax[i]
consecutive times, where rollMax
is an array given as input and is defined for each number from 1 to 6 (1-indexed).
The task is to calculate the number of distinct sequences that can be obtained with exactly n
rolls under this constraint, where n
is a given integer. Since the number of sequences could be very large, we are required to return the result modulo (10^9 + 7).
A sequence is considered distinct from another if at least one element in the sequence is different. This means the order and the number rolled matters for the distinctness of sequences.
Intuition
The solution to this problem uses dynamic programming and depth-first search (DFS) to explore all possible combinations of rolls under the given constraints.
The intuition behind using DFS is that, for each roll, we have 6 choices (numbers from 1 to 6), but we need to respect the rollMax
constraints for consecutive rolls. We can define a function that takes the current position in the sequence (i
), the last number rolled (j
), and the count of how many times that number has been rolled consecutively (x
).
We recursively call this function until we reach n
rolls. While exploring each possibility, we conditionally add to our total count based on two criteria:
- If the next number we are trying to roll is different from the last (
k != j
), then we can reset the consecutive count and continue from the next position. - If the next number is the same and we have not exceeded the maximum allowed consecutive rolls for this number (
x < rollMax[j - 1]
), then we increment the consecutive count and move to the next position.
By using a @cache decorator (assuming from Python's functools), we cache the results of subproblems and avoid recomputation, thus saving time and optimizing performance.
We repeatedly take the modulus of the result to keep the number within the required limit (10^9 + 7) at each step, as the final number can be quite large.
With this approach, we will be able to cover all paths of sequences without violating the given constraints, and we'll incrementally build up the total number of distinct sequences modulo (10^9 + 7).
Learn more about Dynamic Programming patterns.
Solution Approach
The implementation uses a DFS approach combined with memoization to efficiently explore all valid sequences. The key components of the solution are:
- A recursive function
dfs
that takes three parameters:i
, which represents the current position in the sequence (or the current roll number);j
, the last number rolled; andx
, the current streak of the last number rolled (how many times it has been rolled consecutively). - The base case for the
dfs
function occurs wheni
equalsn
, which means that we've successfully generated a sequence ofn
rolls without violating the constraints. Whenever this happens, the function returns 1 as it represents a distinct sequence. - To utilize memoization, the
@cache
decorator is used. This stores the results of thedfs
function calls with particular arguments, so when the same state is encountered again, the function can return the cached result instead of recalculating it. - The
dfs
function iterates over the possible numbers to be rolled next (from 1 to 6), and for each choice, it checks whether the choice is different from the last rolled number (k != j
). If it is, the function resets the consecutive count (x
) to 1 and callsdfs
for the next position (i + 1
). - If the next number equals the last rolled number, and the consecutive roll count
x
has not yet breached the maximum allowed byrollMax
, it increments the roll count (x + 1
) and recurses toi + 1
. - To handle the modulus operation, the sum is taken modulo (10^9 + 7) after each increment.
Given this recursive structure, the algorithm starts by calling dfs(0, 0, 0)
, meaning it starts with the first roll (position 0), with no last number rolled (0 in this context is not a valid die number and acts as a placeholder) and no consecutive count.
The function then branches out into all possible sequences while adhering to the constraints. The memoization ensures that previously encountered states contribute to the solution without further computational overhead. Finally, the answer is a sum of all branches modulo (10^9 + 7).
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's walk through a smaller example to illustrate the solution approach. Suppose we are given n = 2
rolls, and the rollMax
array is [1, 1, 2, 2, 2, 2]
, which means we can roll the number 1 and 2 only once consecutively, but we can roll 3, 4, 5, and 6 up to twice consecutively.
We start with the call dfs(0, 0, 0)
. Here i
equals 0 because we've made no rolls yet, j
equals 0 because there is no last number rolled, and x
equals 0 because we do not have a consecutive count yet.
From this starting point, we try all numbers from 1 to 6:
- If we roll a
1
, we calldfs(1, 1, 1)
(one roll made, last number rolled is 1, consecutive count for the number 1 is 1).- On the next roll, we cannot roll a
1
again sincerollMax[0]
is 1, so we explore other numbers:dfs(2, 2, 1)
: since we rolled a2
, a valid sequence[1, 2]
is formed. This call returns 1 as it represents a distinct sequence.- Calls for numbers
3
to6
follow the same logic as rolling a2
, each return 1 for their respective distinct sequences:[1, 3]
,[1, 4]
,[1, 5]
,[1, 6]
. Therefore, rolling a1
first contributes to 5 distinct sequences.
- On the next roll, we cannot roll a
- If we roll a
2
, similarly to rolling a1
, we follow the same process and find we can't roll a2
again, but we can roll numbers1
,3
,4
,5
, and6
, which gives us another 5 distinct sequences.
For numbers 3
to 6
, since we can roll these numbers up to twice consecutively, we will have a few more possibilities:
- If we roll a
3
, we calldfs(1, 3, 1)
:- We could roll a
3
again (sincerollMax[2]
is 2), which isdfs(2, 3, 2)
, resulting in sequence[3, 3]
contributing to 1 sequence. - We can also roll any other number, which would be similar to the previous cases and yield 5 distinct sequences for each initial
3
:[3, 1]
,[3, 2]
,[3, 4]
,[3, 5]
,[3, 6]
.
- We could roll a
Following the same logic for initial rolls of 4
, 5
, and 6
, we end up with 5 distinct sequences for each of their alternative rolls (as they can only be followed by 5 other distinct numbers due to the rollMax
constraint).
By summing up all the possible distinct sequences:
- When starting with a
1
or2
, we get 5 sequences each. - When starting with
3
,4
,5
, or6
, we obtain 6 sequences each because we can roll the same number twice or roll a different number (5 other possibilities).
The total number of sequences for n = 2
would be the sum of all these results, which is (2 * 5 + 4 * 6 = 10 + 24 = 34) distinct sequences.
This example clearly illustrates how the dfs
function explores all possible combinations, while @cache
stores the intermediate results, preventing recalculations and improving performance. The final step would involve taking this total (34 for this example) and returning it modulo (10^9 + 7).
Solution Implementation
1from typing import List
2from functools import lru_cache
3
4class Solution:
5 def dieSimulator(self, n: int, roll_max: List[int]) -> int:
6 # Adding memoization to avoid repeated calculations
7 @lru_cache(None)
8 def roll_dice(roll_count, last_roll, consec_roll_count):
9 # Base case: all rolls are done
10 if roll_count >= n:
11 return 1
12
13 # Initialize the number of sequences to 0
14 num_sequences = 0
15
16 # Loop through each possible die face (1 through 6)
17 for die_face in range(1, 7):
18 # If the current die face is not the same as the previous roll
19 if die_face != last_roll:
20 # Roll the die changing the last roll to the current and reset the consecutive roll count to 1
21 num_sequences += roll_dice(roll_count + 1, die_face, 1)
22 # If the current die face is the same and consecutive roll count is less than allowed max
23 elif consec_roll_count < roll_max[last_roll - 1]:
24 # Roll the die without changing the last roll and increment consecutive roll count
25 num_sequences += roll_dice(roll_count + 1, last_roll, consec_roll_count + 1)
26
27 # Return the result modulo 10^9 + 7 to keep the number within integer range for large results
28 return num_sequences % (10**9 + 7)
29
30 # Start the recursion with roll_count=0, last_roll=0, and consec_roll_count=0
31 return roll_dice(0, 0, 0)
32
33# Example usage:
34# solution = Solution()
35# num_ways = solution.dieSimulator(n=2, roll_max=[1, 1, 2, 2, 2, 3])
36# print(num_ways) # Output depends on the parameters
37
1class Solution {
2 private Integer[][][] memoization; // A 3D array for memoization to store results of sub-problems
3 private int[] rollMaxArray; // This will store the maximum roll constraints for each face
4
5 // Main method to simulate the dice roll and return the total number of distinct sequences
6 public int dieSimulator(int n, int[] rollMaxArray) {
7 this.memoization = new Integer[n][7][16]; // Initialize memoization array with nulls
8 this.rollMaxArray = rollMaxArray; // Store the max roll constraints
9 return dfs(0, 0, 0); // Start the Depth-First Search process
10 }
11
12 // Helper method to perform DFS recursively and calculate the count
13 private int dfs(int rollCount, int lastNumber, int currentStreak) {
14 if (rollCount >= memoization.length) { // Base case: If we've made all the rolls
15 return 1; // return 1, as this forms one valid sequence
16 }
17 if (memoization[rollCount][lastNumber][currentStreak] != null) { // If already computed
18 return memoization[rollCount][lastNumber][currentStreak]; // return the stored result
19 }
20 long count = 0; // Initialize the count for the current roll
21 for (int nextNumber = 1; nextNumber <= 6; ++nextNumber) { // Try all dice faces (1 to 6)
22 if (nextNumber != lastNumber) { // If the face number is not equal to the last rolled number
23 count += dfs(rollCount + 1, nextNumber, 1); // Reset the streak and increment rollCount
24 } else if (currentStreak < rollMaxArray[lastNumber - 1]) { // If not exceeding max roll constraint
25 count += dfs(rollCount + 1, lastNumber, currentStreak + 1); // Continue the streak
26 }
27 }
28 count %= 1000000007; // Modulo to prevent overflow as per problem statement
29 // Store the result in the memoization array before returning
30 memoization[rollCount][lastNumber][currentStreak] = (int) count;
31 return (int) count; // Casting long to int before returning as per method signature
32 }
33}
34
1#include <vector>
2#include <functional> // Include for std::function
3#include <cstring> // For memset
4
5class Solution {
6public:
7 int dieSimulator(int n, std::vector<int>& rollMax) {
8 // The state of the dynamic programming (dp) table
9 // dp[i][j][x] represents the number of sequences where:
10 // i is the total rolls so far,
11 // j is the last number rolled (1-6),
12 // x is the consecutive times the last number j has been rolled.
13 int dp[n][7][16];
14 memset(dp, 0, sizeof dp); // Initialize the dp table with 0
15 const int MOD = 1e9 + 7; // Define the modulo value
16
17 // The recursive depth-first search function to explore the solution space
18 std::function<int(int, int, int)> dfs = [&](int rollCount, int lastNumber, int consecCount) -> int {
19 if (rollCount >= n) { // Base case: all dice have been rolled
20 return 1;
21 }
22 if (dp[rollCount][lastNumber][consecCount]) { // Return memoized result
23 return dp[rollCount][lastNumber][consecCount];
24 }
25 long long totalWays = 0; // Use long long to prevent overflow before taking mod
26 for (int face = 1; face <= 6; ++face) {
27 if (face != lastNumber) { // If the current face is different from the last number rolled
28 totalWays += dfs(rollCount + 1, face, 1); // Start count new number with 1
29 } else if (consecCount < rollMax[lastNumber - 1]) { // If it's the same and under the rollMax limit
30 totalWays += dfs(rollCount + 1, lastNumber, consecCount + 1); // Continue sequence
31 }
32 }
33 totalWays %= MOD; // Take modulo to prevent overflow
34 return dp[rollCount][lastNumber][consecCount] = totalWays; // Memoize and return
35 };
36
37 // Invoke the dfs function starting with count 0, lastNumber 0 (dummy), and consecCount 0
38 return dfs(0, 0, 0);
39 }
40};
41
1const MOD: number = 1e9 + 7; // Define the modulo value for operations
2
3// Initialize a dynamic programming (dp) table with a specific structure
4let dp: number[][][] = [];
5for (let i = 0; i <= 15; i++) { // The 'n' in this context is assumed to be <= 15
6 dp[i] = [];
7 for (let j = 0; j <= 6; j++) {
8 dp[i][j] = [];
9 }
10}
11
12// A recursive depth-first search function to explore the solution space
13const dfs = (rollCount: number, lastNumber: number, consecutiveCount: number, rollMax: number[], n: number): number => {
14 if (rollCount >= n) { // Base case: all dice have been rolled
15 return 1;
16 }
17 if (dp[rollCount][lastNumber][consecutiveCount] !== undefined) { // Return memoized result
18 return dp[rollCount][lastNumber][consecutiveCount];
19 }
20 let totalWays: number = 0; // Variable to keep track of total ways
21 for (let face = 1; face <= 6; ++face) {
22 if (face !== lastNumber) { // If the current face is different from the last number rolled
23 totalWays = (totalWays + dfs(rollCount + 1, face, 1, rollMax, n)) % MOD; // Start count new number with 1
24 } else if (consecutiveCount < rollMax[lastNumber - 1]) { // If it's the same and under the rollMax limit
25 totalWays = (totalWays + dfs(rollCount + 1, lastNumber, consecutiveCount + 1, rollMax, n)) % MOD; // Continue sequence
26 }
27 }
28 return dp[rollCount][lastNumber][consecutiveCount] = totalWays; // Memoize and return the result
29};
30
31// This is the main simulation function that initiates the dice roll simulation
32const dieSimulator = (n: number, rollMax: number[]): number => {
33 // Clear existing dp table
34 dp = Array.from({length: n}, () =>
35 Array.from({length: 7}, () =>
36 Array(16).fill(undefined)));
37
38 // Invoke the dfs function starting with count 0, lastNumber 0 (dummy), and consecutiveCount 0
39 return dfs(0, 0, 0, rollMax, n);
40};
41
Time and Space Complexity
The given code defines a function dieSimulator
which uses depth-first search (DFS) with memoization to count the number of distinct die sequences that can be rolled.
Time Complexity
The time complexity of the algorithm is O(n * 6 * max(rollMax)).
n
is the number of dice rolls.6
represents each possible die face value.max(rollMax)
represents the maximum constraint for consecutive rolls of the same face.
For each state in our DFS, we have at most 6 choices of the die face to consider. Since we also consider the number of consecutive rolls of the same face (bounded by max(rollMax)
), the time complexity includes this factor. DFS will run for each roll, so we multiply by n
. Memoization ensures each state is calculated once, thus reducing the time complexity.
Space Complexity
The space complexity of the algorithm is O(n * max(rollMax) * 6).
- The cache potentially stores results for every combination of:
- The number of dice left to roll (
n
). - The current face being rolled (
6
faces). - The number of times the current face has been rolled consecutively, which is at most
max(rollMax)
.
- The number of dice left to roll (
Each state requires a constant amount of space, and since the space is used to store the combination of states mentioned above, the space complexity is a product of these factors.
Learn more about how to find time and space complexity quickly using problem constraints.
Which type of traversal does breadth first search do?
Recommended Readings
What is Dynamic Programming Prerequisite DFS problems dfs_intro Backtracking problems backtracking Memoization problems memoization_intro Pruning problems backtracking_pruning Dynamic programming is an algorithmic optimization technique that breaks down a complicated problem into smaller overlapping sub problems in a recursive manner and uses solutions to the sub problems to construct a solution
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!