2015-05-24 04:55:12 +00:00
|
|
|
// Copyright 2008 Dolphin Emulator Project
|
2015-05-17 23:08:10 +00:00
|
|
|
// Licensed under GPLv2+
|
2013-04-18 03:09:55 +00:00
|
|
|
// Refer to the license.txt file included.
|
2008-12-08 04:46:09 +00:00
|
|
|
|
2014-02-10 18:54:46 +00:00
|
|
|
#pragma once
|
2008-12-08 04:46:09 +00:00
|
|
|
|
2014-02-20 03:11:52 +00:00
|
|
|
#include <cstddef>
|
|
|
|
|
2008-12-08 04:46:09 +00:00
|
|
|
// STL-look-a-like interface, but name is mixed case to distinguish it clearly from the
|
|
|
|
// real STL classes.
|
|
|
|
|
|
|
|
// Not fully featured, no safety checking yet. Add features as needed.
|
|
|
|
|
|
|
|
// TODO: "inline" storage?
|
|
|
|
|
|
|
|
template <class T, int N>
|
|
|
|
class FixedSizeQueue
|
|
|
|
{
|
|
|
|
T *storage;
|
|
|
|
int head;
|
|
|
|
int tail;
|
|
|
|
int count; // sacrifice 4 bytes for a simpler implementation. may optimize away in the future.
|
|
|
|
|
|
|
|
// Make copy constructor private for now.
|
2014-02-17 04:51:41 +00:00
|
|
|
FixedSizeQueue(FixedSizeQueue &other) {}
|
2008-12-08 04:46:09 +00:00
|
|
|
|
|
|
|
public:
|
|
|
|
FixedSizeQueue()
|
|
|
|
{
|
|
|
|
storage = new T[N];
|
2009-02-21 12:07:51 +00:00
|
|
|
clear();
|
2008-12-08 04:46:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
~FixedSizeQueue()
|
|
|
|
{
|
2015-02-15 19:43:31 +00:00
|
|
|
delete[] storage;
|
2008-12-08 04:46:09 +00:00
|
|
|
}
|
|
|
|
|
2014-08-30 20:14:56 +00:00
|
|
|
void clear()
|
|
|
|
{
|
2009-02-21 12:07:51 +00:00
|
|
|
head = 0;
|
|
|
|
tail = 0;
|
|
|
|
count = 0;
|
|
|
|
}
|
|
|
|
|
2014-08-30 20:14:56 +00:00
|
|
|
void push(T t)
|
|
|
|
{
|
2008-12-08 04:46:09 +00:00
|
|
|
storage[tail] = t;
|
|
|
|
tail++;
|
|
|
|
if (tail == N)
|
|
|
|
tail = 0;
|
|
|
|
count++;
|
|
|
|
}
|
|
|
|
|
2014-08-30 20:14:56 +00:00
|
|
|
void pop()
|
|
|
|
{
|
2008-12-08 04:46:09 +00:00
|
|
|
head++;
|
|
|
|
if (head == N)
|
|
|
|
head = 0;
|
|
|
|
count--;
|
|
|
|
}
|
|
|
|
|
2014-08-30 20:14:56 +00:00
|
|
|
T pop_front()
|
|
|
|
{
|
2008-12-08 04:46:09 +00:00
|
|
|
const T &temp = storage[head];
|
|
|
|
pop();
|
|
|
|
return temp;
|
|
|
|
}
|
|
|
|
|
|
|
|
T &front() { return storage[head]; }
|
|
|
|
const T &front() const { return storage[head]; }
|
|
|
|
|
2014-08-30 20:14:56 +00:00
|
|
|
size_t size() const
|
|
|
|
{
|
2008-12-08 04:46:09 +00:00
|
|
|
return count;
|
|
|
|
}
|
|
|
|
};
|