-
Notifications
You must be signed in to change notification settings - Fork 36
/
RingBuffer.hpp
90 lines (77 loc) · 1.72 KB
/
RingBuffer.hpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
#pragma once
#include <cassert>
#include <cstdint>
#include "Array.hpp"
#include "Utils.hpp"
template<class T>
class RingBuffer {
private:
Array<T> b;
uint32_t offset {0}; /**< Number of input bytes in buffer (not wrapped), will be masked when used for indexing */
uint32_t mask;
public:
/**
* Creates an array of @ref size bytes (must be a power of 2).
* @param size number of bytes in array
*/
explicit RingBuffer(const uint32_t size = 0) : b(size), mask(size - 1) {
assert(isPowerOf2(size));
}
void setSize(uint32_t newSize) {
assert(newSize > 0 && isPowerOf2(newSize));
b.resize(newSize);
offset = 0;
mask = newSize - 1;
}
uint32_t getpos() const {
return offset;
}
void fill(const T B) {
const uint32_t n = (uint32_t) b.size();
for( uint32_t i = 0; i < n; i++ ) {
b[i] = B;
}
}
void add(const T B) {
b[offset & mask] = B;
offset++;
}
/**
* Returns a reference to the i'th byte with wrap (no out of bounds).
* @param i
* @return
*/
T operator[](const uint32_t i) const {
return b[i & mask];
}
void set(const uint32_t i, const T B) {
b[i & mask] = B;
}
/**
* Returns i'th byte back from pos (i>0) with wrap (no out of bounds)
* @param i
* @return
*/
T operator()(const uint32_t i) const {
//assert(i!=0);
return b[(offset - i) & mask];
}
void reset() {
fill(0);
offset = 0;
}
/**
* @return the size of the RingBuffer
*/
uint32_t size() {
return (uint32_t) b.size();
}
void copyTo(RingBuffer &dst) {
dst.setSize(size());
dst.offset = offset;
uint32_t n = (uint32_t) b.size();
for( uint32_t i = 0; i < n; i++ ) {
dst.b[i] = b[i];
}
}
};