Click here to Skip to main content
15,886,110 members
Articles / Programming Languages / C#

Testing and Validation CNTK Models using C#

Rate me:
Please Sign up or sign in to vote.
5.00/5 (5 votes)
15 Nov 2017CPOL1 min read 15.2K   1   11
Once the model is built and Loss and Validation functions satisfy our expectation, we need to validate and test the model using the data which was not part of the training data set (unseen data).

…continuation from the previous post.

Once the model is built and Loss and Validation functions satisfy our expectation, we need to validate and test the model using the data which was not part of the training data set (unseen data). The model validation is very important because we want to see if our model is trained well, so that can evaluate unseen data approximately same as the training data. Otherwise, the model which cannot predict the output is called overfitted model. Overfitting can happen when the model was trained long enough that shows very high performance for the training data set, but for the testing data, evaluate bad results.

We will continue with the implementation from the prevision two posts, and implement model validation. After the model is trained, the model and the trainer are passed to the Evaluation method. The evaluation method loads the testing data and calculates the output using passed model. Then it compares calculated (predicted) values with the output from the testing data set and calculated the accuracy. The following source code shows the evaluation implementation.

C#
private static void EvaluateIrisModel(Function ffnn_model, Trainer trainer, DeviceDescriptor device)
{
    var dataFolder = "Data";//files must be on the same folder as program
    var trainPath = Path.Combine(dataFolder, "testIris_cntk.txt");
    var featureStreamName = "features";
    var labelsStreamName = "label";

    //extract features and label from the model
    var feature = ffnn_model.Arguments[0];
    var label = ffnn_model.Output;

    //stream configuration to distinct features and labels in the file
    var streamConfig = new StreamConfiguration[]
        {
            new StreamConfiguration(featureStreamName, feature.Shape[0]),
            new StreamConfiguration(labelsStreamName, label.Shape[0])
        };

    // prepare testing data
    var testMinibatchSource = MinibatchSource.TextFormatMinibatchSource(
        trainPath, streamConfig, MinibatchSource.InfinitelyRepeat, true);
    var featureStreamInfo = testMinibatchSource.StreamInfo(featureStreamName);
    var labelStreamInfo = testMinibatchSource.StreamInfo(labelsStreamName);

    int batchSize = 20;
    int miscountTotal = 0, totalCount = 20;
    while (true)
    {
        var minibatchData = testMinibatchSource.GetNextMinibatch((uint)batchSize, device);
        if (minibatchData == null || minibatchData.Count == 0)
            break;
        totalCount += (int)minibatchData[featureStreamInfo].numberOfSamples;

        // expected labels are in the mini batch data.
        var labelData = minibatchData[labelStreamInfo].data.GetDenseData<float>(label);
        var expectedLabels = labelData.Select(l => l.IndexOf(l.Max())).ToList();

        var inputDataMap = new Dictionary<Variable, Value>() {
            { feature, minibatchData[featureStreamInfo].data }
        };

        var outputDataMap = new Dictionary<Variable, Value>() {
            { label, null }
        };

        ffnn_model.Evaluate(inputDataMap, outputDataMap, device);
        var outputData = outputDataMap[label].GetDenseData<float>(label);
        var actualLabels = outputData.Select(l => l.IndexOf(l.Max())).ToList();

        int misMatches = actualLabels.Zip(expectedLabels, (a, b) => a.Equals(b) ? 0 : 1).Sum();

        miscountTotal += misMatches;
        Console.WriteLine($"Validating Model: Total Samples = {totalCount}, 
                                              Mis-classify Count = {miscountTotal}");

        if (totalCount >= 20)
            break;
    }
    Console.WriteLine($"---------------");
    Console.WriteLine($"------TESTING SUMMARY--------");
    float accuracy = (1.0F - miscountTotal / totalCount);
    Console.WriteLine($"Model Accuracy = {accuracy}");
    return;
}

The implemented method is called in the previous Training method.

C#
EvaluateIrisModel(ffnn_model, trainer, device);

As can be seen, the model validation has shown that the model predicts the data with high accuracy, which is shown in the following image:

This is the latest post in the series of blog posts about using Feed forward neural networks to train the Iris data using CNTK and C#.

The full source code for all three samples can be found here.

Filed under: .NET, C#, CNTK, CodeProject
Tagged: .NET, C#, CNTK, Code Project, CodeProject, Machine Learning

License

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


Written By
Software Developer (Senior)
Bosnia and Herzegovina Bosnia and Herzegovina
Bahrudin Hrnjica holds a Ph.D. degree in Technical Science/Engineering from University in Bihać.
Besides teaching at University, he is in the software industry for more than two decades, focusing on development technologies e.g. .NET, Visual Studio, Desktop/Web/Cloud solutions.

He works on the development and application of different ML algorithms. In the development of ML-oriented solutions and modeling, he has more than 10 years of experience. His field of interest is also the development of predictive models with the ML.NET and Keras, but also actively develop two ML-based .NET open source projects: GPdotNET-genetic programming tool and ANNdotNET - deep learning tool on .NET platform. He works in multidisciplinary teams with the mission of optimizing and selecting the ML algorithms to build ML models.

He is the author of several books, and many online articles, writes a blog at http://bhrnjica.net, regularly holds lectures at local and regional conferences, User groups and Code Camp gatherings, and is also the founder of the Bihac Developer Meetup Group. Microsoft recognizes his work and awarded him with the prestigious Microsoft MVP title for the first time in 2011, which he still holds today.

Comments and Discussions

 
QuestionI do have a quick question? Pin
asiwel16-Nov-17 9:10
professionalasiwel16-Nov-17 9:10 
AnswerRe: I do have a quick question? Pin
Bahrudin Hrnjica17-Nov-17 0:59
professionalBahrudin Hrnjica17-Nov-17 0:59 
GeneralRe: I do have a quick question? Pin
asiwel17-Nov-17 4:07
professionalasiwel17-Nov-17 4:07 
GeneralRe: I do have a quick question? Pin
Bahrudin Hrnjica21-Nov-17 8:43
professionalBahrudin Hrnjica21-Nov-17 8:43 
GeneralRe: I do have a quick question? Pin
asiwel21-Nov-17 11:15
professionalasiwel21-Nov-17 11:15 
GeneralRe: I do have a quick question? Pin
Bahrudin Hrnjica22-Nov-17 0:43
professionalBahrudin Hrnjica22-Nov-17 0:43 
GeneralRe: Variable Learning rate Pin
asiwel22-Nov-17 7:26
professionalasiwel22-Nov-17 7:26 
GeneralRe: I do have a quick question and a solution Pin
asiwel21-Nov-17 13:59
professionalasiwel21-Nov-17 13:59 
GeneralHa! Feel some vindicated. Pin
asiwel25-Nov-17 11:12
professionalasiwel25-Nov-17 11:12 
QuestionReally Neat Project! Pin
asiwel15-Nov-17 16:50
professionalasiwel15-Nov-17 16:50 
I must say that getting all the data pieces and putting all the blog code pieces to get this project to run and to (somewhat) understand all the parts has been an amazing effort! I had to go back to your own source codes, get them to run (fairly easily), and then debug at break points to look at various inputs and outputs to figure out the actual data formats being used by the code (so I could fit my own data to them). For example, the picture of how the cntk format was supposed to look, shown I think in Blog 2 or 3, and how it really looks in the testIris_cntk.txt data file are rather different! And also how all those "hot vectors" and features translate in 1D arrays was interesting too. Smile | :)

At any rate, that has sure been worth very bit of it. This is a excellent and very timely contribution. I (and surely lots of others have really wanted to use the Microsoft Cognitive Toolkit for a long time, but it was not available for ready and direct integration in C#. And now even with the new nice Nuget package, without your blog guides, it would have still been a nightmare to learn how to apply quickly!

My goal here was to learn ... but since I just published a little tiny piece of code to produce a confusion matrix (our articles were released on the same day!), I wanted to see if I could really learn to use CNTK in C# and get all the way to adding my little Crosstabs/Confusion matrix routine to visualize the final output.

And happily I finally did that. It was necessary to comment out some lines in the demo method's code referring to a Form and a DataGridView to make it run in a Console app, but that was easy. Here's the result (using the vars expectedvalues and actualvalues from your EvaluateIrisModel() method applied to the original training data):

Thank you again for one of the very best CodeProjects yet!

..........
..........
Minibatch: 750 CrossEntropyLoss =  0.1424918, EvaluationCriterion = 0.05333333
Minibatch: 800 CrossEntropyLoss =  0.1335766, EvaluationCriterion = 0.05333333
----------------
------TRAINING SUMMARY--------
The model trained with the accuracy 94.67%
Validating Model: Total Samples = 150, Mis-classify Count = 6
---------------
------TESTING SUMMARY--------
Model Accuracy = 1
---------------
------CONVENTIONAL CONFUSION MATRIX RESULTS------
IRIS STUDY              LABELLED
  Values       0       1       2  ColSum
       0      50       0       0      50  precision: 1.0000
       1       0      49       5      54  precision: 0.9074
       2       0       1      45      46  precision: 0.9783
  RowSum      50      50      50     150
recall:   1.0000  0.9800  0.9000
Accuracy: 0.9600
Press any key


modified 16-Nov-17 2:16am.

AnswerRe: Really Neat Project! Pin
Bahrudin Hrnjica17-Nov-17 1:04
professionalBahrudin Hrnjica17-Nov-17 1:04 

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.