Developing a Camera-Based Barcode Scanner in .NET MAUI for Windows Desktop
Dynamsoft provides two NuGet packages for .NET MAUI development: Dynamsoft.BarcodeReaderBundle.Maui and Dynamsoft.DotNet.BarcodeReader.Bundle. The former targets Android and iOS, while the latter is built for Windows. In this article, we will demonstrate how to use Windows Media API to capture video frames from a USB camera and integrate Dynamsoft Barcode Reader for barcode scanning in a .NET MAUI Windows application.
Windows Barcode Scanner in .NET MAUI
Prerequisites
Install .NET 9.0 SDK.
Obtain a valid license key for Dynamsoft Barcode Reader.
Steps to Create a .NET MAUI Windows Application for Reading 1D/2D Barcodes
This project showcases barcode detection functionality across two MAUI pages: one for image files and another for a live camera stream. Barcode results will be displayed above the image or video frame.
Step 1: Set Up a .NET MAUI Project
Create a new .NET MAUI project in Visual Studio or Visual Studio Code.
Add the Dynamsoft Barcode Reader and SkiaSharp NuGet packages to your project. The SkiaSharp package enhances rendering of barcode text and contours, outperforming the built-in MAUI graphics API in terms of performance and flexibility.
Activate the barcode SDK with a valid license key in Platforms/Windows/App.xaml.cs. Replace LICENSE-KEY with your own license key.
using System.Diagnostics;
using Dynamsoft.License;
namespace BarcodeQrScanner.WinUI;
public partial class App : MauiWinUIApplication
{
public App()
{
this.InitializeComponent();
string license = "LICENSE-KEY";
string errorMsg;
int errorCode = LicenseManager.InitLicense(license, out errorMsg);
if (errorCode != (int) Dynamsoft.Core.EnumErrorCode.EC_OK) Debug.WriteLine("License initialization error: " + errorMsg);
}
protected override MauiApp CreateMauiApp() => MauiProgram.CreateMauiApp();
}
In MauiProgram.cs, initialize and integrate SkiaSharp:
using SkiaSharp.Views.Maui.Controls.Hosting;
public static class MauiProgram
{
public static MauiApp CreateMauiApp()
{
var builder = MauiApp.CreateBuilder();
builder.UseSkiaSharp()
.UseMauiApp()
.ConfigureFonts(fonts =>
{
fonts.AddFont("OpenSans-Regular.ttf", "OpenSansRegular");
fonts.AddFont("OpenSans-Semibold.ttf", "OpenSansSemibold");
});
#if DEBUG
builder.Logging.AddDebug();
#endif
return builder.Build();
}
}
Create two MAUI pages: PicturePage.xaml and CameraPage.xaml.
In MainPage.xaml, add two buttons for page navigation:
In MainPage.xaml.cs, add event handlers for the two buttons:
public partial class MainPage : ContentPage
{
public MainPage()
{
InitializeComponent();
}
private async void OnFileButtonClicked(object sender, EventArgs e)
{
try
{
FileResult? photo = await FilePicker.PickAsync();
await LoadPhotoAsync(photo);
}
catch (Exception ex)
{
Debug.WriteLine($"CapturePhotoAsync THREW: {ex.Message}");
}
}
private async void OnCameraButtonClicked(object sender, EventArgs e)
{
await Navigation.PushAsync(new CameraPage());
}
async Task LoadPhotoAsync(FileResult? photo)
{
if (photo == null)
{
return;
}
await Navigation.PushAsync(new PicturePage(photo.FullPath));
}
}
Clicking the "Image File" button opens a file picker dialog. After selecting an image, the app navigates to the PicturePage with the chosen file path.
Step 2: Read Barcodes from Image Files
The UI of the PicturePage contains an SKCanvasView, which renders the image and its corresponding barcode results when the OnCanvasViewPaintSurface event handler is triggered.
The C# code implementation is as follows:
Load and decode the image file into an SKBitmap object. Since image files may contain EXIF orientation data, the orientation must be corrected before rendering.
bitmap = LoadAndCorrectOrientation(imagepath);
SKBitmap LoadAndCorrectOrientation(string imagePath)
{
using var stream = new SKFileStream(imagePath);
using var codec = SKCodec.Create(stream);
SKBitmap bitmap = SKBitmap.Decode(codec);
var origin = codec.EncodedOrigin;
if (origin == SKEncodedOrigin.TopLeft)
{
return bitmap;
}
SKMatrix matrix = SKMatrix.CreateIdentity();
int rotatedWidth = bitmap.Width;
int rotatedHeight = bitmap.Height;
switch (origin)
{
case SKEncodedOrigin.RightTop:
matrix = SKMatrix.CreateRotationDegrees(90, 0, 0);
rotatedWidth = bitmap.Height;
rotatedHeight = bitmap.Width;
break;
case SKEncodedOrigin.BottomRight:
matrix = SKMa
Feb 21, 2025 - 09:28
0
Dynamsoft provides two NuGet packages for .NET MAUI development: Dynamsoft.BarcodeReaderBundle.Maui and Dynamsoft.DotNet.BarcodeReader.Bundle. The former targets Android and iOS, while the latter is built for Windows. In this article, we will demonstrate how to use Windows Media API to capture video frames from a USB camera and integrate Dynamsoft Barcode Reader for barcode scanning in a .NET MAUI Windows application.
Obtain a valid license key for Dynamsoft Barcode Reader.
Steps to Create a .NET MAUI Windows Application for Reading 1D/2D Barcodes
This project showcases barcode detection functionality across two MAUI pages: one for image files and another for a live camera stream. Barcode results will be displayed above the image or video frame.
Step 1: Set Up a .NET MAUI Project
Create a new .NET MAUI project in Visual Studio or Visual Studio Code.
Add the Dynamsoft Barcode Reader and SkiaSharp NuGet packages to your project. The SkiaSharp package enhances rendering of barcode text and contours, outperforming the built-in MAUI graphics API in terms of performance and flexibility.
Clicking the "Image File" button opens a file picker dialog. After selecting an image, the app navigates to the PicturePage with the chosen file path.
Step 2: Read Barcodes from Image Files
The UI of the PicturePage contains an SKCanvasView, which renders the image and its corresponding barcode results when the OnCanvasViewPaintSurface event handler is triggered.
Load and decode the image file into an SKBitmap object. Since image files may contain EXIF orientation data, the orientation must be corrected before rendering.
Step 3: Capture Video Frames from a USB Camera and Read Barcodes in Real-Time
To access a camera stream in a .NET MAUI Windows application, we need to create a shared camera view and a platform-specific view handler. The handler maps the shared view to the native Windows camera view (MediaPlayerElement).
Define the Shared Camera View
Create a file named CameraView.cs and add the following code:
ResultReadyEventArgs is a custom event argument class that encapsulates the barcode result and preview resolution. When an EventHandler is instantiated in a MAUI page, these arguments are passed to the page for processing.
CameraView extends the View class and is used in the MAUI page to display the camera preview.
NotifyResultReady relays barcode results and preview dimensions from the platform-specific handler.
UpdateResolution sets the width and height of the camera view.
StartPreview and StopPreview trigger the respective actions in the handler.
ICameraHandler is an interface extending IViewHandler, defining methods to control the camera preview.
Implement the Platform-Specific View Handler
Create a file named CameraPreviewHandler.cs in the Platforms/Windows folder and add the following code:
Map the ICameraHandler interface to the CameraPreviewHandler class. This enables the StartPreview and StopPreview functions:
privateasyncTaskInitializeCameraAsync(){try{_mediaCapture=newMediaCapture();varallSourceGroups=MediaFrameSourceGroup.FindAllAsync().GetAwaiter().GetResult();varsettings=newMediaCaptureInitializationSettings{//SourceGroup = allSourceGroups.FirstOrDefault(),MemoryPreference=MediaCaptureMemoryPreference.Cpu,StreamingCaptureMode=StreamingCaptureMode.Video};await_mediaCapture.InitializeAsync(settings);varframeSource=_mediaCapture.FrameSources.FirstOrDefault(source=>source.Value.Info.MediaStreamType==MediaStreamType.VideoRecord&&source.Value.Info.SourceKind==MediaFrameSourceKind.Color).Value;if(frameSource!=null){if(VirtualView!=null){VirtualView.UpdateResolution((int)frameSource.CurrentFormat.VideoFormat.Width,(int)frameSource.CurrentFormat.VideoFormat.Height);}MediaFrameFormat?frameFormat;frameFormat=frameSource.SupportedFormats.OrderByDescending(f=>f.VideoFormat.Width*f.VideoFormat.Height).FirstOrDefault();if(frameFormat!=null){awaitframeSource.SetFormatAsync(frameFormat);platformView.AutoPlay=true;platformView.Source=MediaSource.CreateFromMediaFrameSource(frameSource);_frameReader=await_mediaCapture.CreateFrameReaderAsync(frameSource);_frameReader.AcquisitionMode=MediaFrameReaderAcquisitionMode.Realtime;if(_frameReader!=null){_frameReader.FrameArrived+=OnFrameAvailable;await_frameReader.StartAsync();}_isPreviewing=true;}}}catch(Exceptionex){Debug.WriteLine($"Camera init failed: {ex}");}}privatevoidOnFrameAvailable(MediaFrameReadersender,MediaFrameArrivedEventArgsargs){// Process the frame}
The OnFrameAvailable event handler is triggered whenever a new frame is available.
Process frames and decode barcodes with CaptureVisionRouter.
In MauiProgram.cs, register the handler for the CameraView:
usingMicrosoft.Extensions.Logging;usingSkiaSharp.Views.Maui.Controls.Hosting;#if WINDOWS
usingBarcodeQrScanner.Platforms.Windows;#endif
usingBarcodeQrScanner.Controls;namespaceBarcodeQrScanner;publicstaticclassMauiProgram{publicstaticMauiAppCreateMauiApp(){varbuilder=MauiApp.CreateBuilder();builder.UseSkiaSharp().UseMauiApp<App>().ConfigureFonts(fonts=>{fonts.AddFont("OpenSans-Regular.ttf","OpenSansRegular");fonts.AddFont("OpenSans-Semibold.ttf","OpenSansSemibold");}).ConfigureMauiHandlers(handlers=>{#if WINDOWS
handlers.AddHandler(typeof(CameraView),typeof(CameraPreviewHandler));#endif
});;#if DEBUG
builder.Logging.AddDebug();#endif
returnbuilder.Build();}}
Step 4: Integrate the Camera View in the Camera Page
Add CameraView and SKCanvasView to CameraPage.xaml:
The Grid layout ensures that the SKCanvasView overlays the CameraView with identical dimensions. The HorizontalStackLayout contains two buttons to start and stop the camera stream.