Thu. Oct 23rd, 2025

Introduction

In the vast universe of C#, there exists a powerful feature that often goes unnoticed – Reflection. It’s a mechanism that allows us to inspect the metadata of a class at runtime, including its properties and their types. In this blog post, we’ll delve into how you can create an array of objects from the properties of a class, with each object containing the field name, its data type, and whether it allows null values.

The Magic of Reflection

Reflection in C# provides the ability to obtain information about loaded assemblies and the types defined within them, such as classes, interfaces, and value types. You can also use reflection to create and manipulate instances of types. Here’s how you can use reflection to get information about a class:

C#

using System;
using System.Linq;
using System.Collections.Generic;

public class MyClass
{
    public int MyProperty1 { get; set; }
    public string MyProperty2 { get; set; }
}

public class Program
{
    public static void Main()
    {
        var properties = typeof(MyClass).GetProperties().Select(p => new 
        {
            Field = p.Name,
            DataType = Nullable.GetUnderlyingType(p.PropertyType) ?? p.PropertyType,
            IsNullable = Nullable.GetUnderlyingType(p.PropertyType) != null
        }).ToArray();

        foreach (var prop in properties)
        {
            Console.WriteLine($"Field: {prop.Field}, DataType: {prop.DataType}, IsNullable: {prop.IsNullable}");
        }
    }
}

In the above code, MyClass is the class we want to inspect. The Main method uses reflection to get the properties of MyClass, and for each property, it creates a new object with the FieldDataType, and IsNullable properties. It then writes these properties to the console.

Conclusion

Reflection is a powerful tool in the C# arsenal, providing the ability to inspect, explore, and even modify the metadata of a class. While it should be used judiciously due to its potential impact on performance and security, it remains an invaluable asset when you need to work with types dynamically. So, the next time you find yourself needing to know more about a class than what’s on the surface, remember – reflection has got you covered!


I hope you found this blog post helpful! If you have any questions or comments, feel free to leave them below. Happy coding!

Leave a Reply