Click here to Skip to main content
15,867,568 members
Articles / Artificial Intelligence
Article

AForge.NET open source framework

Rate me:
Please Sign up or sign in to vote.
4.97/5 (150 votes)
16 May 2007GPL311 min read 824.6K   48.3K   346   153
The article describes an open source C# framework for researchers in the areas of Computer Vision and Artificial Intelligence - image processing, neural networks, genetic algorithms, etc.

Introduction

It so happened that from time to time during the past two years I was working on several research projects in the areas of Computer Vision and Artificial Intelligence. As a result of this work, a lot of code was produced and several articles on Code Project were published that describe some of these areas. Publishing these articles, I discovered that these areas are interesting not only to me, but to a wide range of developers as well. From the time of my first publication on Code Project, I received many different e-mails from many interesting people all over the world, who were applying some of my code to a great number of applications. Some of these people were interested in not just using the code, but in extending it and contributing to these projects. From the very first such offer, the idea of an open source project would not leave me for a long time.

The aim of this article is to make its publication to be an official opening of a new open source project AForge.NET - a C# framework for researchers in different areas of Computer Vision and Artificial Intelligence. The framework summarizes most of my previous work being done in these areas and is going to be extended more and more with new ideas. At the present moment the framework consists of 3 significant parts, which were discussed in detail in some of my previous articles:

  • Image processing
  • Neural networks
  • Evolution algorithms

Starting this project, the idea was not just in summarizing all the previous source codes from different areas and providing them to the community as they are. Besides several libraries and their sources, the framework also provides many sample applications that demonstrate the use of this framework, and documentation files in HTML Help format that can be used as a reference. The aim of this project is not only to extend its functionality, but to also provide support for it, improving and extending its documentation and sample application set.

Image processing library

The image processing library contains a set of image processing filters and tools designed to address many different tasks of computer vision [^] and image analysis/processing [^]. At the moment the library contains the below set of filters, which is growing more and more as new ones develop:

  • Color filters (grayscale, sepia, invert, rotate channels, channel extraction, channel replacing, channel filtering, color filtering, Euclidean color filtering, RGB channals linear correction)
  • HSL filters (linear correction, brightness, contrast, saturation, hue modifier, HSL filtering)
  • YCbCr filters (lenear correction, YCbCr filtering, channel extraction/replacement)
  • Binarization filters (threshold, threshold with carry, ordered dithering, Bayer dithering, Floyd-Steinberg, Burkes, Jarvis-Judice-Ninke, Sierra, Stevenson-Arce, Stucki dithering methods)
  • Adaptive binarization (simple image statistics);
  • Mathematical morphology filters (erosion, dilatation, opening, closing, hit & miss, thinning, thickening)
  • Convolution filters (mean, blur, sharpen, edges, gaussian blur, sharpenning based on gaussian kernel)
  • 2 Source filters (merge, intersect, add, subtract, difference, move towards, morph)
  • Edge detectors (homogeneity, difference, sobel, canny)
  • Gamma correction, Median filter
  • Conservative smoothing, jitter, oil painting, pixellate, simple skeletonization
  • Blob counter and connected components labeling filter
  • Texture generators (clouds, marble, wood, labyrinth, textile), texturer, textured filter, texture merge filter
  • Resize and rotation (nearest neighbor, bilinear, bicubic)
  • Frequency filtering with FFT
  • Image statistics

Before starting the use of the library routines, it is required to ensure that the source image has one of two formats supported by the library (24 bits per pixel color image or grayscale image represented as 8 bit per pixel indexed image):

C#
// load an image
System.Drawing.Bitmap image = (Bitmap) Bitmap.FromFile( fileName );
// format image
AForge.Imaging.Image.FormatImage( ref image );

The library describes two main interfaces, IFilter and IInPlaceFilter , which should be implemented by all image processing filters. The fist interface is obligatory for all filters and describes their functionality. This allows the filter's application to the source image without its modification. Instead of this, a new image is returned as a result of the image processing routine, but the source image is left untouched. The second interface is implemented only by those filters, which may be applied directly to the source image, updating it in the result of the image processing routine.

The below sample code demonstrates the use of a filter that can be applied directly to the source image:

C#
// create filter
HSLFiltering filter = new HSLFiltering(
    new IntRange( 330, 30 ),    // hue range
    new DoubleRange( 0.5, 1 ),    // saturation range
    new DoubleRange( 0, 1 ) );    // luminance range
filter.UpdateLuminance = false;
filter.UpdateHue = false;
// apply the filter
filter.ApplyInPlace( sourceImage );

The above sample demonstrates the use of an HSL filter, which filters an image keeping only pixels within the specified HSL range and clearing pixels outside the range. With the help of additional configuration properties, it is possible to clear not the entire pixel, but only certain HSL channels. The above sample keeps only red colors with saturation values above 0.5; other colors are converted to grayscale:

HSL filter sample

The next sample demonstrates the use of a filter, which produces a new image as a result of its work:

C#
// create filter
IFilter filter = new FloydSteinbergDithering( );
// apply the filter
Bitmap newImage = filter.Apply( sourceImage );

This sample demonstrates the use of a binarization algorithm known as Floyd-Steinberg binarization:

Floyd-Steinberg sample

Neural networks library

The neural network library implements some common popular neural network concepts. It may be applied to a range of problems that can be solved with multi-layer feed-forward networks using supervised learning algorithms, or with self-organizing networks using unsupervised learning algorithms [^ ]. In designing the library, the main idea was to keep its flexibility and reusability. This would make it as easy to extend the library with new neural network architectures and learning algorithms as it would be to apply it towards a vast range of other problems to solve.

For example, let's take a look at how to solve some common problems with the library. The code sample below demonstrates how to apply the library to a classification problem:

C#
// prepare learning data
double[][] input = new double[samples][];
double[][] output = new double[samples][];
// ... preparing the data ...

// create perceptron
ActivationNetwork network = new ActivationNetwork( new ThresholdFunction( ), 
    2, classesCount );
// create teacher
PerceptronLearning teacher = new PerceptronLearning( network );
// set learning rate
teacher.LearningRate = learningRate;
// loop
while ( ... )
{
    // run epoch of learning procedure
    double error = teacher.RunEpoch( input, output );
    ...
}

The above code sample may be divided into 3 main parts: 1) preparing learning data, 2) creating and initializing neural network and learning algorithms and 3) teaching the network. Let's take a look at another code sample, which solves a very different problem - approximation.

C#
// prepare learning data
double[][] input = new double[samples][];
double[][] output = new double[samples][];
// ... preparing the data ...
// create multi-layer neural network
ActivationNetwork    network = new ActivationNetwork(
    new BipolarSigmoidFunction( sigmoidAlphaValue ),
    1, neuronsInFirstLayer, 1 );
// create teacher
BackPropagationLearning teacher = new BackPropagationLearning( network );
// set learning rate and momentum
teacher.LearningRate = learningRate;
teacher.Momentum     = momentum;
// loop
while ( ... )
{
    // run epoch of learning procedure
    double error = teacher.RunEpoch( input, output ) / samples;
    ...
}
Approximation

The code looks rather similar to the above one and may also be divided to the same 3 parts. The only difference between these two code samples is the learning data preparation routine and some network/learning algorithm parameters. Of course, different problems have different input and output data, so they may differ in the way of data preparation for neural network learning. But for the rest, these two code samples are very similar in concept.

The above two samples demonstrated how to use supervised learning algorithms and feed-forward networks. Now let's take a look at another sample, which utilizes an absolutely different neural network architecture – the Kohonen Self-Organizing Map applied to the color clustering task:

C#
// set neurons weights randomization range
Neuron.RandRange = new DoubleRange( 0, 255 );
// create network
DistanceNetwork network = new DistanceNetwork( 3, 100 * 100 );
// create learning algorithm
SOMLearning trainer = new SOMLearning( network );
// input
double[] input = new double[3];
// loop
while ( ... )
{
    // update learning rate and radius
    // ...

    // prepare network input
    input[0] = rand.Next( 256 );
    input[1] = rand.Next( 256 );
    input[2] = rand.Next( 256 );

    // run learning iteration
    trainer.Run( input );
    
    ...
}
Color clustering

The concept of this sample is in some ways similar to the two above samples. Yes, it skips the first step of preparation data. But the sample does it just before running each learning iteration. Instead of running a learning algorithm for the entire data set (learning epoch), the learning algorithm runs only for the just-prepared data sample.

Evolution algorithms library

The evolution computation library implements several popular algorithms, such as Genetic Algorithms (GA), Genetic Programming (GP) and Gene Expression Programming (GEP). This makes it applicable to many different types problems [^]. The design idea for this library was kept the same as for the entire library – making it flexible, reusable and easy to use.

As in the case of the neural network library, the use of the evolution library is simple and analogous for a variety of problems. To illustrate, we'll take a look at two examples: 1) function optimisation and 2) function approximation.

Function optimization

C#
// define optimization function
public class UserFunction : OptimizationFunction1D
{
    public UserFunction( ) :
        base( new DoubleRange( 0, 255 ) ) { }

    public override double OptimizationFunction( double x )
    {
        return Math.Cos( x / 23 ) * Math.Sin( x / 50 ) + 2;
    }
}
...
// create genetic population
Population population = new Population( 40,
    new BinaryChromosome( 32 ),
    new UserFunction( ),
    new EliteSelection( ) );
// run one epoch of the population
population.RunEpoch( );
Function iptimization

Function approximation

C#
// function to be approximated
double[,] data = new double[5, 2] {
    {1, 1}, {2, 3}, {3, 6}, {4, 10}, {5, 15} };
// create population
Population population = new Population( 100,
    new GPTreeChromosome( new SimpleGeneFunction( 6 ) ),
    new SymbolicRegressionFitness( data, new double[] { 1, 2, 3, 5, 7 } ),
    new EliteSelection( ),
    0.1 );
// run one epoch of the population
population.RunEpoch( );

The above two sample codes look rather similar. The greatest difference is the section defining the fitness function for the evolution algorithm. In the first sample, the fitness function is defined by the definition of the function to be optimized. In the second sample, a standard fitness function from the library is used and only initialization data are prepared for it. The rest of these two samples may differ in certain details, but still look very similar in concept.

The fact that most samples are so similar is achieved by implementing most entities from evolution computation in separate classes. This allows their easy reuse and combination, like a Lego structure, to solve a particular task.

More samples

As was stated in the beginning of this article, the framework comes not only with a set of libraries and their sources, but it also provides a set of sample applications for each area of the framework. From this perspective, visiting the project's home page is recommended in order to get all of the latest updates and releases, and also to get support and to participate in the discussion group.

Project home page

As is very common for Open Source projects, this one has a home page, which provides access to the project's information, source codes, stable releases, discussion groups and issue tracking system. At the moment, the project has its space on the Google's Code project and it is accessible via the next link: http://code.google.com/p/aforge/.

Project's home page

Why Google's Code? As it can be seen, Google is an extremely fast-developing company, which provides more and more services with each passing day. And, as it can be noticed, all of these services are of a high quality and are highly integrated into the composite system. So, it is believed that by coming together with Google, the project will have a good place to live.

Accessing source codes and stable releases

The Google's Code project uses Subversion as a source control system, which is very nice and convenient to use. To get access to the project repository you may use command line utilities, as different client utilities have a great selection. As for me, I prefer to use the Tortoise SVN client, which integrates with Windows Explorer and provides access to the repository through a nice GUI.

To keep up-to-date, you may check the repository's log from time to time. This will provide you with information about all the latest commits -- their time and their notes -- which describes what exactly was changed/added in that particular commit.

Working folder's log

If you notice any changes in the working repository and you are brave enough or wiling to get the critical update for your interest, then you may receive the freshest sources snapshot from the working folder of the project (trunk). But if you would like to be sure about what you receive and you would like to have a more stable release, then it is advisable to download the project from the latest know tag. To navigate through the project repository and learn about its structure and available branches or tags, you may use the Repo-browser utility, which is accessible from explorer's context menu:

Project's repository browser

Submitting issues ans requests for new features

As it usually happens, the project is not ideal and may have different bugs or issues, which should be reported and put into the fix queue. Also, it is obvious that many different people may want to get an extra feature or have some other request for extending the project. To provide the centralized storage of all these issues and requests, the project has an issue tracking system that allows the submission of issues of any type, marking their type, priority and area. The issue tracking system is also available from the project's home page and is provided by Google's Code:

Issue tracking system

Please, if you find a bug or you have an extension request, try to submit it through the project's issue tracking system, not through CodeProject. This will make it much easier to track all of these different issues and they will be stored in centralized storage, so it will become possible to search for an issue and its status before submitting it again and again.

Participating in the project

Do you have an interest to the project? Do you want to participate in its discussions? Do you want to become a member of it? If so, you are more than welcome in the project's discussion group.

Conclusion

Working on different parts of this project, I learned a lot in many different areas. The project became not just a hobby for me, but some of its parts were used in my bachelor degree work, as in various research work and projects. Combining all of this together and sharing it as an Open Source project also gave me new experience in project managing, controlling and organization. I hope that the project will be found interesting to more than just me and that it will be used by many people. I hope that some will even join it, thus extending it with new ideas.

History

  • [18.05.2007] - Article moved from C# Algorithms subsection "Neural Networks" to subsection "General"
  • [16.05.2007] - Article edited and posted to main CodeProject.com article base
  • [23.02.2007] - 1.1.0 version
    • Project converted to .NET 2.0
    • Completed merge with older stand-alone versions of Imaging and Math libraries;
    • Sandcastle is used for documentation generations
  • [22.12.2006] - Initial publication of the article, 1.0.0 release of the framework and official opening of the open source project

License

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


Written By
Software Developer IBM
United Kingdom United Kingdom
Started software development at about 15 years old and it seems like now it lasts most part of my life. Fortunately did not spend too much time with Z80 and BK0010 and switched to 8086 and further. Similar with programming languages – luckily managed to get away from BASIC and Pascal to things like Assembler, C, C++ and then C#. Apart from daily programming for food, do it also for hobby, where mostly enjoy areas like Computer Vision, Robotics and AI. This led to some open source stuff like AForge.NET, Computer Vision Sandbox, cam2web, ANNT, etc.

Comments and Discussions

 
QuestionHow to generate future value in time series Pin
Member 1210777919-Oct-16 2:07
Member 1210777919-Oct-16 2:07 
Questionc# , shape detection, extract shapes, aforge Pin
Member 118924341-Sep-15 9:55
Member 118924341-Sep-15 9:55 
GeneralNeural Network of Aforge.NET Pin
Member 1132177929-Dec-14 1:35
Member 1132177929-Dec-14 1:35 
QuestionError (Could not find variable cameraWindow ) Pin
Member 1108676315-Oct-14 3:15
Member 1108676315-Oct-14 3:15 
QuestionHow to remove black strip from image? Pin
vdeo122-May-14 1:43
vdeo122-May-14 1:43 
I want to remove the horizontal or vertical black strips from image using aforge or opencv?
I found destripping imaging filter which is in gimp . Is it possible to get same result in aforge?
QuestionHI Pin
CauchyMarshal22-Jul-13 4:06
CauchyMarshal22-Jul-13 4:06 
QuestionGPL V3 Pin
nonenameroot6-Feb-13 1:25
nonenameroot6-Feb-13 1:25 
AnswerRe: GPL V3 Pin
Member 1270220024-Aug-16 19:50
Member 1270220024-Aug-16 19:50 
GeneralRe: GPL V3 Pin
ScottM111-Aug-17 0:47
ScottM111-Aug-17 0:47 
QuestionRed Colors Pin
dommy1A20-Jan-13 1:02
dommy1A20-Jan-13 1:02 
QuestionUsing Aforge:VideoSourcePlayer in WPF Pin
Huy Vo Quang26-Sep-12 23:11
Huy Vo Quang26-Sep-12 23:11 
AnswerRe: Using Aforge:VideoSourcePlayer in WPF Pin
pablo081130-Nov-12 4:41
pablo081130-Nov-12 4:41 
GeneralRe: Using Aforge:VideoSourcePlayer in WPF Pin
Huy Vo Quang10-Dec-12 21:08
Huy Vo Quang10-Dec-12 21:08 
Questioncomment Pin
code cOmRAdE2-Sep-12 15:24
code cOmRAdE2-Sep-12 15:24 
Questioncharacter segmentation from scanned images Pin
Rohit Chodvadiya7-Aug-12 5:42
Rohit Chodvadiya7-Aug-12 5:42 
Questioniris recognition c# Pin
IqbalDani16-Jul-12 7:06
IqbalDani16-Jul-12 7:06 
GeneralMy vote of 5 Pin
Manoj Kumar Choubey20-Apr-12 23:18
professionalManoj Kumar Choubey20-Apr-12 23:18 
QuestionHow to use it?? Pin
lvantin16-Jan-12 20:43
lvantin16-Jan-12 20:43 
AnswerRe: How to use it?? Pin
Andrew Kirillov16-Jan-12 22:40
Andrew Kirillov16-Jan-12 22:40 
QuestionMedical image segmentation C# Pin
MaiSalah7-Dec-11 7:48
MaiSalah7-Dec-11 7:48 
QuestionHow to use Frequency Filter (Fourier Tranform) apply to 24 bit image ??? Pin
Bluke24-Oct-11 17:32
Bluke24-Oct-11 17:32 
QuestionRobot tracking object Pin
iamaldrin20-Jul-11 7:03
iamaldrin20-Jul-11 7:03 
GeneralCounting Dice Pin
BW Nichols23-May-11 15:31
BW Nichols23-May-11 15:31 
GeneralBicubic resizing Pin
Miguel Lopes7-Jan-11 1:21
Miguel Lopes7-Jan-11 1:21 
GeneralRe: Bicubic resizing Pin
Miguel Lopes7-Jan-11 3:03
Miguel Lopes7-Jan-11 3:03 

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.