DEV Community

Cover image for Exploring the Internals of Dictionary in C#
Tapesh Mehta for WireFuture

Posted on

Exploring the Internals of Dictionary in C#

Introduction

Dictionaries in C# are a fundamental data structure that stores key-value pairs. They support lookup, insertion and deletion operations which are required by many applications. But learning how dictionaries work internally may help you use them better and write more efficient software. This article will demonstrate how dictionaries work in C#, including hashing, collision resolution, and bucket management.

A dictionary is a collection of distinct key-value pairs. The benefit of a dictionary is the ability to quickly find values by key. This is done by hashing, which transforms keys into indices in an array called buckets. Knowing the internal workings of exactly how this works will help you optimize your usage of dictionaries and stay away from common pitfalls.

Why Understanding Internals Matters

Knowing how dictionaries work internally can help you:

  1. Optimize Performance: By understanding how hashing and buckets work, you can choose appropriate keys and manage dictionary size more effectively.
  2. Debug Issues: When things go wrong, a deeper understanding can help you identify and fix issues related to dictionary usage.
  3. Write Efficient Code: Leveraging internal mechanisms can lead to more efficient and scalable applications.

How Dictionaries Work

A dictionary in C# uses an array of buckets to store entries. Each bucket can hold multiple entries in case of collisions. Let's explore how keys are converted to indices, how collisions are handled, and how entries are stored in buckets.

Hashing

Hashing is the process of converting a key into an integer, which can then be used as an index in the array of buckets. In C#, the GetHashCode method is used to generate a hash code for a key.

Example: Basic Hashing

Here's a simple example to illustrate hashing:

public class HashingExample
{
    public static void Main(string[] args)
    {
        string key = "exampleKey";
        int hashCode = key.GetHashCode();
        Console.WriteLine($"Hash Code for '{key}': {hashCode}");
    }
}
Enter fullscreen mode Exit fullscreen mode

When you run this code, it will generate a hash code for the string exampleKey. This hash code is then used to determine the bucket index.

Buckets

Buckets are an array of linked lists where each list contains entries that have the same hash code (i.e., collisions). The index in the bucket array is calculated using the modulus operation on the hash code.

Example: Bucket Index Calculation

public class BucketExample
{
    private const int BucketCount = 16;

    public static void Main(string[] args)
    {
        string key = "exampleKey";
        int hashCode = key.GetHashCode();
        int bucketIndex = hashCode % BucketCount;
        Console.WriteLine($"Bucket Index for '{key}': {bucketIndex}");
    }
}
Enter fullscreen mode Exit fullscreen mode

In this example, the bucket index is calculated by taking the modulus of the hash code with the bucket count (16 in this case).

Collision Resolution

Collisions occur when multiple keys produce the same bucket index. C# dictionaries handle collisions using linked lists within each bucket. When a collision occurs, the new entry is added to the linked list at the corresponding bucket index.

Example: Collision Handling

Consider the following example where multiple keys result in the same bucket index:

public class CollisionExample
{
    private const int BucketCount = 16;
    private static List<KeyValuePair<string, int>>[] buckets;

    public static void Main(string[] args)
    {
        buckets = new List<KeyValuePair<string, int>>[BucketCount];
        AddToDictionary("key1", 1);
        AddToDictionary("key2", 2);
        AddToDictionary("key1", 3); // Collision

        PrintBuckets();
    }

    private static void AddToDictionary(string key, int value)
    {
        int hashCode = key.GetHashCode();
        int bucketIndex = hashCode % BucketCount;

        if (buckets[bucketIndex] == null)
        {
            buckets[bucketIndex] = new List<KeyValuePair<string, int>>();
        }

        buckets[bucketIndex].Add(new KeyValuePair<string, int>(key, value));
    }

    private static void PrintBuckets()
    {
        for (int i = 0; i < buckets.Length; i++)
        {
            Console.WriteLine($"Bucket {i}:");
            if (buckets[i] != null)
            {
                foreach (var kvp in buckets[i])
                {
                    Console.WriteLine($"  {kvp.Key}: {kvp.Value}");
                }
            }
        }
    }
}
Enter fullscreen mode Exit fullscreen mode

In this example, when a collision occurs (i.e., key1 is added twice), both entries are stored in the same bucket's linked list.

Optimizing Collisions

To minimize collisions, it's important to choose a good hash function and an appropriate number of buckets. C# uses a default hash function, but you can implement custom hash functions if needed.

Managing Buckets

Managing buckets effectively is crucial for the performance of a dictionary. The number of buckets can dynamically grow as the dictionary size increases to maintain efficient lookups.

Resizing Buckets

When the number of entries exceeds a certain threshold, the dictionary resizes its buckets array to reduce the load factor. This involves rehashing all existing keys and redistributing them into the new buckets array.

Example: Resizing Buckets

public class ResizingExample
{
    private const int InitialBucketCount = 4;
    private List<KeyValuePair<string, int>>[] buckets;
    private int count;
    private int bucketCount;

    public ResizingExample()
    {
        bucketCount = InitialBucketCount;
        buckets = new List<KeyValuePair<string, int>>[bucketCount];
        count = 0;
    }

    public void Add(string key, int value)
    {
        if (count >= bucketCount * 0.75)
        {
            ResizeBuckets();
        }

        int hashCode = key.GetHashCode();
        int bucketIndex = hashCode % bucketCount;

        if (buckets[bucketIndex] == null)
        {
            buckets[bucketIndex] = new List<KeyValuePair<string, int>>();
        }

        buckets[bucketIndex].Add(new KeyValuePair<string, int>(key, value));
        count++;
    }

    private void ResizeBuckets()
    {
        bucketCount *= 2;
        var newBuckets = new List<KeyValuePair<string, int>>[bucketCount];

        foreach (var bucket in buckets)
        {
            if (bucket != null)
            {
                foreach (var kvp in bucket)
                {
                    int newBucketIndex = kvp.Key.GetHashCode() % bucketCount;
                    if (newBuckets[newBucketIndex] == null)
                    {
                        newBuckets[newBucketIndex] = new List<KeyValuePair<string, int>>();
                    }
                    newBuckets[newBucketIndex].Add(kvp);
                }
            }
        }

        buckets = newBuckets;
    }

    public void PrintBuckets()
    {
        for (int i = 0; i < buckets.Length; i++)
        {
            Console.WriteLine($"Bucket {i}:");
            if (buckets[i] != null)
            {
                foreach (var kvp in buckets[i])
                {
                    Console.WriteLine($"  {kvp.Key}: {kvp.Value}");
                }
            }
        }
    }
}
Enter fullscreen mode Exit fullscreen mode

In this example, the Add method checks if the load factor exceeds 75% and triggers resizing if necessary. The ResizeBuckets method doubles the number of buckets and rehashes all existing entries.

Conclusion

Understanding the internals of how dictionaries work in C# (hashing, collision resolution, bucket management) can help you write robust code. Optimizing hashing functions, handling collisions efficiently, and managing buckets dynamically improves the performance of your applications. In the context of .NET development, this knowledge becomes even more valuable as it allows you to leverage the full power of the framework for building high-performance, scalable applications.

Next time you use a dictionary, take a moment to consider how these internal mechanisms are working to provide you with fast and efficient data access. This knowledge can help you enhance your code and solve complex problems confidently.

What challenges have you had using dictionaries in your applications? Share your experiences and learn together!

Reach out in case you have questions or require further help. Your feedback and experiences help make this journey a much better one for everybody. Have fun coding!

Top comments (0)