The last part of the series was all about increasing underlying array size. This time, I'll try to investigate something slightly different. Question is simple: Is the underlying array shrunk when you remove elements from the list? Let's find that out!
To do that, we have to look for all possible ways you can remove elements from List<T>. Actually, there are only few of them:
public void Clear()
public bool Remove(T item)
public int RemoveAll(Predicate<T> match)
public void RemoveAt(int index)
public void RemoveRange(int index, int count)I don't want to just copy-past code from all these methods, but I'm afraid I have no choice :) And that's because all these methods are really straight forward. Starting from the easiest one:
public void Clear()
{
    if (this._size > 0)
    {
        Array.Clear(this._items, 0, this._size);
        this._size = 0;
    }
    this._version++;
}Going further to Remove(), RemoveAt() and RemoveRange():
public bool Remove(T item)
{
    int num = this.IndexOf(item);
    if (num >= 0)
    {
        this.RemoveAt(num);
        return true;
    }
    return false;
}
public void RemoveAt(int index)
{
    // parameter checks removed
    this._size--;
    if (index < this._size)
    {
        Array.Copy(this._items, index + 1, this._items, index, this._size - index);
    }
    this._items[this._size] = default(T);
    this._version++;
}
public void RemoveRange(int index, int count)
{
    // parameters checks removed
    if (count > 0)
    {
        this._size -= count;
        if (index < this._size)
        {
            Array.Copy(this._items, index + count, this._items, index, this._size - index);
        }
        Array.Clear(this._items, this._size, count);
        this._version++;
    }
}Last but not least (and also most interesting one): RemoveAll():
public int RemoveAll(Predicate<T> match)
{
    // parameters checks removed
    int num = 0;
    while (num < this._size && !match(this._items[num]))
    {
        num++;
    }
    if (num >= this._size)
    {
        return 0;
    }
    int i = num + 1;
    while (i < this._size)
    {
        while (i < this._size && match(this._items[i]))
        {
            i++;
        }
        if (i < this._size)
        {
            this._items[num++] = this._items[i++];
        }
    }
    Array.Clear(this._items, num, this._size - num);
    int result = this._size - num;
    this._size = num;
    this._version++;
    return result;
}As you can see, non of the methods changes underlying array size. It means, you can still have really huge amount of memory allocated even if the list contains only few elements. Is there any way to force the array size change? Yes, and No... Yes, because there is a TrimExcess method, which seems to do that. And No, because it actually don't always do that!
public void TrimExcess()
{
    int num = (int)((double)this._items.Length * 0.9);
    if (this._size < num)
    {
        this.Capacity = this._size;
    }
} 
No comments:
Post a Comment