Home » Questions » Computers [ Ask a new question ]

Limit size of Queue<T> in .NET?

Limit size of Queue<T> in .NET?

I have a Queue<T> object that I have initialised to a capacity of 2, but obviously that is just the capacity and it keeps expanding as I add items. Is there already an object that automatically dequeues an item when the limit is reached, or is the best solution to create my own inherited class?

Asked by: Guest | Views: 251
Total answers/comments: 2
Guest [Entry]

"I've knocked up a basic version of what I'm looking for, it's not perfect but it'll do the job until something better comes along.

public class LimitedQueue<T> : Queue<T>
{
public int Limit { get; set; }

public LimitedQueue(int limit) : base(limit)
{
Limit = limit;
}

public new void Enqueue(T item)
{
while (Count >= Limit)
{
Dequeue();
}
base.Enqueue(item);
}
}"
Guest [Entry]

"I would recommend that you pull up the C5 Library. Unlike SCG (System.Collections.Generic), C5 is programmed to interface and designed to be subclassed. Most public methods are virtual and none of the classes are sealed. This way, you won't have to use that icky ""new"" keyword which wouldn't trigger if your LimitedQueue<T> were cast to a SCG.Queue<T>. With C5 and using close to the same code as you had before, you would derive from the CircularQueue<T>. The CircularQueue<T> actually implements both a stack and a queue, so you can get both options with a limit nearly for free. I've rewritten it below with some 3.5 constructs:

using C5;

public class LimitedQueue<T> : CircularQueue<T>
{
public int Limit { get; set; }

public LimitedQueue(int limit) : base(limit)
{
this.Limit = limit;
}

public override void Push(T item)
{
CheckLimit(false);
base.Push(item);
}

public override void Enqueue(T item)
{
CheckLimit(true);
base.Enqueue(item);
}

protected virtual void CheckLimit(bool enqueue)
{
while (this.Count >= this.Limit)
{
if (enqueue)
{
this.Dequeue();
}
else
{
this.Pop();
}
}
}
}

I think that this code should do exactly what you were looking for."