.NET HELP

C# Generics (How It Works For Developers)

Regan Pun
Regan Pun
April 3, 2024
Share:

C# generics introduce a way to design classes, methods, interfaces, and delegates where the type of data they manage can be specified as a parameter. This concept, known as a generic type parameter, allows for the creation of flexible and reusable code components. By using generics, you can maximize code reusability, type safety, and performance. For instance, a generic class can be defined once but instantiated with various data types, offering versatility and type integrity. In this article, we'll learn about the basics of C# Generics and IronPDF library features for PDF manipulation.

The Basics of Generic Classes

A generic class in C# is a blueprint for creating a class with a placeholder for the type it contains or operates on. This placeholder, often denoted by T, represents a type parameter that is specified when the class is instantiated. We can create generic classes with type parameter T to handle various data types. Generic classes are particularly useful for collection classes, like lists, queues, and hash tables, as they can hold any data type while ensuring type safety and reducing the need for casting.

Simple Example of a Generic Class

Consider a generic class named Box that is designed to store a value of any type:

public class Box<T>
{
    private T data;
    public Box(T data) { this.data = data; }
    public T Data { get { return data; } }
}
public class Box<T>
{
    private T data;
    public Box(T data) { this.data = data; }
    public T Data { get { return data; } }
}

To use this class, you create an instance specifying the actual type for T:

Box<int> integerBox = new Box<int>(123);
Box<string> stringBox = new Box<string>("Hello");
Box<int> integerBox = new Box<int>(123);
Box<string> stringBox = new Box<string>("Hello");

This code illustrates how a single class (Box) can adapt to store different data types (int, string), showcasing the power of generics for code reuse and type safety.

Implementing Generic Methods

Generic methods are similar to generic classes but are defined with type parameters at the method level. This allows for creating methods that can operate on different types while being defined in a non-generic class or a generic one.

Example of a Generic Method

Here's a method that swaps two elements in an array of any type:

public class Utility
{
    public static void Swap<T>(ref T lhs, ref T rhs)
    {
        T temp = lhs;
        lhs = rhs;
        rhs = temp;
    }
}
public class Utility
{
    public static void Swap<T>(ref T lhs, ref T rhs)
    {
        T temp = lhs;
        lhs = rhs;
        rhs = temp;
    }
}

Usage of the above method can be as follows:

int a = 1, b = 2;
Utility.Swap<int>(ref a, ref b);
string first = "world", second = "hello";
Utility.Swap(ref first, ref second);
int a = 1, b = 2;
Utility.Swap<int>(ref a, ref b);
string first = "world", second = "hello";
Utility.Swap(ref first, ref second);

Exploring Generic Interfaces and Delegates

Generic interfaces and delegates enable defining contracts and callback methods that can operate with any type. Implementing a generic interface or using a generic delegate in your class or method enhances flexibility and code reuse.

Generic Interface Example

A generic repository interface for data access operations might look like this:

public interface IRepository<T>
{
    void Add(T item);
    T GetById(int id);
    IEnumerable<T> GetAll();
}
public interface IRepository<T>
{
    void Add(T item);
    T GetById(int id);
    IEnumerable<T> GetAll();
}

This interface can be implemented by any class to handle specific data types, allowing for consistent data access patterns across different types.

Generic Delegate Example

A generic delegate could be used to define a type-safe callback:

public delegate void Action<T>(T item);
public delegate void Action<T>(T item);

Utilizing Generic Collections

Generic collection classes, such as List, Dictionary<TKey, TValue>, and others in the System.Collections.Generic namespace, offer type-safe, efficient collections for storing and manipulating data of any specific type. These collections are superior to their non-generic counterparts because they eliminate the need for casting and reduce runtime errors.

List<string> names = new List<string>();
names.Add("Alice");
names.Add("Bob");
Dictionary<int, string> keyValuePairs = new Dictionary<int, string>();
keyValuePairs.Add(1, "One");
keyValuePairs.Add(2, "Two");
List<string> names = new List<string>();
names.Add("Alice");
names.Add("Bob");
Dictionary<int, string> keyValuePairs = new Dictionary<int, string>();
keyValuePairs.Add(1, "One");
keyValuePairs.Add(2, "Two");

Creating Custom Generic Types

Beyond using built-in generic types, you can create your own to encapsulate operations that are common across different data types but need to be handled in a type-specific manner. This approach is particularly useful for building libraries, frameworks, or utilities that are to be used with various data types.

Custom Generic Type Example

Consider a generic Result class that encapsulates operation results along with a success flag and an optional message:

public class Result<T>
{
    public bool Success { get; private set; }
    public T Data { get; private set; }
    public string Message { get; private set; }
    public Result(bool success, T data, string message = "")
    {
        Success = success;
        Data = data;
        Message = message;
    }
}
public class Result<T>
{
    public bool Success { get; private set; }
    public T Data { get; private set; }
    public string Message { get; private set; }
    public Result(bool success, T data, string message = "")
    {
        Success = success;
        Data = data;
        Message = message;
    }
}

IronPDF: C# PDF Library

IronPDF is a comprehensive library designed for .NET developers to create, edit, and extract PDF documents within their applications. IronPDF helps in generating PDFs from HTML, editing existing PDFs, converting PDFs to images, and many more. While IronPDF itself is not based on generics, understanding how to interact with this library in a C# environment can greatly enhance your application's document management capabilities.

Code Example: Using virtual Keyword with IronPDF

The idea behind using generics here is to create a reusable method that can generate a PDF from any given HTML string. This method will be generic, allowing us to specify different types of metadata or configurations as needed.

First, let's define a simple generic class that will hold our PDF generation options. For demonstration purposes, this class will be basic, but you can expand it with more properties to suit your needs.

public class PdfOptions<T>
{
    public T Metadata { get; set; }
    public string HtmlContent { get; set; }
}
public class PdfOptions<T>
{
    public T Metadata { get; set; }
    public string HtmlContent { get; set; }
}

Now, let's create a static method that generates a PDF using IronPDF, leveraging our PdfOptionsclass. This method will take an instance of PdfOptionsas its parameter, showcasing the use of generics in action.

public static class PdfGenerator
{
    public static void GeneratePdf<T>(PdfOptions<T> options)
    {
        // Initialize the IronPDF HtmlToPdf renderer
        var renderer = new ChromePdfRenderer();
        // Optional: Apply any renderer options here. For example, setting the paper size.
        renderer.RenderingOptions.PaperSize = IronPdf.Rendering.PdfPaperSize.A4;
        // Generate the PDF from HTML content
        var pdfDocument = renderer.RenderHtmlAsPdf(options.HtmlContent);
        // Optional: Here, you can use options.Metadata in some way, depending on your generic type T.
        // For simplicity, we're just printing the metadata to console if it's of type string.
        if (options.Metadata is string metadataString)
        {
            Console.WriteLine($"Metadata: {metadataString}");
        }
        // Save the PDF to a file
        var fileName = $"GeneratedPdf_{DateTime.Now.Ticks}.pdf";
        pdfDocument.SaveAs(fileName);
        Console.WriteLine($"PDF generated and saved as {fileName}");
    }
}
public static class PdfGenerator
{
    public static void GeneratePdf<T>(PdfOptions<T> options)
    {
        // Initialize the IronPDF HtmlToPdf renderer
        var renderer = new ChromePdfRenderer();
        // Optional: Apply any renderer options here. For example, setting the paper size.
        renderer.RenderingOptions.PaperSize = IronPdf.Rendering.PdfPaperSize.A4;
        // Generate the PDF from HTML content
        var pdfDocument = renderer.RenderHtmlAsPdf(options.HtmlContent);
        // Optional: Here, you can use options.Metadata in some way, depending on your generic type T.
        // For simplicity, we're just printing the metadata to console if it's of type string.
        if (options.Metadata is string metadataString)
        {
            Console.WriteLine($"Metadata: {metadataString}");
        }
        // Save the PDF to a file
        var fileName = $"GeneratedPdf_{DateTime.Now.Ticks}.pdf";
        pdfDocument.SaveAs(fileName);
        Console.WriteLine($"PDF generated and saved as {fileName}");
    }
}

Finally, let's use our PdfGenerator class to generate a PDF document. In this example, the Metadata property could be a string containing a title or any other information you find relevant.

class Program
{
    static void Main(string [] args)
    {
        License.LicenseKey = "License-Key";
        var options = new PdfOptions<string>
        {
            HtmlContent = "<h1>Hello, World!</h1><p>This is a test PDF document generated from HTML.</p>",
            Metadata = "Test PDF Title"
        };
        PdfGenerator.GeneratePdf(options);
    }
}
class Program
{
    static void Main(string [] args)
    {
        License.LicenseKey = "License-Key";
        var options = new PdfOptions<string>
        {
            HtmlContent = "<h1>Hello, World!</h1><p>This is a test PDF document generated from HTML.</p>",
            Metadata = "Test PDF Title"
        };
        PdfGenerator.GeneratePdf(options);
    }
}

This example illustrates the basics of integrating IronPDF with C# Generics, providing a flexible way to generate PDFs from HTML content while allowing for customizable metadata or configurations through the generic PdfOptionsclass. You can expand upon this by adding more sophisticated options and renderer configurations as needed for your application.

C# Generics (How It Works For Developers): Figure 1 - Example code output utilizing generics to create a PDF document from an HTML string using IronPDF

Conclusion

C# Generics (How It Works For Developers): Figure 2 - IronPDF licensing page

C# generics is a powerful tool for developing high-quality, reusable, and type-safe code. By understanding and applying generic classes, methods, interfaces, and delegates, you can write code that is more adaptable and easier to maintain. Generics not only enable code reuse across different data types but also ensure compile-time type checking, which reduces runtime errors and improves overall code quality. IronPDF offers a free trial of its PDF library tools, with costs from $749 onwards.

Regan Pun
Software Engineer
Regan graduated from the University of Reading, with a BA in Electronic Engineering. Before joining Iron Software, his previous job roles had him laser-focused on single tasks; and what he most enjoys at Iron Software is the spectrum of work he gets to undertake, whether it’s adding value to sales, technical support, product development or marketing. He enjoys understanding the way developers are using the Iron Software library, and using that knowledge to continually improve documentation and develop the products.
< PREVIOUS
C# String.Join (How It Works For Developers)
NEXT >
C# Virtual Keyword (How It Works For Developers)