public class RingQueue<T>
{
private int size;
private int read = 0;
private int write = 0;
private int count = 0;
private T[] objects;
public RingQueue (int size)
{
this.size = size;
objects = new T[size + 1];
}
public bool Empty {
get { return (read == write) && (count == 0); }
}
public bool Full {
get { return (read == write) && (count > 0); }
}
public void Write (T item)
{
if (Full)
throw new IndexOutOfRangeException ("Queue Full!");
objects[write] = item;
count++;
write = (write + 1) % size;
}
public T Read ()
{
if (Empty)
throw new IndexOutOfRangeException ("Queue Empty!");
T item = objects[read];
count--;
read = (read + 1) % size;
return item;
}
}
Monday, July 12, 2010
Generic Ring Buffer in C#
This data structure is helpful when creating lock-free algorithms. I'm not sure if the exceptions used are appropriate. Any suggestions?
Subscribe to:
Post Comments (Atom)
Popular Posts
-
These are the robots I've been working on for the last 12 months. They each weigh about 11 tonnes and have a 17 meter reach. The control...
-
This hard-to-see screenshot is a Generic Node Graph Editing framework I'm building. I'm hoping it can be used for any kind of node...
-
Unfortunately I've not secured a venue for the GGJ. With 9 days left, things are not looking hopeful. It could be that GGJ Perth will no...
-
So, you've created a car prefab using WheelCollider components, and now you can apply a motorTorque to make the whole thing move along. ...
-
MiddleMan: A Pub/Sub and Request/Response server in Go. This is my first Go project. It is a rewrite of an existing Python server, based o...
-
Often, when building a game, you need to test if objects are colliding. The objects could be spaceships, rocks, mouse pointers, laser beams....
-
I've just read a newspaper article (courtesy of Kranzky ) from WA Business News documenting the malfeasance, gross negligence and misc...
-
Space is awesome. Especially when it is generated using Perlin noise, and some cool shaders. You can try it out over here.
-
I made something which lets you render very large worlds with a small farClipPlane. https://github.com/simonwittber/scaled-origin The d...
-
After my last post, I decided to benchmark the scaling properties of Stackless, Kamaelia, Fibra using the same hackysack algorithm. Left axi...
1 comment:
When writing, perhaps instead of an exception, you could grow the queue. Allocate a new array, copy the existing elements and then add the new item.
For reading, it seems appropriate to me, given the Empty property - there is a test to avoid the exception.
The other alternative is to return null, and let the application handle it. If not handled, a NullReferenceException would eventually result. Hmm.
Post a Comment