Skip to footer content
USING IRONBARCODE

Generate Barcodes in ASP.NET Core Web Apps

Integrating barcode generation into an ASP.NET web application opens powerful capabilities for inventory management, product tracking, and document automation. This tutorial demonstrates how to generate barcodes in a .NET Core project using IronBarCode -- a barcode library that supports over 30 formats including QR Code, Data Matrix, Code 128, and UPC A.

The following quick example shows how to create a Code 128 barcode and return it as a PNG image from an MVC controller action:

using IronBarCode;
using Microsoft.AspNetCore.Mvc;

public IActionResult GenerateBarcode(string data)
{
    GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(data, BarcodeWriterEncoding.Code128);
    barcode.ResizeTo(400, 120);
    barcode.AddBarcodeValueTextBelowBarcode();
    byte[] barcodeBytes = barcode.ToPngBinaryData();
    return File(barcodeBytes, "image/png");
}
using IronBarCode;
using Microsoft.AspNetCore.Mvc;

public IActionResult GenerateBarcode(string data)
{
    GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(data, BarcodeWriterEncoding.Code128);
    barcode.ResizeTo(400, 120);
    barcode.AddBarcodeValueTextBelowBarcode();
    byte[] barcodeBytes = barcode.ToPngBinaryData();
    return File(barcodeBytes, "image/png");
}
Imports IronBarCode
Imports Microsoft.AspNetCore.Mvc

Public Function GenerateBarcode(data As String) As IActionResult
    Dim barcode As GeneratedBarcode = BarcodeWriter.CreateBarcode(data, BarcodeWriterEncoding.Code128)
    barcode.ResizeTo(400, 120)
    barcode.AddBarcodeValueTextBelowBarcode()
    Dim barcodeBytes As Byte() = barcode.ToPngBinaryData()
    Return File(barcodeBytes, "image/png")
End Function
$vbLabelText   $csharpLabel

Start your free trial to follow along with the complete tutorial code examples below.

How Do You Install a Barcode Library in a .NET Core Project?

Adding barcode generation capabilities to an ASP.NET Core web application requires installing the IronBarCode NuGet package. Open Visual Studio and use the Package Manager Console to install the dependencies:

Install-Package BarCode

The package is compatible with .NET Core 6, 7, 8, 10, and newer versions, as well as .NET Framework 4.6.2+. The library handles all dependencies automatically, requiring no additional barcode fonts or system configuration. Once installed, add the namespace reference to the controller or service file:

using IronBarCode;
using IronBarCode;
Imports IronBarCode
$vbLabelText   $csharpLabel

What .NET Versions and Platforms Are Supported?

IronBarCode targets all modern .NET runtimes:

  • .NET 10, 9, 8, 7, 6 -- fully supported LTS and STS releases
  • .NET Framework 4.6.2+ -- legacy application support
  • Deployment targets -- Windows, Linux, macOS, Docker, Azure, AWS
  • Mobile targets -- Android and iOS via .NET MAUI

No external GD libraries, native codecs, or barcode font installations are required. The library is entirely self-contained and resolves all encoding logic internally.

How Do You Add the Namespace to a Controller?

After installing the NuGet package, reference the IronBarCode namespace at the top of any controller, service, or Razor Page model where barcode generation is needed:

using IronBarCode;
using Microsoft.AspNetCore.Mvc;
using IronBarCode;
using Microsoft.AspNetCore.Mvc;
Imports IronBarCode
Imports Microsoft.AspNetCore.Mvc
$vbLabelText   $csharpLabel

This single using directive gives access to BarcodeWriter, QRCodeWriter, BarcodeReader, and all supporting types for both generation and reading barcodes.

How Do You Generate Barcodes in an ASP.NET Core Web Application?

Creating barcodes in an MVC controller involves the BarcodeWriter class from IronBarCode. The following example demonstrates a complete controller action that creates a Code 128 barcode based on URL or text provided by a user:

using IronBarCode;
using Microsoft.AspNetCore.Mvc;

public class BarcodeController : Controller
{
    public IActionResult GenerateBarcode(string data)
    {
        // Generate barcode from input data
        GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(
            data,
            BarcodeWriterEncoding.Code128);
        barcode.ResizeTo(400, 120);
        barcode.AddBarcodeValueTextBelowBarcode();
        // Return as image for display in browser
        byte[] barcodeBytes = barcode.ToPngBinaryData();
        return File(barcodeBytes, "image/png");
    }
}
using IronBarCode;
using Microsoft.AspNetCore.Mvc;

public class BarcodeController : Controller
{
    public IActionResult GenerateBarcode(string data)
    {
        // Generate barcode from input data
        GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(
            data,
            BarcodeWriterEncoding.Code128);
        barcode.ResizeTo(400, 120);
        barcode.AddBarcodeValueTextBelowBarcode();
        // Return as image for display in browser
        byte[] barcodeBytes = barcode.ToPngBinaryData();
        return File(barcodeBytes, "image/png");
    }
}
Imports IronBarCode
Imports Microsoft.AspNetCore.Mvc

Public Class BarcodeController
    Inherits Controller

    Public Function GenerateBarcode(data As String) As IActionResult
        ' Generate barcode from input data
        Dim barcode As GeneratedBarcode = BarcodeWriter.CreateBarcode(data, BarcodeWriterEncoding.Code128)
        barcode.ResizeTo(400, 120)
        barcode.AddBarcodeValueTextBelowBarcode()
        ' Return as image for display in browser
        Dim barcodeBytes As Byte() = barcode.ToPngBinaryData()
        Return File(barcodeBytes, "image/png")
    End Function
End Class
$vbLabelText   $csharpLabel

Output Barcode Image

ASP .NET Barcode Generation: Build a Barcode Generator for Your Web Application: Image 1 - Generated Barcode

The BarcodeWriter.CreateBarcode() method accepts barcode data as the first parameter and the encoding format as the second. This approach creates barcodes dynamically based on user input or database values.

For saving barcode images to a project folder, use the SaveAsImage() method:

barcode.SaveAsImage("wwwroot/images/generated-barcode.png");
barcode.SaveAsImage("wwwroot/images/generated-barcode.png");
barcode.SaveAsImage("wwwroot/images/generated-barcode.png")
$vbLabelText   $csharpLabel

The library supports multiple output formats including PNG, GIF, BMP, SVG, and JPEG. You can also export barcodes as HTML for embedding directly into web pages.

How Do You Return a Barcode as a File Download?

To return the barcode as a downloadable file rather than an inline image, set the Content-Disposition header in the response:

public IActionResult DownloadBarcode(string data)
{
    GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(data, BarcodeWriterEncoding.Code128);
    barcode.ResizeTo(400, 120);
    byte[] pdfBytes = barcode.ToPdfBinaryData();
    return File(pdfBytes, "application/pdf", "barcode.pdf");
}
public IActionResult DownloadBarcode(string data)
{
    GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(data, BarcodeWriterEncoding.Code128);
    barcode.ResizeTo(400, 120);
    byte[] pdfBytes = barcode.ToPdfBinaryData();
    return File(pdfBytes, "application/pdf", "barcode.pdf");
}
Public Function DownloadBarcode(data As String) As IActionResult
    Dim barcode As GeneratedBarcode = BarcodeWriter.CreateBarcode(data, BarcodeWriterEncoding.Code128)
    barcode.ResizeTo(400, 120)
    Dim pdfBytes As Byte() = barcode.ToPdfBinaryData()
    Return File(pdfBytes, "application/pdf", "barcode.pdf")
End Function
$vbLabelText   $csharpLabel

This pattern is useful for shipping label generation, product labeling workflows, and any scenario where the end user needs to save or print a barcode document directly.

What Barcode Types Are Supported for Web Applications?

IronBarCode supports over 30 formats. Here are the details on how to create the most commonly used types:

QR Code Generation

// Create QR Code with custom size
GeneratedBarcode qrCode = QRCodeWriter.CreateQrCode(
    "https://example.com/product/12345",
    500,
    QRCodeWriter.QrErrorCorrectionLevel.Medium);
qrCode.SaveAsPng("product-qr.png");
// Create QR Code with custom size
GeneratedBarcode qrCode = QRCodeWriter.CreateQrCode(
    "https://example.com/product/12345",
    500,
    QRCodeWriter.QrErrorCorrectionLevel.Medium);
qrCode.SaveAsPng("product-qr.png");
' Create QR Code with custom size
Dim qrCode As GeneratedBarcode = QRCodeWriter.CreateQrCode( _
    "https://example.com/product/12345", _
    500, _
    QRCodeWriter.QrErrorCorrectionLevel.Medium)
qrCode.SaveAsPng("product-qr.png")
$vbLabelText   $csharpLabel

Output QR Code

ASP .NET Barcode Generation: Build a Barcode Generator for Your Web Application: Image 2 - Image 2 of 6 related to ASP .NET Barcode Generation: Build a Barcode Generator for Your Web Application

QR Code generation supports error correction levels that determine how much of the code can be damaged while remaining readable. Use Medium or High for print QR code applications where physical wear is expected. Learn more about QR Code customization options.

Data Matrix and Other 2D Formats

// Create Data Matrix barcode
GeneratedBarcode dataMatrix = BarcodeWriter.CreateBarcode(
    "DMX-2024-001",
    BarcodeWriterEncoding.DataMatrix);
dataMatrix.SaveAsGif("datamatrix.gif");
// Create Data Matrix barcode
GeneratedBarcode dataMatrix = BarcodeWriter.CreateBarcode(
    "DMX-2024-001",
    BarcodeWriterEncoding.DataMatrix);
dataMatrix.SaveAsGif("datamatrix.gif");
' Create Data Matrix barcode
Dim dataMatrix As GeneratedBarcode = BarcodeWriter.CreateBarcode( _
    "DMX-2024-001", _
    BarcodeWriterEncoding.DataMatrix)
dataMatrix.SaveAsGif("datamatrix.gif")
$vbLabelText   $csharpLabel

Output Data Matrix

ASP .NET Barcode Generation: Build a Barcode Generator for Your Web Application: Image 3 - Generated Data Matrix

Data Matrix barcodes excel in scenarios requiring compact, high-density encoding. The library also generates PDF417, Aztec, and MaxiCode formats. These 2D barcode types store significantly more data than linear formats while maintaining reliable scan accuracy.

Linear Barcodes (UPC, EAN, Code 39)

// Create UPC-A barcode for retail products
GeneratedBarcode upcBarcode = BarcodeWriter.CreateBarcode(
    "012345678905",
    BarcodeWriterEncoding.UPCA);
upcBarcode.SaveAsPng("upc-barcode.png");
// Create UPC-A barcode for retail products
GeneratedBarcode upcBarcode = BarcodeWriter.CreateBarcode(
    "012345678905",
    BarcodeWriterEncoding.UPCA);
upcBarcode.SaveAsPng("upc-barcode.png");
IRON VB CONVERTER ERROR developers@ironsoftware.com
$vbLabelText   $csharpLabel

Output

ASP .NET Barcode Generation: Build a Barcode Generator for Your Web Application: Image 4 - Generated barcode

UPC A and EAN barcodes include automatic checksum validation, preventing encoding errors in the barcode generation process. For a full list of supported formats see the barcode format reference.

How Do You Customize and Style Barcode Images?

Styling barcodes for a web application involves adjusting colors, fonts, margins, and annotations. The fluent API makes customization straightforward:

GeneratedBarcode styledBarcode = BarcodeWriter.CreateBarcode(
    "STYLED-2024",
    BarcodeWriterEncoding.Code128);
// Apply styling
styledBarcode.ResizeTo(450, 150);
styledBarcode.SetMargins(20);
styledBarcode.ChangeBarCodeColor(IronSoftware.Drawing.Color.DarkBlue);
styledBarcode.AddAnnotationTextAboveBarcode("Product ID:");
styledBarcode.AddBarcodeValueTextBelowBarcode();
// Export to multiple formats
styledBarcode.SaveAsPng("styled-barcode.png");
styledBarcode.SaveAsPdf("styled-barcode.pdf");
GeneratedBarcode styledBarcode = BarcodeWriter.CreateBarcode(
    "STYLED-2024",
    BarcodeWriterEncoding.Code128);
// Apply styling
styledBarcode.ResizeTo(450, 150);
styledBarcode.SetMargins(20);
styledBarcode.ChangeBarCodeColor(IronSoftware.Drawing.Color.DarkBlue);
styledBarcode.AddAnnotationTextAboveBarcode("Product ID:");
styledBarcode.AddBarcodeValueTextBelowBarcode();
// Export to multiple formats
styledBarcode.SaveAsPng("styled-barcode.png");
styledBarcode.SaveAsPdf("styled-barcode.pdf");
Dim styledBarcode As GeneratedBarcode = BarcodeWriter.CreateBarcode("STYLED-2024", BarcodeWriterEncoding.Code128)
' Apply styling
styledBarcode.ResizeTo(450, 150)
styledBarcode.SetMargins(20)
styledBarcode.ChangeBarCodeColor(IronSoftware.Drawing.Color.DarkBlue)
styledBarcode.AddAnnotationTextAboveBarcode("Product ID:")
styledBarcode.AddBarcodeValueTextBelowBarcode()
' Export to multiple formats
styledBarcode.SaveAsPng("styled-barcode.png")
styledBarcode.SaveAsPdf("styled-barcode.pdf")
$vbLabelText   $csharpLabel

Styled Barcode Image

ASP .NET Barcode Generation: Build a Barcode Generator for Your Web Application: Image 5 - Output styled barcode

The SetMargins() method adds white space around the barcode for better scanner readability. You can adjust font settings for annotation text, change the font family and font size, and customize barcode styling extensively. The library renders text using system fonts without requiring external barcode fonts.

How Do You Embed a Barcode Directly in a Razor View?

For ASP.NET MVC views, generate barcodes as Base64 strings for direct HTML embedding without saving files to disk:

public IActionResult DisplayBarcode()
{
    GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(
        "INV-2024-0042",
        BarcodeWriterEncoding.Code128);
    string base64Image = barcode.ToDataUrl();
    ViewBag.BarcodeImage = base64Image;
    return View();
}
public IActionResult DisplayBarcode()
{
    GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(
        "INV-2024-0042",
        BarcodeWriterEncoding.Code128);
    string base64Image = barcode.ToDataUrl();
    ViewBag.BarcodeImage = base64Image;
    return View();
}
Public Function DisplayBarcode() As IActionResult
    Dim barcode As GeneratedBarcode = BarcodeWriter.CreateBarcode("INV-2024-0042", BarcodeWriterEncoding.Code128)
    Dim base64Image As String = barcode.ToDataUrl()
    ViewBag.BarcodeImage = base64Image
    Return View()
End Function
$vbLabelText   $csharpLabel

Displayed Barcode

ASP .NET Barcode Generation: Build a Barcode Generator for Your Web Application: Image 6 - Barcode displayed in our browser

In the Razor view, display it within a <div> element:

<div class="barcode-container">
    <img src="@ViewBag.BarcodeImage" alt="Generated Barcode" />
</div>
<div class="print-actions">
    <button onclick="window.print()">Print Barcode</button>
</div>
<div class="barcode-container">
    <img src="@ViewBag.BarcodeImage" alt="Generated Barcode" />
</div>
<div class="print-actions">
    <button onclick="window.print()">Print Barcode</button>
</div>
HTML

This approach eliminates the need to save barcode images to the file system, keeping the web service stateless. The complete API reference documents all available methods and properties.

How Do You Read and Scan Barcodes in ASP.NET Core?

Reading barcodes from uploaded images or file streams is handled by the BarcodeReader class. This is useful in receiving workflows, returns processing, and any scenario where a scanned barcode needs to be decoded server-side:

using IronBarCode;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Mvc;

public class BarcodeScanController : Controller
{
    public IActionResult ScanBarcode(IFormFile uploadedImage)
    {
        using var stream = uploadedImage.OpenReadStream();
        var results = BarcodeReader.Read(stream);
        if (results.Count > 0)
        {
            string decodedValue = results[0].Value;
            return Ok(new { barcode = decodedValue });
        }
        return BadRequest("No barcode detected in image.");
    }
}
using IronBarCode;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Mvc;

public class BarcodeScanController : Controller
{
    public IActionResult ScanBarcode(IFormFile uploadedImage)
    {
        using var stream = uploadedImage.OpenReadStream();
        var results = BarcodeReader.Read(stream);
        if (results.Count > 0)
        {
            string decodedValue = results[0].Value;
            return Ok(new { barcode = decodedValue });
        }
        return BadRequest("No barcode detected in image.");
    }
}
Imports IronBarCode
Imports Microsoft.AspNetCore.Http
Imports Microsoft.AspNetCore.Mvc

Public Class BarcodeScanController
    Inherits Controller

    Public Function ScanBarcode(uploadedImage As IFormFile) As IActionResult
        Using stream = uploadedImage.OpenReadStream()
            Dim results = BarcodeReader.Read(stream)
            If results.Count > 0 Then
                Dim decodedValue As String = results(0).Value
                Return Ok(New With {.barcode = decodedValue})
            End If
            Return BadRequest("No barcode detected in image.")
        End Using
    End Function
End Class
$vbLabelText   $csharpLabel

The BarcodeReader.Read() method accepts file paths, streams, and System.Drawing.Bitmap objects. It automatically detects the barcode format and returns a collection of BarcodeResult objects, each containing the decoded value, format type, and position in the image. When multiple barcodes appear in a single image -- for example, on a warehouse shelf photograph -- the reader returns all detected values in the collection, not just the first one.

Performance is also worth considering for high-throughput ASP.NET applications. The reader supports region-of-interest scanning, which crops the image to a specific pixel rectangle before analysis. This significantly reduces processing time when barcodes always appear in a known area of the image.

For advanced scenarios such as adjusting contrast for low-quality images or tuning detection sensitivity, refer to the barcode reading documentation.

How Do You Export Barcodes to PDF in ASP.NET?

Generating barcodes embedded directly in PDF documents is a common requirement for shipping labels, warehouse tags, and compliance documents. IronBarCode supports saving directly to PDF format:

GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(
    "SHIP-2024-99471",
    BarcodeWriterEncoding.Code128);
barcode.ResizeTo(500, 150);
barcode.AddAnnotationTextAboveBarcode("Shipping Label");
barcode.AddBarcodeValueTextBelowBarcode();
barcode.SaveAsPdf("shipping-label.pdf");
GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(
    "SHIP-2024-99471",
    BarcodeWriterEncoding.Code128);
barcode.ResizeTo(500, 150);
barcode.AddAnnotationTextAboveBarcode("Shipping Label");
barcode.AddBarcodeValueTextBelowBarcode();
barcode.SaveAsPdf("shipping-label.pdf");
Dim barcode As GeneratedBarcode = BarcodeWriter.CreateBarcode( _
    "SHIP-2024-99471", _
    BarcodeWriterEncoding.Code128)
barcode.ResizeTo(500, 150)
barcode.AddAnnotationTextAboveBarcode("Shipping Label")
barcode.AddBarcodeValueTextBelowBarcode()
barcode.SaveAsPdf("shipping-label.pdf")
$vbLabelText   $csharpLabel

For multi-barcode PDF documents -- for example, a page of product labels -- generate each barcode separately and combine them using a PDF library. The IronPDF integration guide explains how to stamp barcodes onto existing PDF templates, which is useful for adding barcodes to pre-designed label layouts.

The SaveAsPdf() method also accepts output dimensions so the rendered PDF page matches the physical label size required by label printers.

How Do You Handle Barcode Generation Errors and Validation?

Barcode encoding rules vary by format. For example, UPC-A requires exactly 11 or 12 digits, EAN-13 requires exactly 12 or 13, and Code 128 has a 48-character practical limit for readable output at standard sizes. Passing invalid data raises an IronBarCodeEncoderException.

Handle encoding errors explicitly in controller actions:

public IActionResult SafeGenerate(string data, string format)
{
    try
    {
        var encoding = Enum.Parse<BarcodeWriterEncoding>(format, true);
        GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(data, encoding);
        return File(barcode.ToPngBinaryData(), "image/png");
    }
    catch (IronBarCodeEncoderException ex)
    {
        return BadRequest($"Encoding error: {ex.Message}");
    }
    catch (ArgumentException ex)
    {
        return BadRequest($"Unknown format: {ex.Message}");
    }
}
public IActionResult SafeGenerate(string data, string format)
{
    try
    {
        var encoding = Enum.Parse<BarcodeWriterEncoding>(format, true);
        GeneratedBarcode barcode = BarcodeWriter.CreateBarcode(data, encoding);
        return File(barcode.ToPngBinaryData(), "image/png");
    }
    catch (IronBarCodeEncoderException ex)
    {
        return BadRequest($"Encoding error: {ex.Message}");
    }
    catch (ArgumentException ex)
    {
        return BadRequest($"Unknown format: {ex.Message}");
    }
}
Imports System

Public Function SafeGenerate(data As String, format As String) As IActionResult
    Try
        Dim encoding = [Enum].Parse(Of BarcodeWriterEncoding)(format, True)
        Dim barcode As GeneratedBarcode = BarcodeWriter.CreateBarcode(data, encoding)
        Return File(barcode.ToPngBinaryData(), "image/png")
    Catch ex As IronBarCodeEncoderException
        Return BadRequest($"Encoding error: {ex.Message}")
    Catch ex As ArgumentException
        Return BadRequest($"Unknown format: {ex.Message}")
    End Try
End Function
$vbLabelText   $csharpLabel

For production use, validate input data length and character set before calling CreateBarcode(). The IronBarCode documentation provides format-specific encoding constraints for each supported barcode type.

What Are Your Next Steps?

Building an ASP.NET barcode generator with IronBarCode provides a reliable solution for creating, styling, and exporting barcode images in .NET Core web applications. The library handles complex encoding standards automatically while offering extensive customization through a developer-friendly API. Whether generating QR codes for mobile scanning, Data Matrix barcodes for industrial applications, or UPC codes for retail, IronBarCode integrates directly with ASP.NET MVC controllers and Razor pages.

Explore these resources to go further:

You can test the complete feature set during the free evaluation period. For production deployment and commercial use, view licensing options to select the appropriate license for your project requirements. The library supports bitmap and vector exports, with each version maintaining compatibility across Windows, Linux, Android, and iOS deployment targets.

For questions, benchmarks against alternative barcode libraries for .NET, or enterprise integration support, visit the IronBarCode support portal.

Get stated with IronBarcode now.
green arrow pointer

Frequently Asked Questions

What barcode formats does IronBarCode support in ASP.NET Core?

IronBarCode supports over 30 barcode formats including QR Code, Data Matrix, Code 128, UPC-A, EAN-13, Code 39, PDF417, Aztec, MaxiCode, ITF, and more. Both 1D linear and 2D matrix formats are covered.

How do you return a generated barcode as an image from an ASP.NET MVC controller?

Call BarcodeWriter.CreateBarcode() with the data and encoding format, then use ToPngBinaryData() to get the byte array and return it with File(bytes, 'image/png') from the controller action.

Can IronBarCode read barcodes from uploaded images in ASP.NET?

Yes. Use BarcodeReader.Read() with an IFormFile stream to decode barcodes from user-uploaded images. The reader returns all detected barcodes as a collection of BarcodeResult objects.

How do you embed a barcode in a Razor view without saving a file?

Call barcode.ToDataUrl() to get a Base64 data URL string, assign it to ViewBag, and render it in the Razor view as the src attribute of an img element.

What .NET versions does IronBarCode support?

IronBarCode supports .NET 6, 7, 8, 9, 10 and .NET Framework 4.6.2+. It runs on Windows, Linux, macOS, Docker, Azure, AWS, Android, and iOS.

How do you handle invalid barcode data in ASP.NET?

Wrap BarcodeWriter.CreateBarcode() in a try-catch for IronBarCodeEncoderException. Validate input length and character set against format-specific constraints before encoding to prevent exceptions.

Can IronBarCode export barcodes to PDF?

Yes. Call SaveAsPdf() on any GeneratedBarcode object to produce a PDF file. The method accepts an output path and optional page dimensions to match physical label sizes.

Is a barcode font required to use IronBarCode?

No. IronBarCode is self-contained and handles all encoding and rendering internally. No barcode fonts, GD libraries, or additional system configuration are required.

Jordi Bardia
Software Engineer
Jordi is most proficient in Python, C# and C++, when he isn’t leveraging his skills at Iron Software; he’s game programming. Sharing responsibilities for product testing, product development and research, Jordi adds immense value to continual product improvement. The varied experience keeps him challenged and engaged, and he ...
Read More

Iron Support Team

We're online 24 hours, 5 days a week.
Chat
Email
Call Me