-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathCircularBuffer.py
54 lines (38 loc) · 1.17 KB
/
CircularBuffer.py
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
"""
Circular Buffer: A buffer of fixed length. Data is added to buffer
until buffer is full. Then first event is discarded and the new one
data is appended to end of circular buffer.
"""
# Import Standard PYTHON modules
import collections
# Import custom PYTHON modules
# Definition of the Circular Buffer class
class CircularBuffer :
"""
Circular Buffer class. Events appending to end of buffer but
maintains same size by discarding old values
"""
def __init__(self, size) :
"""
Constructor for Circular Buffer
"""
print "Creating Circular Buffer of size ", size
self.__buffer = collections.deque(maxlen=size)
def add(self, data) :
"""
Add data to circular buffer
"""
self.__buffer.append(data)
def data(self) :
"""
Access to the buffer
"""
return self.__buffer
# Code to test circular buffer code
if __name__ == "__main__" :
# Create the circular buffer
lastTenEvents = CircularBuffer(10)
# loop over events, append data
for evt in range(1,100) :
lastTenEvents.add(evt)
print "Buffer: ",lastTenEvents.data()