Table of Contents
When to use List and when to change to something else?
Frequent searches? Try Dictionary and SortedDictionary
How to choose in a multi-threaded environment?
Home Backend Development C#.Net Tutorial Choosing the Right C# Collection Type for Performance

Choosing the Right C# Collection Type for Performance

Aug 01, 2025 am 03:47 AM

Choosing the right collection type can significantly improve C# program performance. 1. Frequently insert or delete in the middle with LinkedList, 2. Quickly search using HashSet or Dictionary, 3. Fixed arrays for fixed number of elements, 4. Select HashSet when unique values are required, 5. Frequently searching using Dictionary or SortedDictionary, 6. Consider ConcurrentBag or ConcurrentDictionary in a multi-threaded environment.

Choosing the Right C# Collection Type for Performance

When writing C# programs, many people only need to use them at the beginning, but when the code runs, they find that they are stuck and have high memory usage. In fact, many times the problem lies in the wrong selection of the set type. Choosing the right collection type has a great impact on performance , especially when the data volume is large or frequent operations are performed.

Choosing the Right C# Collection Type for Performance

Let’s start from several common scenarios to see which collection classes are more suitable for your needs.

Choosing the Right C# Collection Type for Performance

When to use List<t></t> and when to change to something else?

List<t></t> is one of the most commonly used collection types, suitable for most scenarios where sequential storage and traversal are performed. It supports index access, and is quite fast to add, delete, modify and check, especially when adding or deleting it at the end, it is very efficient.

But alternatives should be considered in the following situations:

Choosing the Right C# Collection Type for Performance
  • Frequently insert or delete elements in the middle : consider using LinkedList<t></t> . Although the search is slow, insert/delete is fast.
  • You need to quickly find an element : you can consider HashSet<t></t> or Dictionary<tkey tvalue></tkey> .
  • The number of elements is fixed or close to fixed : using arrays ( T[] ) is more efficient because there is no extra overhead.

For example, if you maintain a player list, you often need to delete a player according to the ID. At this time, Dictionary<int player></int> is more suitable than List<player></player> .


Need a unique value? Priority to HashSet<t></t>

If you want to avoid duplicates automatically and don't need sorting, then HashSet<t></t> is the first choice. It is implemented based on a hash table, and the time complexity of insertion and search is O(1), which is much faster than repeatedly calling Contains() in List<t></t> .

For example, if you are processing user input tags and want to automatically deduplicate them, you can write this:

 var tags = new HashSet<string>();
tags.Add("C#");
tags.Add("Performance");
tags.Add("C#"); // will not be added repeatedly

It should be noted that HashSet<T> does not guarantee the order. If the order is important, you have to maintain it yourself or consider other structures, such as combining List<T> and HashSet<T> .


Frequent searches? Try Dictionary<TKey, TValue> and SortedDictionary<TKey, TValue>

Dictionary<TKey, TValue> is almost standard when you need to quickly find the corresponding value through keys. Its search speed is very fast and is suitable for caching, mapping relationships and other scenarios.

If you still need to sort by keys, use SortedDictionary<TKey, TValue> , but the performance is slightly lower because it has a red and black tree structure inside.

To give a practical example: you have a bunch of user data, and you often need to query information based on the user ID. At this time:

 var users = new Dictionary<int, User>();
users.Add(1001, new User { Name = "Alice" });
User user;
if (users.TryGetValue(1001, out user)) {
    Console.WriteLine(user.Name);
}

This method is much faster than traversing List<user></user> , especially when there are many users.


How to choose in a multi-threaded environment?

If you read and write a collection at the same time in multiple threads, you cannot directly use the normal List<t></t> or Dictionary<tkey tvalue></tkey> because they are not thread-safe. You can consider this at this time:

  • ConcurrentBag<t></t> : Suitable for multiple threads to add and read separately, without caring about the order.
  • ConcurrentDictionary<tkey tvalue></tkey> : A thread-safe dictionary, rich in features, suitable for concurrent search and update.
  • If order consistency is required, locking mechanisms may be required, or thread-safe data structures may be designed specifically.

For example, if you have a background task pool and multiple threads continuously add tasks to it, you can use ConcurrentBag<task></task> .


Basically that's it. The choice of collection type may seem like a small detail, but it will really affect program performance, especially in high-frequency calls or large data volume scenarios. Don't use List<t></t> as soon as you come up, first think about how you want to use this data.

The above is the detailed content of Choosing the Right C# Collection Type for Performance. For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undress AI Tool

Undress AI Tool

Undress images for free

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Hot Topics

PHP Tutorial
1538
276
Using the Task Parallel Library (TPL) in C# Using the Task Parallel Library (TPL) in C# Jul 31, 2025 am 07:56 AM

C#'s TPL simplifies parallel task processing through the Task class. 1. Use Task.Run() or Task.Factory.StartNew() to start the task, and recommend the former; 2. Get the result through Task and wait for completion with await or .Result; 3. Use Task.WhenAll() to execute multiple tasks in parallel, pay attention to resource competition; 4. Use AggregateException to handle exceptions, and traverse specific errors after catching; 5. Use CancellationTokenSource to cancel the task, which is suitable for timeout or user cancellation scenarios; at the same time, pay attention to avoid mixing synchronous and asynchronous code to prevent deadlock problems.

C# var keyword best practices C# var keyword best practices Jul 21, 2025 am 03:02 AM

When using var, it should be determined based on whether the type is clear and whether the readability is affected. 1. When the type is clear on the right side of the assignment, such as varlist=newList(); can improve the code simplicity; 2. When the type is fuzzy or returns to object or interface type, var should be avoided, such as IEnumerableresult=SomeMethod(); to improve readability; 3. Use var reasonably in anonymous types and LINQ queries, such as receiving anonymous objects, but subsequent processing is recommended to encapsulate it as a specific type; 4. In team projects, coding style should be unified, and var should be used reasonably through .editorconfig or code review to avoid abuse and affect maintenance.

How to compare two strings in C#? How to compare two strings in C#? Jul 21, 2025 am 02:49 AM

Comparing strings in C# should be based on the scene selection method. The == operator is case-sensitive by default and compared based on the current culture, but is not suitable for complex scenarios. 1. Using the == operator is suitable for quick comparison, but may not meet the expected results due to culture or case; 2. Using String.Equals() and passing in StringComparison enumeration can achieve more precise control, such as Ordinal, OrdinalIgnoreCase, InvariantCulture, etc.; 3. Pay attention to handling null or empty strings when comparing. It is recommended to use the string.Equals() static method or use string.IsNullOrEmpt first.

How to connect to a SQL Server database in C#? How to connect to a SQL Server database in C#? Jul 25, 2025 am 12:49 AM

To connect to a SQLServer database, the most common way to C# is to use the SqlConnection class in ADO.NET. 1. You need to install the Microsoft.Data.SqlClient package and reference the namespace; 2. Write a connection string containing the server address, database name, and authentication information; 3. Use using and try-catch to establish a connection and execute queries, while ensuring resource release and exception handling; 4. Common problems include remote connection settings, firewall configuration, port release and login permissions, etc., and need to be checked one by one.

How to read a text file line by line in C#? How to read a text file line by line in C#? Aug 02, 2025 am 06:52 AM

There are two common ways to read text files line by line in C#: using StreamReader and File.ReadLines(). 1. The ReadLine() method of StreamReader is suitable for processing large files, read line by line through loop and is memory friendly, and uses using to ensure resource release; 2. File.ReadLines() provides concise code, suitable for scenarios that only need to be traversed once, supports lazy loading and can specify encoding. If you need to access the file content multiple times, File.ReadAllLines() is recommended. The two automatically recognize encoding by default, but to avoid garbled code, it is recommended to explicitly specify Encoding.UTF8 and Enc as needed.

Choosing the Right C# Collection Type for Performance Choosing the Right C# Collection Type for Performance Aug 01, 2025 am 03:47 AM

Choosing the right collection type can significantly improve C# program performance. 1. Frequently insert or delete the LinkedList in the middle, 2. Quickly search using HashSet or Dictionary, 3. Fixed element count to use arrays first, 4. Select HashSet when unique values are required, 5. Frequently searching using Dictionary or SortedDictionary, 6. Consider ConcurrentBag or ConcurrentDictionary in multi-threaded environment.

What is the static keyword in C# used for? What is the static keyword in C# used for? Jul 30, 2025 am 02:24 AM

In C#, the static keyword is used to define members belonging to the type itself and can be accessed without instantiation. 1. Static variables are shared by all instances of the class and are suitable for tracking global state, such as recording the number of instantiation of the class; 2. Static methods belong to classes rather than objects, and cannot directly access non-static members, and are often used in helper functions in tool classes; 3. Static classes cannot be instantiated and only contain static members. They are suitable for organizing stateless practical methods, but cannot inherit or implement interfaces. When using it, you need to pay attention to memory management and thread safety issues.

Leveraging C# for Scientific Computing and Data Analysis Leveraging C# for Scientific Computing and Data Analysis Aug 05, 2025 am 06:19 AM

C#canbeusedforscientificcomputinganddataanalysisbysettingupaproperenvironment,leveragingrelevantlibraries,andoptimizingperformance.First,installVisualStudioorVSCodewiththe.NETSDKasthefoundation.Next,useNuGetpackageslikeMath.NETNumericsforlinearalgebr

See all articles