LeetCode 36: Valid Sudoku Solution in Python Explained

Problem Statement

Section link icon

LeetCode 36, Valid Sudoku, is a medium-level problem where you’re given a 9x9 grid board representing a Sudoku puzzle. Your task is to determine if it’s valid according to Sudoku rules: each row, column, and 3x3 sub-box must contain the digits 1-9 without repetition. The board may contain empty cells (denoted by .), and you only need to validate the filled cells, not solve the puzzle.

Constraints

  • board.length == 9: Grid is 9x9.
  • board[i].length == 9: Each row has 9 elements.
  • board[i][j] is a digit 1-9 or ..

Example

Input: board = 
[["5","3",".",".","7",".",".",".","."]
,["6",".",".","1","9","5",".",".","."]
,[".","9","8",".",".",".",".","6","."]
,["8",".",".",".","6",".",".",".","3"]
,["4",".",".","8",".","3",".",".","1"]
,["7",".",".",".","2",".",".",".","6"]
,[".","6",".",".",".",".","2","8","."]
,[".",".",".","4","1","9",".",".","5"]
,[".",".",".",".","8",".",".","7","9"]]
Output: true
Explanation: No row, column, or 3x3 sub-box has repeating digits.

Input: board = 
[["8","3",".",".","7",".",".",".","."]
,["6",".",".","1","9","5",".",".","."]
,[".","9","8",".",".",".",".","6","."]
,["8",".",".",".","6",".",".",".","3"]
,["4",".",".","8",".","3",".",".","1"]
,["7",".",".",".","2",".",".",".","6"]
,[".","6",".",".",".",".","2","8","."]
,[".",".",".","4","1","9",".",".","5"]
,[".",".",".",".","8",".",".","7","9"]]
Output: false
Explanation: Row 0 and row 3 both have "8", invalid.

Understanding the Problem

Section link icon

How do you solve LeetCode 36: Valid Sudoku in Python? For a 9x9 grid, check each row, column, and 3x3 sub-box for duplicates among digits 1-9, ignoring .. For the first example, no duplicates exist, so return true. In the second, "8" repeats in rows, so return false. We’ll explore two approaches: a Hash Set Tracking Solution (optimal and primary) and an Alternative with Bit Manipulation (space-efficient but trickier). The hash set method uses sets to track seen numbers efficiently.

Solution 1: Hash Set Tracking Approach (Primary)

Section link icon

Explanation

Use three groups of hash sets: one for rows, one for columns, and one for 3x3 sub-boxes. Iterate through the board, adding each digit to its respective sets. If a digit repeats in any set, the Sudoku is invalid.

Here’s a conceptual flow:

Row 0: {5,3,7}
Col 0: {5,6,8,4,7}
Box (0,0): {5,6,8}
If any set has a duplicate when adding, return false.
  1. Initialize Sets.
  • 9 sets for rows, 9 for columns, 9 for boxes.
  1. Iterate Board.
  • Check each cell, skip ..
  1. Validate Uniqueness.
  • Add to sets, return false if duplicate found.
  1. Return Result.
  • true if no duplicates.

Step-by-Step Example

Example 1: Valid Sudoku

We need true.

  • Goal: Validate board.
  • Result for Reference: true.
  • Start: 9x9 board (first example).
  • Step 1: Initialize 9 row sets, 9 col sets, 9 box sets (box indexed as (i//3, j//3)).
  • Step 2: i = 0, j = 0, "5".
    • row[0].add("5"), col[0].add("5"), box[0][0].add("5"), no duplicates.
  • Step 3: i = 0, j = 1, "3".
    • row[0].add("3"), col[1].add("3"), box[0][0].add("3"), no duplicates.
  • Step 4: i = 1, j = 0, "6".
    • row[1].add("6"), col[0].add("6"), box[0][0].add("6"), no duplicates.
  • Step 5: Continue for all cells, e.g., i = 3, j = 0, "8".
    • row[3].add("8"), col[0].add("8"), box[1][0].add("8"), no duplicates.
  • Finish: No duplicates found, return true.

Example 2: Invalid Sudoku

We need false.

  • Start: Second example.
  • Step 1: i = 0, j = 0, "8".
    • row[0].add("8"), col[0].add("8"), box[0][0].add("8").
  • Step 2: i = 3, j = 0, "8".
    • row[3].add("8"), col[0].add("8") – "8" already in col[0], return false.
  • Finish: Duplicate in column 0, return false.

How the Code Works (Hash Set)

Here’s the Python code with line-by-line explanation:

def isValidSudoku(board: list[list[str]]) -> bool:
    # Line 1: Initialize sets for rows, columns, boxes
    rows = [set() for _ in range(9)]
    cols = [set() for _ in range(9)]
    boxes = [[set() for _ in range(3)] for _ in range(3)]

    # Line 2: Iterate through 9x9 grid
    for i in range(9):
        for j in range(9):
            # Line 3: Get current cell
            cell = board[i][j]
            # Line 4: Skip empty cells
            if cell == '.':
                continue
            # Line 5: Check row for duplicate
            if cell in rows[i]:
                return False
            rows[i].add(cell)
            # Line 6: Check column for duplicate
            if cell in cols[j]:
                return False
            cols[j].add(cell)
            # Line 7: Check 3x3 box for duplicate
            box_i, box_j = i // 3, j // 3
            if cell in boxes[box_i][box_j]:
                return False
            boxes[box_i][box_j].add(cell)

    # Line 8: No duplicates found
    return True

Alternative: Bit Manipulation Approach

Section link icon

Explanation

Use bitmaps (integers) to track digits 1-9 per row, column, and box. Each bit represents a digit; if a bit is already set, there’s a duplicate. This saves space compared to sets.

  1. Initialize Bitmaps.
  2. Process Cells.
  • Set bits for digits.

3. Check Duplicates. 4. Return Result.

Step-by-Step Example (Alternative)

For valid board:

  • Start: rows, cols, boxes = [0]*9, [0]*9, [[0]*3]*3.
  • Step 1: i = 0, j = 0, "5" – bit 5 (1 << 4).
    • rows[0] |= 1 << 4, cols[0] |= 1 << 4, boxes[0][0] |= 1 << 4.
  • Step 2: i = 0, j = 1, "3" – bit 3 (1 << 2).
    • rows[0] |= 1 << 2, no overlap, continue.
  • Finish: No overlaps, return true.

How the Code Works (Bit Manipulation)

def isValidSudokuBit(board: list[list[str]]) -> bool:
    # Line 1: Initialize bitmaps
    rows = [0] * 9
    cols = [0] * 9
    boxes = [[0] * 3 for _ in range(3)]

    # Line 2: Process board
    for i in range(9):
        for j in range(9):
            if board[i][j] != '.':
                # Line 3: Convert digit to bit
                num = int(board[i][j]) - 1  # 0-8 for bits
                bit = 1 << num
                # Line 4: Check and set row
                if rows[i] & bit:
                    return False
                rows[i] |= bit
                # Line 5: Check and set column
                if cols[j] & bit:
                    return False
                cols[j] |= bit
                # Line 6: Check and set box
                box_i, box_j = i // 3, j // 3
                if boxes[box_i][box_j] & bit:
                    return False
                boxes[box_i][box_j] |= bit

    # Line 7: Valid if no duplicates
    return True

Complexity

  • Hash Set:
    • Time: O(1) – Fixed 81 cells, O(9^2).
    • Space: O(1) – Fixed 27 sets of size ≤ 9.
  • Bit Manipulation:
    • Time: O(1) – Fixed 81 cells.
    • Space: O(1) – Fixed 27 integers.

Efficiency Notes

Both are O(1) for a 9x9 grid, but Hash Set is more readable and practical. Bit Manipulation saves space (bits vs. sets) but is less intuitive.

Key Insights

Tips to master LeetCode 36:

  • Three Checks: Rows, columns, boxes—cover all rules.
  • Indexing Boxes: Use i//3, j//3 for 3x3 mapping.
  • Skip Dots: Focus only on filled cells.

Additional Example

Section link icon

For board = [["1","2","."],["2",".","."],[".",".","1"]] (3x3 for simplicity):

  • Goal: false.
  • Hash Set: row[0] = {1,2}, row[1] = {2} – duplicate in col[0], return false.
  • Result: false.

Edge Cases

Section link icon
  • All Dots: [[".",".","."],...] – Return true.
  • Single Row: [["1","1","."],...] – Return false.
  • Single Box: [["1","."],["1","."]] – Return false.

Final Thoughts

Section link icon

The Hash Set Tracking solution is a clear winner for LeetCode 36 in Python—simple, efficient, and easy to grasp. For a related challenge, try LeetCode 35: Search Insert Position to sharpen your array skills! Ready to validate some grids? Solve LeetCode 36 on LeetCode now and test it with tricky boards like all dots or subtle duplicates to hone your Sudoku skills. Dive in and solve it!