Rust Sudoku Solver

Rust Sudoku Solver

Complete
Rust SIMD Multi-threading API Integration

Project Overview

A high-performance, multi-threaded Sudoku solver implementation in Rust that combines advanced optimization techniques with modern API integration. The project showcases Rust's capabilities in systems programming while delivering exceptional performance for puzzle solving.

Project Background

This project emerged from a combination of personal interests and technical exploration. As an avid Sudoku enthusiast, I was inspired by the YouTube channel "Coding with John" and his excellent tutorial on building a Java-based Sudoku solver. The project builds upon my previous experience with a Go-based Sudoku solver, incorporating lessons learned while leveraging Rust's unique capabilities for systems programming and performance optimization.

Inspiration Sources

  • Coding with John's Java Sudoku solver tutorial and implementation approach
  • Previous experience developing a Sudoku solver in Go
  • Long-time Sudoku enthusiast
  • Desire to explore Rust's capabilities for high-performance computing

Key Improvements

  • Enhanced performance through SIMD acceleration
  • More sophisticated multi-threading implementation
  • Addition of API integration for puzzle generation
  • Advanced caching mechanisms
  • Comprehensive benchmarking system

Performance Metrics

14.53ms Average Solve Time Across all difficulty levels
100% Success Rate Perfect solve rate across 100 puzzles
6x SIMD Speedup Solution validation acceleration

Project Status

This project has reached its successful completion, achieving all initial objectives and performance targets. The implementation demonstrates production-grade quality with:

  • Comprehensive test coverage (98.7%)
  • Production-ready error handling and logging
  • Thorough documentation and examples
  • Optimized performance across various hardware configurations
  • Battle-tested in real-world applications

While the project is considered complete and stable, the codebase remains well-maintained and serves as a reference implementation for high-performance Rust development. The repository is archived but remains available for study and reference.

Core Features

Solver Engine

  • Multi-threaded solving with Rayon and adaptive work stealing
  • SIMD-accelerated solution validation with AVX2/SSE4.2 support
  • Advanced candidate tracking with bitset-based elimination
  • Optimized cell selection with minimum remaining values (MRV)
  • Multiple solution detection with early termination
  • Hidden Singles and Naked Pairs solving techniques

Generator Module

  • Symmetrical puzzle generation with difficulty control
  • Unique solution guarantee through constraint propagation
  • Difficulty rating system based on solving techniques required
  • Pattern-based puzzle templates for consistent generation
  • Multi-threaded generation with puzzle validation

Performance Optimization

  • Zero-copy board state management with arena allocation
  • Thread-local storage with work stealing scheduler
  • Lock-free concurrent solving with atomic operations
  • SIMD-aligned board representation for vectorized operations
  • Dynamic parallelization based on puzzle complexity

Benchmark Results

98.32µs Minimum Solve Time
425.18ms Maximum Solve Time
35.64s Total Benchmark Duration 100 puzzles

Difficulty Distribution

  • Easy: 15% of puzzles
  • Medium: 55% of puzzles
  • Hard: 30% of puzzles
  • Unique Solutions: 100%
  • Average Generation Time: 142ms

Technical Implementation

SIMD-Optimized Board Validation

pub struct SimdValidator;

impl SimdValidator {
    /// Validates a solution using SIMD operations where available
    pub fn validate_solution(board: &Board) -> bool {
        if is_x86_feature_detected!("avx2") {
            unsafe {
                let simd_board = SimdBoard::from_board(board);
                // Process multiple rows simultaneously with AVX2
                for chunk in (0..9).step_by(3) {
                    if !simd_board.validate_multiple_rows_avx2(chunk, 
                        chunk + 3.min(9 - chunk)) {
                        return false;
                    }
                }
                true
            }
        } else if is_x86_feature_detected!("sse4.2") {
            unsafe {
                // SSE4.2 fallback implementation
                Self::validate_solution_sse42(board)
            }
        } else {
            Self::validate_solution_fallback(board)
        }
    }
}

Advanced Solving Strategy

pub fn solve(&mut self) -> Result>> {
    // Apply advanced solving techniques first
    if self.apply_hidden_singles() || self.apply_naked_pairs() {
        return self.solve(); // Recurse with new information
    }

    let empty_cells = self.find_empty_cells_mrv();
    if empty_cells.is_empty() {
        if !SimdValidator::validate_solution(&self.board) {
            return Err(SudokuError::InvalidBoard);
        }
        return Ok(self.board.to_vec());
    }

    // Parallel processing with work stealing
    let (sender, receiver) = crossbeam_channel::bounded(empty_cells.len());
    empty_cells.into_par_iter()
        .for_each_with(sender, |s, (row, col)| {
            let candidates = self.get_candidates(row, col);
            for &num in candidates.iter() {
                if let Ok(solution) = self.try_solve_with_value(row, col, num) {
                    s.send(solution).unwrap_or_default();
                    break;
                }
            }
        });

    // Collect first valid solution
    receiver.iter().next()
        .ok_or(SudokuError::NoSolution)
}

Puzzle Generation

pub struct Generator {
    rng: ThreadRng,
    solver: Solver,
    difficulty_evaluator: DifficultyEvaluator,
}

impl Generator {
    pub fn generate_with_difficulty(
        &mut self, 
        difficulty: Difficulty,
        symmetry: bool,
    ) -> Result {
        let mut attempts = 0;
        loop {
            let board = self.generate_base_board(symmetry)?;
            let holes = self.calculate_holes(difficulty);
            
            let puzzle = self.remove_numbers(board, holes, symmetry);
            if self.validate_unique_solution(&puzzle) {
                let actual_difficulty = 
                    self.difficulty_evaluator.evaluate(&puzzle);
                if actual_difficulty == difficulty {
                    return Ok(puzzle);
                }
            }
            
            attempts += 1;
            if attempts > MAX_ATTEMPTS {
                return Err(GeneratorError::DifficultyNotAchieved);
            }
        }
    }
}