Click here to Skip to main content
15,884,353 members
Articles / Programming Languages / C#

Sudoku Solver and Generator

Rate me:
Please Sign up or sign in to vote.
4.55/5 (42 votes)
3 Aug 2010CPOL5 min read 434.7K   26.3K   162   44
Solves and generates Sudokus

Introduction

A while back, a colleague of mine introduced me to a game called Sudoku. I was totally ignorant of this game, but soon got the rules explained and then realized pretty quickly that it would be a lot faster to make a program for this than solve even one single puzzle!

Sudoku Rules

The rules for Sudoku are simple. You have a board with 9x9 cells, the board is further divided into nine sub squares with 3x3 cells each. In every sub square, in vertical and horizontal lines, you have to put the numbers 1-9 once and only once.

When creating a Sudoku, we must keep in mind that there can be only one solution for it, otherwise it is not considered a real Sudoku.

Solve the Puzzle

When the class is initialized and a Sudoku puzzle has been set to solve, we can let the function Solve() start its business. In each iteration, we want to locate the spot on the board with the maximum information. We start with an initial set M with all possible solutions for the spot:

C#
// Set M of possible solutions
byte[] M = {0,1,2,3,4,5,6,7,8,9};

We then remove all the used occurrences in the vertical direction:

C#
for(int a = 0; a < 9; a++)
    M[m_sudoku[a,x]] = 0;

and the horizontal direction:

C#
for(int b = 0; b < 9; b++)
    M[m_sudoku[y,b]] = 0;

Last, we remove all the used occurrences in the sub square. To speed up the feasibility test and simplify the code, I decided to use look-up tables for the sub squares. First, we get an index into the sub square table from our current position by using a table that maps locations to sub squares:

C#
int squareIndex = m_subSquare[y,x];

Then we get the actual position into the two-dimensional array by using a sub index array:

C#
EntryPoint p = m_subIndex[squareIndex,c];

This last code snippet is used inside a loop that removes all occurrences in the square:

C#
for(int c = 0; c < 9; c++)
{
    EntryPoint p = m_subIndex[squareIndex,c];
    M[m_sudoku[p.x,p.y]] = 0;
}

We then calculate the cardinality of the set M:

C#
int cM = 0;
for(int d = 1; d < 10; d++)
    cM += M[d] == 0 ? 0 : 1;

If the cardinality of the current set is less than the smallest before that, the current spot is the best evaluated so far:

C#
if(cM < cMp)
{
    cMp = cM;
    Mp = M;
    xp = x;
    yp = y;
}

The smallest cardinality cMp was initially set to 10 and if that hasn't been changed, we can be certain that there are no empty spots on the board and we can exit successfully:

C#
if(cMp == 10)
    return true;

On the other hand, if the cardinality of the smallest set was 0, i.e., there was an empty set M of feasible elements, we can be sure that there isn't a solution and we have to back track:

C#
if(cMp == 0)
    return false;

When all the base cases have been accounted for, we can start the iterative process that tries every element of M in turn:

C#
for(int i = 1; i < 10; i++)
{
    if(Mp[i] != 0)
    {
        m_sudoku[yp,xp] = Mp[i];
        if(Solve())
            return true;
    }
}

// Restore to original state.
m_sudoku[yp,xp] = 0;
return false;

The loop replaces the unused spot with each element of M in turn and tries to solve in a recursive manner. When M gets exhausted, we return false indicating there is no solution. If the function returned successfully, a solution can be read in the Data property as in the example:

C#
...
Sudoku s = new Sudoku();
s.Data = SudokuToSolveFor;
if(s.Solve())
    byte[,] SudokuSolved = s.Data;
else
    // No solution
...

Generate a Sudoku

I soon realized that it was too boring entering Sudokus by hand and set for the task to generate them. My requirements were that you should be able to indicate how many spots should be filled in and give a possible start pattern. If the possible start pattern didn't work out on the first try it could be thrown away and an entire new pattern could be generated, otherwise we might be stuck with a pattern that doesn't have a solution, and considering the size of the entire Sudoku space that is quite bad complexity wise the program does a set number of retries.

The function Generate(int nodes, int numberOfTries = 1000000) is where all the functionality is located. We start by calculating how many spots are used in the current data set and then decide whether we'll start up fresh or and then generate an entire new Sudoku:

C#
int num = GetNumberSpots();

if(!IsSudokuFeasible() || num > nodes)
{
    // The supplied data is not feasible, clear data.
    // - or -
    // The supplied data has too many nodes set, clear data.
    return Tuple.Create(0L, false);
}

The set number of spots are generated and then the Sudoku is tested for uniqueness:

C#
do
{
    var originalData = Data;

    long tries = 0;
    for (; tries < numberOfTries; tries++)
    {
        // Try to generate spots
        if (Gen(spots - num))
        {
            // Test if unique solution.
            if (IsSudokuUnique())
            {
                return Tuple.Create(tries, true);
            }
        }

        // Start over.
        Data = originalData;
    }

    return Tuple.Create(tries, false);

This loop goes on forever until a solution has been found for the set number of iterations. There is room for improvement here if we want to be able to abort in mid search. The Gen(int spots) function starts by generating a random spot on the 9x9 board. To get determinism in the unit tests, the random generator implements the IRandomizer interface and is nondeterministic in production but deterministic for unit tests.

C#
do
{
    xRand = Randomizer.GetInt(9);
    yRand = Randomizer.GetInt(9);
} while(m_sudoku[yRand,xRand] != 0);

For each randomized spot, we have to check for the feasible values, pretty much done in the same style as in the solver:

C#
// Set M of possible solutions
byte[] M = {0,1,2,3,4,5,6,7,8,9};

// Remove used numbers in the vertical direction
for(int a = 0; a < 9; a++)
    M[m_sudoku[a,xRand]] = 0;

// Remove used numbers in the horizontal direction
for(int b = 0; b < 9; b++)
    M[m_sudoku[yRand,b]] = 0;

// Remove used numbers in the sub square.
int    squareIndex = m_subSquare[yRand,xRand];
for(int c = 0; c < 9; c++)
{
    point p = m_subIndex[squareIndex,c];
    M[m_sudoku[p.x,p.y]] = 0;
}

int cM = 0;
// Calculate cardinality of M
for(int d = 1; d < 10; d++)
    cM += M[d] == 0 ? 0 : 1;

If the cardinality is larger than zero, we get a random sample from the feasible set M:

C#
if(cM > 0)
{
    int e = 0;

    do
    {
        // Randomize number from the feasible set M
        e =  Randomizer.GetInt(1,10);
    } while(M[e] == 0);

    // Set number in Sudoku
    m_sudoku[yRand,xRand] = (byte)e;
}

If the set M is empty, this can't be a Sudoku and we restart the process until we find a non-empty set M. When all the given spots have been generated, we try for uniqueness in the function TestUniquness(). The test for uniqueness is done by trying to generate more than one solution; as soon as more than one exists, the generated set will not be feasible and a new one is generated:

C#
... // same as in Solve()

int success = 0;
for(int i = 1; i < 10; i++)
{
    if(Mp[i] != 0)
    {
        m_sudoku[yp,xp] = Mp[i];

        switch(TestUniqueness())
        {
            case Ret.Unique:
                success++;
                break;

            case Ret.NotUnique:
                return Ret.NotUnique;

            case Ret.NoSolution:
                break;
        }

        // More than one solution found?
        if(success > 1)
            return Ret.NotUnique;
    }
}

...

switch(success)
{
    case 0:
        return Ret.NoSolution;

    case 1:
        return Ret.Unique;

    default:
        // Won't happen.
        return Ret.NotUnique;
}

Sample Application

To demonstrate how to use the class, I have made a small, rudimentary application using Windows Forms. From this, you can generate, solve, print, load and save Sudokus.

History

  • 31st July, 2010 - Article update
    • Submitted a bug fix that has been lying around for about five years
    • Migrated solution to Visual Studio 2010 and .NET 4.0
    • Split the solution in three assemblies
    • Added tuples and optional parameters (C# 4.0)
    • Added unit tests (Microsoft.VisualStudio.TestTools.UnitTesting)
  • 18th October, 2005 - Article submission
  • 2nd October, 2005 - Windows Forms framework
  • 25th September, 2005 - Sudoku class

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Technical Lead Raion
Sweden Sweden
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionGJFUJJFJK Pin
Rehab Musarreg10-Aug-13 23:58
Rehab Musarreg10-Aug-13 23:58 
GeneralMy vote of 5 Pin
GregoryW14-May-13 20:22
GregoryW14-May-13 20:22 
QuestionMy Vote of 5 Pin
_Amy5-Jul-12 0:11
professional_Amy5-Jul-12 0:11 
GeneralSudoku variation Pin
Blubbo10-Aug-10 6:47
Blubbo10-Aug-10 6:47 
Generalhats off to you. Pin
shivamkalra17-May-10 9:36
shivamkalra17-May-10 9:36 
GeneralMy vote of 1 Pin
kingofsathy7-Mar-10 3:04
kingofsathy7-Mar-10 3:04 
GeneralDissapointing Pin
disco9-Oct-09 11:31
disco9-Oct-09 11:31 
Generalthe best sudoku solver Pin
karakaya1331-May-09 23:26
karakaya1331-May-09 23:26 
GeneralVery good example Pin
Ngo Thanh Tung - Softech3-Apr-07 16:49
Ngo Thanh Tung - Softech3-Apr-07 16:49 
GeneralNot unique Pin
Subgurim7-Feb-07 14:32
Subgurim7-Feb-07 14:32 
GeneralRe: Not unique Pin
Subgurim8-Feb-07 0:55
Subgurim8-Feb-07 0:55 
GeneralRe: Not unique Pin
disco9-Oct-09 11:40
disco9-Oct-09 11:40 
GeneralAlternative solver/generator Pin
ohadp29-Nov-05 22:11
ohadp29-Nov-05 22:11 
GeneralBug in TestUniqueness Pin
Simon Egli6-Nov-05 23:23
Simon Egli6-Nov-05 23:23 
GeneralRe: Bug in TestUniqueness Pin
Jörgen Pramberg7-Nov-05 2:45
professionalJörgen Pramberg7-Nov-05 2:45 
GeneralRe: Bug in TestUniqueness Pin
Hing7-Nov-05 4:08
Hing7-Nov-05 4:08 
GeneralRe: Bug in TestUniqueness Pin
Jörgen Pramberg7-Nov-05 8:54
professionalJörgen Pramberg7-Nov-05 8:54 
GeneralRe: Bug in TestUniqueness Pin
Hing7-Nov-05 16:58
Hing7-Nov-05 16:58 
Sorry,

I found another sudoku program that say the below sudoku have more than 1 solution, but your program say that it is unique:

0 0 0 | 0 0 0 | 0 9 0
0 0 0 | 0 9 0 | 4 6 7
9 0 4 | 1 0 0 | 0 2 5
-------+-------+------
0 0 9 | 0 0 0 | 0 0 8
8 7 0 | 0 6 0 | 0 1 4
6 0 0 | 0 0 0 | 3 0 0
-------+-------+------
7 4 0 | 0 0 2 | 9 0 1
2 9 8 | 0 3 0 | 0 0 0
0 1 0 | 0 0 0 | 0 0 0


You can download the sudoku program at:
http://www.lemo.dk/sudoku/[^]

and see how to input sudoku using this program at:
http://www.lemo.dk/sudoku/faq.html#4[^]

and you should try to solve the sudoku using the program at the above link, it will say that it has more than 1 solution.

I checked that there is really two solutions for this sudoku, his program generate the below answer:

5 6 7 | 8 2 4 | 1 9 3
1 8 2 | 5 9 3 | 4 6 7
9 3 4 | 1 7 6 | 8 2 5
-------+-------+------
4 2 9 | 3 1 7 | 6 5 8
8 7 3 | 9 6 5 | 2 1 4
6 5 1 | 2 4 8 | 3 7 9
-------+-------+------
7 4 5 | 6 8 2 | 9 3 1
2 9 8 | 7 3 1 | 5 4 6
3 1 6 | 4 5 9 | 7 8 2

and your program generate the following answer:
5 6 7 | 2 8 4 | 1 9 3
1 8 2 | 5 9 3 | 4 6 7
9 3 4 | 1 7 6 | 8 2 5
-------+-------+------
4 2 9 | 3 1 7 | 6 5 8
8 7 3 | 9 6 5 | 2 1 4
6 5 1 | 4 2 8 | 3 7 9
-------+-------+------
7 4 6 | 8 5 2 | 9 3 1
2 9 8 | 7 3 1 | 5 4 6
3 1 5 | 6 4 9 | 7 8 2

(hope that there is no typo error, you can generate the answer yourself)

It is clearly they are different but filled correctly to the sudoku. So, we see that there are at least 2 solutions above. So, your program generate wrong answer for checking uniqueness.

You'd better check and have a look.

Thx a lot,
hhl


-- modified at 23:22 Monday 7th November, 2005
GeneralRe: Bug in TestUniqueness Pin
Hing7-Nov-05 23:43
Hing7-Nov-05 23:43 
GeneralRe: Bug in TestUniqueness Pin
Jörgen Pramberg8-Nov-05 0:48
professionalJörgen Pramberg8-Nov-05 0:48 
GeneralRe: Bug in TestUniqueness Pin
Hing8-Nov-05 1:58
Hing8-Nov-05 1:58 
GeneralRe: Bug in TestUniqueness Pin
Jörgen Pramberg8-Nov-05 2:14
professionalJörgen Pramberg8-Nov-05 2:14 
GeneralRe: Bug in TestUniqueness Pin
Hing8-Nov-05 5:29
Hing8-Nov-05 5:29 
GeneralRe: Bug in TestUniqueness Pin
Doncp8-Nov-05 6:50
Doncp8-Nov-05 6:50 
GeneralRe: Bug in TestUniqueness Pin
Hing8-Nov-05 14:34
Hing8-Nov-05 14:34 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.