I recently started in the Fishers Youth Mentoring Initiative, and my mentee is a young man in junior high who really likes lizards. He showed me photos of them on his iPad, photos of his pet lizard, and informed me of many lizard facts. Heâs also a talented sketch artist â showcasing many drawings of Pokemon, lizards and more. Oh, yeah, heâs also into computers and loves his iPad.
Part of the mentoring program is to help with school, being there as they adjust to growing up, and both respecting and encouraging their interests.
It just so happens that he had a science project coming up. He wasnât sure what to write about. His pet lizard recently had an attitude shift, and he figured it was because it wasnât getting as much food week over week. Changing that, he realized its attitude changed. So, he wanted to cover that somehow.
Seeing his interest in lizards, drawing, and computers I asked if we could combine them. I suggested we build an app, a âReptile Tracker,â that would help us track reptiles, teach others about them, and show them drawings he did. He loved the idea.
Planning
We only get to meet for 30 minutes each week. So, I gave him some homework. Next time we meet, âshow me what the app would look like.â He gleefully agreed.
One week later, he proudly showed me his vision for the app:

I said âVery cool.â Iâm now convinced âheâs inâ on the project, and taking it seriously.
I was also surprised to learn that my expectations of âshow me what it would look likeâ were different from what I received from someone both much younger than I and with a different world view. To him, software may simply be visualized as an icon. In my world, itâs mockups and napkin sketches. It definitely made me think about othersâ perceptions!
True to software engineer and sort-of project manager form, I explained our next step was to figure out what the app would do. So, hereâs our plan:
- Identify if there are reptiles in the photo.
- Tell them if itâs safe to pick it up, if itâs venomous, and so forth.
- Get one point for every reptile found. Weâll only support Lizards, Snakes, and Turtles in the first version.
Alright, time for the next assignment. My homework was to figure out how to do it. His homework was to draw up the Lizard, Snake, and Turtle that will be shown in the app.
Challenge accepted!
I quickly determined a couple key design and development points:
- The icon he drew is great, but looks like a drawing on the screen. I think Iâll need to ask him to draw them on my Surface Book, so they have the right look. Looks like an opportunity for him to try Fresh Paint on my Surface Book.
- Azure Cognitive Services, specifically their Computer Vision solution (API), will work for this task. I found a great article on the Xamarin blog by Mike James. I had to update it a bit for this article, as the calls and packages are a bit different two years later, but it definitely pointed me in the right direction.
Writing the Code
The weekend came, and I finally had time. I had been thinking about the app the remainder of the week. I woke up early Saturday and drew up a sketch of the tracking page, then went back to sleep. Later, when it was time to start the day, I headed over to StarbucksâŚ

I broke out my shiny new MacBook Pro and spun up Visual Studio Mac. Xamarin Forms was the perfect candidate for this project â cross platform, baby! I started a new Tabbed Page project, brought over some code for taking photos with the Xam.Plugin.Media plugin and resizing them, and the beta Xamarin.Essentials plugin for eventual geolocation and settings support. Hey, itâs only the first week 
Side Note: Normally I would use my Surface Book. This was a chance for me to seriously play with MFractor for the first time. Yay, even more learning this weekend!
Now that I had the basics in there, I created the interface for the Image Recognition Service. I wanted to be able to swap it out later if Azure didnât cut it, so Dependency Service to the rescue! Hereâs the interface:
using System.IO;
using System.Threading.Tasks;
using Microsoft.Azure.CognitiveServices.Vision.ComputerVision.Models;
namespace ReptileTracker.Services
{
    public interface IImageRecognitionService
    {
        string ApiKey { get; set; }
        Task<ImageAnalysis> AnalyzeImage(Stream imageStream);
    }
}
Now it was time to check out Mikeâs article. It made sense, and was close to what I wanted. However, the packages he referenced were for Microsoftâs Project Oxford. In 2018, those capabilities have been rolled into Azure as Azure Cognitive Services. Once I found the updated NuGet package – Microsoft.Azure.CognitiveServices.Vision.ComputerVision – and made some code tweaks, I ended up with working code.
A few developer notes for those playing with Azure Cognitive Services:
- Hold on to that API key, youâll need it
- Pay close attention to the Endpoint on the Overview page â you must provide it, otherwise youâll get a 403 Forbidden

And hereâs the implementation. Note the implementation must have a parameter-less constructor, otherwise Dependency Service wonât resolve it.
using Microsoft.Azure.CognitiveServices.Vision.ComputerVision;
using Microsoft.Azure.CognitiveServices.Vision.ComputerVision.Models;
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.IO;
using System.Threading.Tasks;
using ReptileTracker.Services;
using Xamarin.Forms;
[assembly:Â Dependency(typeof(ImageRecognitionService))]
namespace ReptileTracker.Services
{
    public class ImageRecognitionService : IImageRecognitionService
    {
        /// <summary>
        /// The Azure Cognitive Services Computer Vision API key.
        /// </summary>
        public string ApiKey { get; set; }
        /// <summary>
        /// Parameterless constructor so Dependency Service can create an instance.
        /// </summary>
        public ImageRecognitionService()
        {
        }
        /// <summary>
        /// Initializes a new instance of the <see cref="T:ReptileTracker.Services.ImageRecognitionService"/> class.
        /// </summary>
        /// <param name="apiKey">API key.</param>
        public ImageRecognitionService(string apiKey)
        {
            ApiKey = apiKey;
        }
        /// <summary>
        /// Analyzes the image.
        /// </summary>
        /// <returns>The image.</returns>
        /// <param name="imageStream">Image stream.</param>
        public async Task<ImageAnalysis> AnalyzeImage(Stream imageStream)
        {
            const string funcName = nameof(AnalyzeImage);
            if (string.IsNullOrWhiteSpace(ApiKey))
            {
                throw new ArgumentException("API Key must be provided.");
            }
            var features = new List<VisualFeatureTypes> {
                VisualFeatureTypes.Categories,
                VisualFeatureTypes.Description,
                VisualFeatureTypes.Faces,
                VisualFeatureTypes.ImageType,
                VisualFeatureTypes.Tags
            };
            var credentials = new ApiKeyServiceClientCredentials(ApiKey);
            var handler = new System.Net.Http.DelegatingHandler[] { };
            using (var visionClient = new ComputerVisionClient(credentials, handler))
            {
                try
                {
                    imageStream.Position = 0;
                    visionClient.Endpoint = "https://eastus.api.cognitive.microsoft.com/";
                    var result = await visionClient.AnalyzeImageInStreamAsync(imageStream, features);
                    return result;
                }
                catch (Exception ex)
                {
                    Debug.WriteLine($"{funcName}: {ex.GetBaseException().Message}");
                    return null;
                }
            }
        }
    }
}
And hereâs how I referenced it from my content page:
pleaseWait.IsVisible = true;
pleaseWait.IsRunning = true;
var imageRecognizer = DependencyService.Get<IImageRecognitionService>();
imageRecognizer.ApiKey = AppSettings.ApiKey_Azure_ImageRecognitionService;
var details = await imageRecognizer.AnalyzeImage(new MemoryStream(ReptilePhotoBytes));
pleaseWait.IsRunning = false;
pleaseWait.IsVisible = false;
var tagsReturned = details?.Tags != nullÂ
                   && details?.Description?.Captions != nullÂ
                   && details.Tags.Any()Â
                   && details.Description.Captions.Any();
lblTags.IsVisible = true;
lblDescription.IsVisible = true;
// Determine if reptiles were found.
var reptilesToDetect = AppResources.DetectionTags.Split(',');
var reptilesFound = details.Tags.Any(t => reptilesToDetect.Contains(t.Name.ToLower()));
// Show animations and graphics to make things look cool, even though we already have plenty of info.
await RotateImageAndShowSuccess(reptilesFound, "lizard", details, imgLizard);
await RotateImageAndShowSuccess(reptilesFound, "turtle", details, imgTurtle);
await RotateImageAndShowSuccess(reptilesFound, "snake", details, imgSnake);
await RotateImageAndShowSuccess(reptilesFound, "question", details, imgQuestion);
That worked like a champ, with a few gotchas:
- I would receive a 400 Bad Request if I sent an image that was too large. 1024 x 768 worked, but 2000 x 2000 didnât. The documentation says the image must be less than 4MB, and at least 50×50.
- That API endpoint must be initialized. Examples donât always make this clear. Thereâs no constructor that takes an endpoint address, so itâs easy to miss.
- It can take a moment for recognition to occur. Make sure youâre using async/await so you donât block the UI Thread!
Prettying It Up
Before I get into the results, I wanted to point out I spent significant time prettying things up. I added animations, different font sizes, better icons from The Noun Project, and more. While the image recognizer only took about an hour, the UX took a lot more. Funny how that works.
Mixed Results
So I was getting results. I added a few labels to my view to see what was coming back. Some of them were funny, others were accurate. The tags were expected, but the captions were fascinating. The captions describe the scene as the Computer Vision API sees it. I spent most of the day taking photos and seeing what was returned. Some examples:
- My barista, Matt, was âa smiling woman working in a storeâ
- My mom was âa smiling manâ â she was not amused
Most of the time, as long as the subjects were clear, the scene recognition was correct:

Or close to correct, in this shot with a turtle at Petsmart:

Sometimes, though, nothing useful would be returned:

I would have thought it would have found âWhite Castleâ. I wonder if it wonât show brand names for some reason? They do have an OCR endpoint, so maybe that would be useful in another use case.
Sometimes, even though I thought an image would âobviouslyâ be recognized, it wasnât:

Iâll need to read more about how to improve accuracy, if and whether thatâs even an option.
Good thing I implemented it with an interface! I could try Googleâs computer vision services next.
Next Steps
Weâre not done with the app yet â this week, we will discuss how to handle the scoring. Iâll post updates as we work on it. Here’s a link to the iOS beta.
Some things Iâd like to try:
- Highlight the tags in the image, by drawing over the image. Iâd make this a toggle.
- Clean up the UI to toggle âdeveloper detailsâ. Itâs cool to show those now, but it doesnât necessarily help the target user. Iâll ask my mentee what he thinks.
Please let me know if you have any questions by leaving a comment!
Want to learn more about Xamarin? I suggest Microsoftâs totally awesome Xamarin University. All the classes you need to get started are free.
Update 2018-11-06:
- The tags are in two different locations – Tags and Description.Tags. Two different sets of tags are in there, so I’m now combining those lists and getting better results.
- I found I could get color details. I’ve updated the accent color surrounding the photo. Just a nice design touch.