You are on page 1of 7

6/30/2017 Creating Optical Character Recognition (OCR) applications using Neural Networks - CodeProject

13,008,727 members (60,424 online) Sargunam Sankaravadivel 126 Sign out

Search for articles, questions, tips


articles Q&A forums lounge

Creating Optical Character Recognition (OCR) applications using Neural Networks


Alex Cherkasov, 1 Sep 2004 Mastering C# 4.0 with Jon
3.98 (138 votes) Rate: Skeet
Free on Pluralsight for 10 days

How the use of neural network can simplify coding of OCR applications.

Download demo project - 22.6 Kb


Download source - 51.1 Kb
Source code of Neuro.NET

Introduction
A lot of people today are trying to write their own OCR (Optical Character Recognition) System or to improve the quality of an existing one.

This article shows how the use of artificial neural network simplifies development of an optical character recognition application, while achieving highest quality of recognition and good
performance.

Background
Developing proprietary OCR system is a complicated task and requires a lot of effort. Such systems usually are really complicated and can hide a lot of logic behind the code. The use of
artificial neural network in OCR applications can dramatically simplify the code and improve quality of recognition while achieving good performance. Another benefit of using neural network
in OCR is extensibility of the system ability to recognize more character sets than initially defined. Most of traditional OCR systems are not extensible enough. Why? Because such task as
working with tens of thousands Chinese characters, for example, is not as easy as working with 68 English typed character set and it can easily bring the traditional system to its knees!

Well, the Artificial Neural Network (ANN) is a wonderful tool that can help to resolve such kind of problems. The ANN is an information-processing paradigm inspired by the way the human
brain processes information. Artificial neural networks are collections of mathematical models that represent some of the observed properties of biological nervous systems and draw on the
analogies of adaptive biological learning. The key element of ANN is topology. The ANN consists of a large number of highly interconnected processing elements (nodes) that are tied
together with weighted connections (links). Learning in biological systems involves adjustments to the synaptic connections that exist between the neurons. This is true for ANN as well.
Learning typically occurs by example through training, or exposure to a set of input/output data (pattern) where the training algorithm adjusts the link weights. The link weights store the
knowledge necessary to solve specific problems.

Originated in late 1950's, neural networks didnt gain much popularity until 1980s a computer boom era. Today ANNs are mostly used for solution of complex real world problems. They are
often good at solving problems that are too complex for conventional technologies (e.g., problems that do not have an algorithmic solution or for which an algorithmic solution is too
complex to be found) and are often well suited to problems that people are good at solving, but for which traditional methods are not. They are good pattern recognition engines and robust
classifiers, with the ability to generalize in making decisions based on imprecise input data. They offer ideal solutions to a variety of classification problems such as speech, character and
signal recognition, as well as functional prediction and system modeling, where the physical processes are not understood or are highly complex. The advantage of ANNs lies in their
resilience against distortions in the input data and their capability to learn.

Using the code


In this article I use a sample application from Neuro.NET library to show how to use Backpropagation neural network in a simple OCR application.

https://www.codeproject.com/Articles/3907/Creating-Optical-Character-Recognition-OCR-appli 1/7
6/30/2017 Creating Optical Character Recognition (OCR) applications using Neural Networks - CodeProject
Lets assume you that you already have gone through all image pre-processing routines (resampling, deskew, zoning, blocking etc.) and you already have images of the characters from your
document. (In the example I simply generate those images).

Creating the neural network.


Lets construct the network first. In this example I use a Backpropagation neural network. The Backpropagation network is a multilayer perceptron model with an input layer, one or more
hidden layers, and an output layer.

The nodes in the Backpropagation neural network are interconnected via weighted links with each node usually connecting to the next layer up, till the output layer which provides output for
the network. The input pattern values are presented and assigned to the input nodes of the input layer. The input values are initialized to values between -1 and 1. The nodes in the next layer
receive the input values through links and compute output values of their own, which are then passed to the next layer. These values propagate forward through the layers till the output
layer is reached, or put another way, till each output layer node has produced an output value for the network. The desired output for the input pattern is used to compute an error value for
each node in the output layer, and then propagated backwards (and here's where the network name comes in) through the network as the delta rule is used to adjust the link values to
produce better, the desired output. Once the error produced by the patterns in the training set is below a given tolerance, the training is complete and the network is presented new input
patterns and produce an output based on the experience it gained from the learning process.

I will use a library class BackPropagationRPROPNetwork to construct my own OCRNetwork.

Hide Copy Code


//Inherit form Backpropagation neural network
public class OCRNetwork: BackPropagationRPROPNetwork
{
//Override method of the base class in order to implement our
//own training method
public override void Train(PatternsCollection patterns)
{
...
}
}

I override the Train method of the base class to implement my own training method. Why do I need to do it? I do it because of one simple reason: the training progress of the network is
measured by quality of produced result and speed of training. You have to establish the criteria when the quality of network output is acceptable for you and when you can stop the training
process. The implementation I provide here is proven (based on my experience) to be fast and accurate. I decided that I can stop the training process when network is able to recognize all of
the patterns, without a single error. So, here is the implementation of my training method.

Hide Shrink Copy Code

public override void Train(PatternsCollection patterns)


{ //Current iteration number
if (patterns != null)
{
double error = 0;
int good = 0;
// Train until all patterns are correct
while (good < patterns.Count)
{
good = 0;
for (int i = 0; i<patterns.Count; i++)
{
//Set the input values of the network
for (int k = 0; k<NodesInLayer(0); k++)
nodes[k].Value = patterns[i].Input[k];
//Run the network
this.Run();
//Set the expected result
for (int k = 0;k< this.OutputNodesCount;k++)
this.OutputNode(k).Error = patterns[i].Output[k];
//Make the network to remember corresponding output
//values. (Teach the network)
this.Learn();
//See if network did produced correct result during
//this iteration
if (BestNodeIndex == OutputPatternIndex(patterns[i]))
good++;
}
//Adjust weights of the links in the network to their
//average value. (An epoch training technique)
foreach (NeuroLink link in links)
((EpochBackPropagationLink)link).Epoch(patterns.Count);
}
}
}

Also, I have implemented a BestNodeIndex property that returns the index of the node having maximum value and having the minimal error. An OutputPatternIndex method
returns the index of the pattern output element having value of 1. If those indices are matched the network has produced correct result. Here is how the BestNodeIndex
implementation looks like:

Hide Copy Code


public int BestNodeIndex
{

https://www.codeproject.com/Articles/3907/Creating-Optical-Character-Recognition-OCR-appli 2/7
6/30/2017 Creating Optical Character Recognition (OCR) applications using Neural Networks - CodeProject
get {
int result = -1;
double aMaxNodeValue = 0;
double aMinError = double.PositiveInfinity;
for (int i = 0; i< this.OutputNodesCount;i++)
{
NeuroNode node = OutputNode(i);
//Look for a node with maximum value or lesser error
if ((node.Value > aMaxNodeValue)||
((node.Value >= aMaxNodeValue)&&(node.Error <aMinError)))
{
aMaxNodeValue = node.Value;
aMinError = node.Error;
result = i;
}
}
return result;
}
}

As simple as it gets I create the instance of the neural network. The network has one constructor parameter integer array describing number of nodes in each layer of the network. First layer
in the network is an input layer. The number of elements in this layer corresponds to number of elements in input pattern and is equal to number of elements in digitized image matrix (we
will talk about it later). The network may have multiple middle layers with different number of nodes in each layer. In this example I use only one layer and apply not official rule of thumb to
determine number of nodes in this layer:

Hide Copy Code


NodesNumber = (InputsCount+OutputsCount) / 2

Note: You can experiment by adding more middle layers and using different number of nodes in there - just to see how it will affect the training speed and recognition quality of the
network.

The last layer in the network is an output layer. This is the layer where we look for the results. I define the number of nodes in this layer equal to a number of characters that we going to
recognize.

Hide Copy Code


//Create an instance of the network
backpropNetwork = new OCRNetwork(new int[3] {aMatrixDim * aMatrixDim,
(aMatrixDim * aMatrixDim + aCharsCount)/2, aCharsCount});

Creating training patterns


Now let's talk about the training patterns. Those patterns will be used for teaching the neural network to recognize the images. Basically, each training pattern consists of two single-
dimensional arrays of float numbers Inputs and Outputs arrays.

Hide Copy Code


/// <summary>
/// A class representing single training pattern and is used to train a
/// neural network. Contains input data and expected results arrays.
/// </summary>
public class Pattern: NeuroObject
{
private double[] inputs, outputs;
...
}

The Inputs array contains your input data. In our case it is a digitized representation of the character's image. Under digitizing the image I mean process of creating a brightness (or
absolute value of the color vector-whatever you choose) map of the image. To create this map I split the image into squares and calculate average value of each square. Then I store those
values into the array.

I have implemented CharToDoubleArray method of the network to digitize the image. There I use an absolute value of the color for each element of the matrix. (No doubt that you can
use other techniques there) After the image is digitized, I have to scale-down the results in order to fit them into a range from -1 ..1 to comply with input values range of the network. To do

https://www.codeproject.com/Articles/3907/Creating-Optical-Character-Recognition-OCR-appli 3/7
6/30/2017 Creating Optical Character Recognition (OCR) applications using Neural Networks - CodeProject
this I wrote a Scale method, where I look for the maximum element value of the matrix and then divide all elements of the matrix by it. So, implementation of CharToDoubleArray
looks like this:

Hide Copy Code


//aSrc an image of the character
//aArrayDim dimension of the pattern matrix
//calculate image quotation X step
double xStep = (double)aSrc.Width/(double)aArrayDim;
//calculate image quotation Y step
double yStep = (double)aSrc.Height/(double)aArrayDim;
double[] result = new double[aMatrixDim*aMatrixDim ];
for (int i=0; i<aSrc.Width; i++)
for (int j=0;j<aSrc.Height;j++)
{
//calculate matrix address
int x = (int)(i/xStep);
int y = (int)(j/yStep);
//Get the color of the pixel
Color c = aSrc.GetPixel(i,j);
//Absolute value of the color, but I guess, it is possible to
//use the B component of Alpha color space too...
result[y*x+y]+=Math.Sqrt(c.R*c.R+c.B*c.B+c.G*c.G);
}
//Scale the matrix to fit values into a range from 0..1 (required by
//ANN) In this method we look for a maximum value of the element
//and then divide all elements of the matrix by this maximum value.
return Scale(result);

The Outputs array of the pattern represents an expected result the result that network will use during the training. There are as many elements in this array as many characters we going
to recognize. So, for instance, to teach the network to recognize English letters from A to Z we will need 25 elements in the Outputs array. Make it 50 if you decide to include lower case
letters. Each element corresponds to a single letter. The Inputs of each pattern are set to a digitized image data and a corresponding element in the Outputs array to 1, so network will
know which output (letter) corresponds to input data. The method CreateTrainingPatterns does this job for me.

Hide Copy Code


public PatternsCollection CreateTrainingPatterns(Font font) {
//Create pattern collection
// As many inputs (examples) as many elements in digitized image matrix
// As many outputs as many characters we going to recognize.
PatternsCollection result = new PatternsCollection(aCharsCount,
aMatrixDim * aMatrixDim, aCharsCount);
// generate one pattern for each character
for (int i= 0; i<aCharsCount; i++)
{
//CharToDoubleArray creates an image of the character and digitizes it.
//You can change this method to pass actual the image of the character
double[] aBitMatrix = CharToDoubleArray(Convert.ToChar(aFirstChar + i),
font, aMatrixDim, 0);
//Assign matrix value as input to the pattern
for (int j = 0; j<aMatrixDim * aMatrixDim; j++)
result[i].Input[j] = aBitMatrix[j];
//Output value set to 1 for corresponding character.
//Rest of the outputs are set to 0 by default.
result[i].Output[i] = 1;
}
return result;
}

Now we have completed creation of patterns and we can use those to train the neural network.

Training of the network.


To start training process of the network simple call the Train method and pass your training patterns in it.

Hide Copy Code


//Train the network
backpropNetwork.Train(trainingPatterns);

Normally, an execution flow will leave this method when training is complete, but in some cases it could stay there forever (!).The Train method is currently implemented relying only on
one fact: the network training will be completed sooner or later. Well, I admit - this is wrong assumption and network training may never complete. The most popular reasons for neural
network training failure are:

Training never completes because: Possible solution

1. The network topology is too simple to handle amount of training patterns


Add more nodes into middle layer or add more middle layers to the network.
you provide. You will have to create bigger network.

2. The training patterns are not clear enough, not precise or are too As a solution you can clean the patterns or you can use different type of network /training algorithm. Also,
complicated for the network to differentiate them. you cannot train the network to guess next winning lottery numbers... :-)

3. Your training expectations are too high and/or not realistic. Lower your expectations. The network could be never 100% "sure"

4. No reason Check the code!

https://www.codeproject.com/Articles/3907/Creating-Optical-Character-Recognition-OCR-appli 4/7
6/30/2017 Creating Optical Character Recognition (OCR) applications using Neural Networks - CodeProject
Most of those reasons are very easy to resolve and it is a good subject for a future article. Meanwhile, we can enjoy the results.

Enjoying the results


Now we can see what the network has learned. Following code fragment shows how to use trained neural network in your OCR application.

Hide Copy Code


//Get your input data
double[] aInput = ... (your digitized image of the character)
//Load the data into the network
for (int i = 0; i< backpropNetwork.InputNodesCount;i++)
backpropNetwork.InputNode(i).Value = aInput[i];
//Run the network
backpropNetwork.Run();
//Get result from the network and convert it to a character
return Convert.ToChar(aFirstChar + backpropNetwork.BestNodeIndex).ToString();

In order to use the network you have to load your data into input layer. Then use the Run method to let the network process your data. Finally, get your results out from output nodes of the
network and analyze those (The BestNodeIndex property I created in OCRNetwork class does this job for me).

License
This article, along with any associated source code and files, is licensed under The GNU General Public License (GPLv3)

Share
EMAIL TWITTER

About the Author


Alex Cherkasov
Senior System Architect with 11+ yrs experience. Masters degree in CS (PhD is
Web Developer
in progress). Experienced in design and implementation of enterprise wide computer systems,
United States
n-Tier applications, application servers, computer vision, image analysis and
AI. Provide project design, development and management consulting services
through owned company http://www.xpidea.com

You may also be interested in...


Neural Network OCR Generate and add keyword variations using AdWords API

Unicode Optical Character Recognition Window Tabs (WndTabs) Add-In for DevStudio

SAPrefs - Netscape-like Preferences Dialog WTL for MFC Programmers, Part IX - GDI Classes, Common Dialogs, and
Utility Classes

Comments and Discussions


Search Comments Go
Add a Comment or Question

First Prev Next

https://www.codeproject.com/Articles/3907/Creating-Optical-Character-Recognition-OCR-appli 5/7
6/30/2017 Creating Optical Character Recognition (OCR) applications using Neural Networks - CodeProject
First Prev Next

Using this library for recognizing languages other than English characters
Member 10375740 30-Sep-15 3:43

Source code of Neuro.NET


Alex Cherkasov 28-Jun-15 0:34

Missing source code?


Member 11721360 27-May-15 0:32

plate recognition
merve123 5-Mar-14 8:36

qestion
aymandesoky 29-Mar-13 22:43

My vote of 5
manoj kumar choubey 11-Apr-12 8:31

Complete source code not included ?


Soliant 29-Jun-11 8:13

My vote of 5
Norm .net 1-Apr-11 3:34

My vote of 5
Member 3837040 4-Jan-11 20:43

C# ocr A1 eurobanking font


jigasvicar 19-Sep-10 16:07

My vote of 4
Tanuj Srivastava 25-Aug-10 4:05

[OCR] Help Needed


Kayode Nubi 25-May-10 1:43
Re: [OCR] Help Needed
Dehan Wijesekara 15-May-14 9:41

ANN & backpropagation project


FoodGood 17-May-10 17:15

DTW
metyouba 14-Mar-10 6:06

Help needed....
deepak7777 15-Dec-09 23:44
Re: Help needed....
Kayode Nubi 25-May-10 1:46

Great article but...


vbguyny 11-May-09 15:43

Ocr with java........


Eti Roy 13-Sep-08 5:43
Re: Ocr with java........
scanreg 28-Jan-09 8:57

What about MNIST?


juicy_emad 18-Jul-08 19:09

Liscence?
Barbarrosa 11-May-08 9:38

thanks :)
*Jori* 22-Apr-08 17:46

Document of Neuro.Net library


Toro_Sun 16-Apr-08 22:00

Can you give me the right solution as the Demo?


Member 3563088 16-Apr-08 3:12

Hey guy, the code was different from the demo


Mr. Cencious 27-Mar-08 20:50
Re: Hey guy, the code was different from the demo
ibnkhaldun 1-Jan-12 23:27

how to read text on a image through ocr


harivinod 25-Jan-08 19:16

Re: how to read text on a image through ocr


Prasun Roygupta 29-Feb-08 1:14

Printed chinese characters


Amanda_Lau 8-Jan-08 0:54

https://www.codeproject.com/Articles/3907/Creating-Optical-Character-Recognition-OCR-appli 6/7
6/30/2017 Creating Optical Character Recognition (OCR) applications using Neural Networks - CodeProject
what are pros and cons in current ocr..
murali488 25-Aug-07 2:39

how to compile source code in Visual studio-6


74yrsold 10-Jun-07 12:49
Re: how to compile source code in Visual studio-6
Alex Cherkasov 10-Jun-07 15:34

Source Code is not perfect !


Alireza . Shirazi 15-May-07 1:26

Zoning and Blocking


Guy007 14-Mar-07 4:43

Re: Zoning and Blocking


michael_1213 16-Jul-07 23:42

License number
Grimmsimon 23-Jan-07 7:41
Re: License number
arorahere 31-May-07 6:02

OCR Project.
Prasanna Vignesh 2-Dec-06 1:00

Re: OCR Project.


mythily13 28-Aug-07 15:27
Re: OCR Project.
Toro_Sun 16-Apr-08 3:51

Re: OCR Project.


malik mussa 7-Jul-09 5:47
Re: OCR Project.
Alex Cherkasov 7-Jul-09 20:05

error and rectangkle, please tell me?


jammay 11-Sep-06 22:40

Some Documentation
adeel2 1-Jun-06 6:08

character recognision using NN


damith007 18-May-06 1:17

Error rate
tuonginfo 10-May-06 9:18

learning freezes at 74%


djpitagora 28-Feb-06 5:01

other ways
jianloong 8-Feb-06 22:24

How to recognize a string... and is the library free


sasko007 2-Jan-06 13:12

Refresh 1 2 3 4 Next

General News Suggestion Question Bug Answer Joke Praise Rant Admin

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

Permalink | Advertise | Privacy | Terms of Use | Mobile Layout: fixed | fluid Article Copyright 2003 by Alex Cherkasov
Velg sprk
Web02 | 2.8.170628.1 | Last Updated 2 Sep 2004 Everything else Copyright CodeProject, 1999-2017

https://www.codeproject.com/Articles/3907/Creating-Optical-Character-Recognition-OCR-appli 7/7

You might also like