Поиск  
Always will be ready notify the world about expectations as easy as possible: job change page
Nov 12, 2020

How to perform lazy initialization in C#

Автор:
Joydip Kanjilal
Источник:
Просмотров:
2054

Lazy initialization is a technique that defers the creation of an object until the first time it is needed. In other words, initialization of the object happens only on demand. Note that the terms lazy initialization and lazy instantiation mean the same thing — they can be used interchangeably. By taking advantage of lazy initialization, you can improve the application’s performance by avoiding unnecessary computation and memory consumption. In this article we’ll look at how we can perform lazy initialization in C#.

Let’s understand lazy loading with a simple example. Consider two classes, Customer and Order. The Customer class contains an Orders property that in turn references a collection of instances of the Order class. The Orders collection may contain a large amount of data and may even need a database connection to connect to the database and retrieve records. In such a case, there is no point in loading data in the Orders property until we need the data. Lazy initialization allows us to load the Orders collection only when the data is asked for.

Using the Lazy<T> class in C#

Although you can write your own custom code to implement lazy initialization, Microsoft recommends using the Lazy<T> class instead. The Lazy<T> class in the System namespace in C# was introduced as part of .Net Framework 4.0 to provide a thread-safe way to implement lazy initialization. You can take advantage of this class to defer the initialization of resource-intensive objects in your application.

When you use the Lazy<T> class, you need to specify the type of object you intend to create lazily in the type argument. Note that lazy initialization occurs when you access the Lazy<T>.Value property. Here is an example of how the Lazy<T> class can be used:

Lazy<IEnumerable<Order>> orders = new Lazy<IEnumerable<Order>>();
IEnumerable<Order> result = lazyOrders.Value;

Now, consider two classes, Author and Blog. An author can write many blog posts, so you have a one-to-many relationship between the Author and Blog classes as shown in the code snippet below.

public class Author
{
    public int Id { get; set; }
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string Address { get; set; }
    public List<Blog> Blogs { get; set; }
}

public class Blog
{
    public int Id { get; set; }
    public string Title { get; set; }
    public DateTime PublicationDate { get; set; }
}

Note that the one-to-many relationship between the Author and Blog classes has been represented using a List property (of type Blog) in the Author class. Using this property, the Author class can hold a collection of one or more instances of the Blog class.

Now suppose we need to display only the details of an author (first name, last name, and address) in the user interface. There is no point in loading the blog details for the author in this case; we want to load the blog details lazily. Here is the updated Author class that addresses this need. Note the usage of the Lazy<T> class.

public class Author
{
    public int Id { get; set; }
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string Address { get; set; }
    public Lazy<IList<Blog>> Blogs => new Lazy<IList<Blog>>(() => GetBlogDetailsForAuthor(this.Id));

    private IList<Blog> GetBlogDetailsForAuthor(int Id)
    {
        // Write code here to retrieve all blog details for an author.
    }
}

Using the generic Lazy class in C#

Let’s now look at how we can take advantage of a generic Lazy class to implement the Singleton design pattern. The following version of the StateManager class is thread-safe. At the same time, it demonstrates lazy initialization. Note that the explicit static constructor has been used to ensure that the C# compiler doesn’t mark the type as beforefieldinit.

public sealed class StateManager
{
    private StateManager()
    {
    }

    public static StateManager Instance
    {
        get
        {
            return Nested.obj;
        }
    }

    private class Nested
    {
        static Nested()
        {
        }
        internal static readonly StateManager obj = new StateManager();
    }
}

Here is a lazy implementation of the StateManager class that leverages the Lazy<T> class. You can see how the Lazy<T> class makes it really simple to implement laziness.

public class StateManager
{
    private static readonly Lazy<StateManager> obj = new Lazy<StateManager>(() => new StateManager());
    private StateManager() { }
    public static StateManager Instance
    {
        get
        {
            return obj.Value;
        }
    }
}

Take a look at the Instance property in the StateManager class above. Note that the Value property you see in the above code example is read-only. For that reason there is no set accessor.

Lazy initialization is an excellent performance optimization technique, allowing you to defer the initialization of objects that consume significant CPU and memory resources until you absolutely need them. Take advantage of lazy initialization to improve the performance of your apps.

Похожее
May 12, 2023
Author: Alex Maher
Language Integrated Query (LINQ) is a powerful feature in C# .NET that allows developers to query various data sources using a consistent syntax. In this article, we’ll explore some advanced LINQ techniques to help you level up your skills and...
Jun 7, 2024
Author: Dev Leader
In software engineering, composition plays an important role in object-oriented programming. If you’ve come across other articles or videos I’ve put out about object-oriented programming, you’ll know that I try to push composition over inheritance as much as I can....
Apr 16, 2022
Author: Matthew MacDonald
Sometimes it’s the little things that count. When .NET 6 dropped this November, a few top-line items grabbed all the attention. I’m talking about C# 10, hot reload, Blazor’s AOT compilation, and some serious inner loop performance improvements. All of...
Jan 1, 2023
Author: Daniel Kreider
Here’s the simple step-by-step guide that will teach you how to build and code a generic repository. There are oodles of design patterns. Some of these design patterns are floating about on antique blogs full of mad logic. They’re ridiculous...
Написать сообщение
Тип
Почта
Имя
*Сообщение
RSS
Если вам понравился этот сайт и вы хотите меня поддержать, вы можете
Зачем нужен MediatR?
Правило 3-х часов: сколько нужно работать в день
Какого черта мы нанимаем, или осмысленность собеседований в IT
Почему сеньоры ненавидят собеседования с кодингом, и что компании должны использовать вместо них
Как управлять тимлидами
9 тяжёлых уроков, которые я усвоил за 18 лет разработки
Soft skills: 18 самых важных навыков, которыми должен владеть каждый работник
Как мы столкнулись с версионированием и осознали, что вариант «просто проставить цифры» не работает
Почему в вашем коде так сложно разобраться
Функции и хранимые процедуры в PostgreSQL: зачем нужны и как применять в реальных примерах
Boosty
Donate to support the project
GitHub account
GitHub profile