Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How would you code an efficient Circular Buffer in Java or C#?

I want a simple class that implements a fixed-size circular buffer. It should be efficient, easy on the eyes, generically typed.

For now it need not be MT-capable. I can always add a lock later, it won't be high-concurrency in any case.

Methods should be: .Add() and I guess .List(), where I retrieve all the entries. On second thought, Retrieval I think should be done via an indexer. At any moment I will want to be able to retrieve any element in the buffer by index. But keep in mind that from one moment to the next Element[n] may be different, as the circular buffer fills up and rolls over. This isn't a stack, it's a circular buffer.

Regarding "overflow": I would expect internally there would be an array holding the items, and over time the head and tail of the buffer will rotate around that fixed array. But that should be invisible from the user. There should be no externally-detectable "overflow" event or behavior.

This is not a school assignment - it is most commonly going to be used for a MRU cache or a fixed-size transaction or event log.

like image 401
Cheeso Avatar asked Feb 26 '09 11:02

Cheeso


People also ask

What is a circular buffer in C?

Circular buffers (also known as ring buffers) are fixed-size buffers that work as if the memory is contiguous & circular in nature. As memory is generated and consumed, data does not need to be reshuffled – rather, the head/tail pointers are adjusted. When data is added, the head pointer advances.

How do you implement a buffer in Java?

Circular Buffers can be implemented in two ways, using an array or a linked list. An empty object array along with its capacity is initialized inside the constructor as the type of elements added is unknown. Two pointers namely head and tail are maintained for insertion and deletion of elements.

What is circular buffer in operating system?

A circular buffer is a memory allocation scheme where memory is reused (reclaimed) when an index, incremented modulo the buffer size, writes over a previously used location. A circular buffer makes a bounded queue when separate indices are used for inserting and removing data.


Video Answer


2 Answers

I would use an array of T, a head and tail pointer, and add and get methods.

Like: (Bug hunting is left to the user)

// Hijack these for simplicity import java.nio.BufferOverflowException; import java.nio.BufferUnderflowException;  public class CircularBuffer<T> {    private T[] buffer;    private int tail;    private int head;    @SuppressWarnings("unchecked")   public CircularBuffer(int n) {     buffer = (T[]) new Object[n];     tail = 0;     head = 0;   }    public void add(T toAdd) {     if (head != (tail - 1)) {         buffer[head++] = toAdd;     } else {         throw new BufferOverflowException();     }     head = head % buffer.length;   }    public T get() {     T t = null;     int adjTail = tail > head ? tail - buffer.length : tail;     if (adjTail < head) {         t = (T) buffer[tail++];         tail = tail % buffer.length;     } else {         throw new BufferUnderflowException();     }     return t;   }    public String toString() {     return "CircularBuffer(size=" + buffer.length + ", head=" + head + ", tail=" + tail + ")";   }    public static void main(String[] args) {     CircularBuffer<String> b = new CircularBuffer<String>(3);     for (int i = 0; i < 10; i++) {         System.out.println("Start: " + b);         b.add("One");         System.out.println("One: " + b);         b.add("Two");         System.out.println("Two: " + b);         System.out.println("Got '" + b.get() + "', now " + b);          b.add("Three");         System.out.println("Three: " + b);         // Test Overflow         // b.add("Four");         // System.out.println("Four: " + b);          System.out.println("Got '" + b.get() + "', now " + b);         System.out.println("Got '" + b.get() + "', now " + b);         // Test Underflow         // System.out.println("Got '" + b.get() + "', now " + b);          // Back to start, let's shift on one         b.add("Foo");         b.get();     }   } } 
like image 107
JeeBee Avatar answered Oct 11 '22 02:10

JeeBee


This is how I would (or did) write an efficient circular buffer in Java. It's backed by a simple array. For my particular use case, I needed high concurrent throughput, so I used CAS for allocation of the index. I then created mechanisms for reliable copies including a CAS copy of the entire buffer. I used this in a case which is outlined in greater detail in short article.

import java.util.concurrent.atomic.AtomicLong; import java.lang.reflect.Array;  /**  * A circular array buffer with a copy-and-swap cursor.  *  * <p>This class provides an list of T objects who's size is <em>unstable</em>.  * It's intended for capturing data where the frequency of sampling greatly  * outweighs the frequency of inspection (for instance, monitoring).</p>  *  * <p>This object keeps in memory a fixed size buffer which is used for  * capturing objects.  It copies the objects to a snapshot array which may be  * worked with.  The size of the snapshot array will vary based on the  * stability of the array during the copy operation.</p>  *  * <p>Adding buffer to the buffer is <em>O(1)</em>, and lockless.  Taking a  * stable copy of the sample is <em>O(n)</em>.</p>  */ public class ConcurrentCircularBuffer <T> {     private final AtomicLong cursor = new AtomicLong();     private final T[]      buffer;     private final Class<T> type;      /**      * Create a new concurrent circular buffer.      *      * @param type The type of the array.  This is captured for the same reason      * it's required by {@link java.util.List.toArray()}.      *      * @param bufferSize The size of the buffer.      *      * @throws IllegalArgumentException if the bufferSize is a non-positive      * value.      */     public ConcurrentCircularBuffer (final Class <T> type,                                       final int bufferSize)      {         if (bufferSize < 1) {             throw new IllegalArgumentException(                 "Buffer size must be a positive value"                 );         }          this.type    = type;         this.buffer = (T[]) new Object [ bufferSize ];     }      /**      * Add a new object to this buffer.      *      * <p>Add a new object to the cursor-point of the buffer.</p>      *      * @param sample The object to add.      */     public void add (T sample) {         buffer[(int) (cursor.getAndIncrement() % buffer.length)] = sample;     }      /**      * Return a stable snapshot of the buffer.      *      * <p>Capture a stable snapshot of the buffer as an array.  The snapshot      * may not be the same length as the buffer, any objects which were      * unstable during the copy will be factored out.</p>      *       * @return An array snapshot of the buffer.      */     public T[] snapshot () {         T[] snapshots = (T[]) new Object [ buffer.length ];          /* Determine the size of the snapshot by the number of affected          * records.  Trim the size of the snapshot by the number of records          * which are considered to be unstable during the copy (the amount the          * cursor may have moved while the copy took place).          *          * If the cursor eliminated the sample (if the sample size is so small          * compared to the rate of mutation that it did a full-wrap during the          * copy) then just treat the buffer as though the cursor is          * buffer.length - 1 and it was not changed during copy (this is          * unlikley, but it should typically provide fairly stable results).          */         long before = cursor.get();          /* If the cursor hasn't yet moved, skip the copying and simply return a          * zero-length array.          */         if (before == 0) {             return (T[]) Array.newInstance(type, 0);         }          System.arraycopy(buffer, 0, snapshots, 0, buffer.length);          long after          = cursor.get();         int  size           = buffer.length - (int) (after - before);         long snapshotCursor = before - 1;          /* Highly unlikely, but the entire buffer was replaced while we          * waited...so just return a zero length array, since we can't get a          * stable snapshot...          */         if (size <= 0) {             return (T[]) Array.newInstance(type, 0);         }          long start = snapshotCursor - (size - 1);         long end   = snapshotCursor;          if (snapshotCursor < snapshots.length) {             size   = (int) snapshotCursor + 1;             start  = 0;         }          /* Copy the sample snapshot to a new array the size of our stable          * snapshot area.          */         T[] result = (T[]) Array.newInstance(type, size);          int startOfCopy = (int) (start % snapshots.length);         int endOfCopy   = (int) (end   % snapshots.length);          /* If the buffer space wraps the physical end of the array, use two          * copies to construct the new array.          */         if (startOfCopy > endOfCopy) {             System.arraycopy(snapshots, startOfCopy,                              result, 0,                               snapshots.length - startOfCopy);             System.arraycopy(snapshots, 0,                              result, (snapshots.length - startOfCopy),                              endOfCopy + 1);         }         else {             /* Otherwise it's a single continuous segment, copy the whole thing              * into the result.              */             System.arraycopy(snapshots, startOfCopy,                              result, 0, endOfCopy - startOfCopy + 1);         }          return (T[]) result;     }      /**      * Get a stable snapshot of the complete buffer.      *      * <p>This operation fetches a snapshot of the buffer using the algorithm      * defined in {@link snapshot()}.  If there was concurrent modification of      * the buffer during the copy, however, it will retry until a full stable      * snapshot of the buffer was acquired.</p>      *      * <p><em>Note, for very busy buffers on large symmetric multiprocessing      * machines and supercomputers running data processing intensive      * applications, this operation has the potential of being fairly      * expensive.  In practice on commodity hardware, dualcore processors and      * non-processing intensive systems (such as web services) it very rarely      * retries.</em></p>      *      * @return A full copy of the internal buffer.      */     public T[] completeSnapshot () {         T[] snapshot = snapshot();          /* Try again until we get a snapshot that's the same size as the          * buffer...  This is very often a single iteration, but it depends on          * how busy the system is.          */         while (snapshot.length != buffer.length) {             snapshot = snapshot();         }          return snapshot;     }      /**      * The size of this buffer.      */     public int size () {         return buffer.length;     } } 
like image 30
Scott S. McCoy Avatar answered Oct 11 '22 04:10

Scott S. McCoy