C# Foundation - Nullable Types

Nullable types in C# allow value types (such as int, double, bool, etc.) to represent the normal range of values plus an additional null value. This is useful when dealing with databases or other data sources where a value might be missing or undefined. To declare a nullable type, you use the? Syntax after the value type. For example, int? is a nullable integer.

Sure! Let me explain using nullable types in a C# application that interacts with a database with a practical example. Let's assume we have a database table with a column that can have null values, such as a DateTime column representing a user's last login date.

Step 1. Create a class named User, as shown below.

public class User
{
    public int Id { get; set; }
    public required string Name { get; set; }
    public DateTime? LastLoginDate { get; set; }
    
    public static User GetUserFromDatabase()
    {
        // Simulate a user with no last login date
        return new User
        {
            Id = 1,
            Name = "Praveen Raveendran",
            LastLoginDate = null
        };
    }
}

I've created a GetUserFromDatabase method to simulate the process of retrieving user information from a database. This method specifically addresses the scenario where the LastLoginDate property might be null, handling it appropriately.

Step 2. The main method simulates retrieving a user from the database.

// Simulate fetching a user from the database
User user = User.GetUserFromDatabase();

// Check if the LastLoginDate has a value
if (user.LastLoginDate.HasValue)
{
    Console.WriteLine($"User {user.Name} last logged in on {user.LastLoginDate.Value}");
}
else
{
    Console.WriteLine($"User {user.Name} has never logged in.");
}

In C#, DateTime is a nullable type, meaning it can hold either a DateTime value or null. The HasValue property of a nullable type returns true if the variable contains a non-null value and false if it is null.

In this context, the code determines whether the LastLoginDate property has been set (i.e., the user has logged in before) or if it is null (i.e., the user has never logged in).

Output

Output

Conclusion

Nullable types in C# offer a powerful mechanism to represent the absence of a value, enhancing code reliability and preventing potential null reference exceptions. By understanding and effectively utilizing nullable types, developers can write more robust and error-resistant applications.


Similar Articles