Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

List operations complexity

I have always thought that List<T> in C#is a classic linked list, but recently I read that it is actually backed by array internally.

Does this mean that when we do insert to the start of the list it is O(n) operation because other elements needs to be moved one position further like in simple array? And every time we add a new item the new array with bigger capacity is created? Or it is some hybrid like ArrayList in Java?

If anyone has some link with complexity for C# List operations it would be good.

like image 471
Aleksa Avatar asked Feb 04 '16 15:02

Aleksa


People also ask

What is the complexity of sorting a list?

The complexity is O(N+R) . N is the number of elements in the list. R is the difference between the largest and smallest elements in the list. If the value of R is very big, then it can take a while to sort.

What is the time complexity of list () in Python?

The average time complexity of the in operator for lists is O(n) . It becomes slower when there are many elements. The execution time varies greatly depending on the position of the value to look for. It takes the longest time when its value is at the end or does not exist.

Is O log n faster than O 1?

Sometimes, O(log n) will outperform O(1) but as the input size 'n' increases, O(log n) will take more time than the execution of O(1).


1 Answers

Your assumption is right. You can find the complexities of the operations documented on MSDN:

List<T>.Insert:

This method is an O(n) operation, where n is Count.

List<T>.Add:

If Count already equals Capacity, the capacity of the List is increased by automatically reallocating the internal array, and the existing elements are copied to the new array before the new element is added.

If Count is less than Capacity, this method is an O(1) operation. If the capacity needs to be increased to accommodate the new element, this method becomes an O(n) operation, where n is Count.

Yes, the capacity is increased as needed, but no, the capacity is not increased for every Add operation. As we can see in the documentation of the constructor in the reference source, lists have a certain base capacity, and the capacity is doubled every time it is exceeded:

// Constructs a List. The list is initially empty and has a capacity
// of zero. Upon adding the first element to the list the capacity is
// increased to 16, and then increased in multiples of two as required.
public List() {
    ...
}

So, in a nutshell, choosing the right list depends on your needs. This answer compares the complexities of common operations in array-based lists (such as List<T>) and linked lists (such as LinkedList<T>):

  • Asymptotic complexity of .NET collection classes
like image 97
Heinzi Avatar answered Nov 15 '22 18:11

Heinzi