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
|
|
|
|
2016-06-25 15:39:54 +00:00
|
|
|
#include <array>
|
2014-02-20 03:11:52 +00:00
|
|
|
#include <cstddef>
|
2016-06-25 15:39:54 +00:00
|
|
|
#include <utility>
|
2014-02-20 03:11:52 +00:00
|
|
|
|
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.
|
2016-06-25 15:39:54 +00:00
|
|
|
//
|
2008-12-08 04:46:09 +00:00
|
|
|
// Not fully featured, no safety checking yet. Add features as needed.
|
|
|
|
|
|
|
|
template <class T, int N>
|
|
|
|
class FixedSizeQueue
|
|
|
|
{
|
|
|
|
public:
|
2016-06-24 08:43:46 +00:00
|
|
|
void clear()
|
|
|
|
{
|
|
|
|
head = 0;
|
|
|
|
tail = 0;
|
|
|
|
count = 0;
|
|
|
|
}
|
2008-12-08 04:46:09 +00:00
|
|
|
|
2016-06-24 08:43:46 +00:00
|
|
|
void push(T t)
|
|
|
|
{
|
2016-06-25 15:39:54 +00:00
|
|
|
storage[tail] = std::move(t);
|
2016-06-24 08:43:46 +00:00
|
|
|
tail++;
|
|
|
|
if (tail == N)
|
|
|
|
tail = 0;
|
|
|
|
count++;
|
|
|
|
}
|
2008-12-08 04:46:09 +00:00
|
|
|
|
2016-06-24 08:43:46 +00:00
|
|
|
void pop()
|
|
|
|
{
|
|
|
|
head++;
|
|
|
|
if (head == N)
|
|
|
|
head = 0;
|
|
|
|
count--;
|
|
|
|
}
|
2008-12-08 04:46:09 +00:00
|
|
|
|
2016-06-24 08:43:46 +00:00
|
|
|
T pop_front()
|
|
|
|
{
|
2016-06-25 15:39:54 +00:00
|
|
|
T& temp = storage[head];
|
2016-06-24 08:43:46 +00:00
|
|
|
pop();
|
2016-06-25 15:39:54 +00:00
|
|
|
return std::move(temp);
|
2016-06-24 08:43:46 +00:00
|
|
|
}
|
2008-12-08 04:46:09 +00:00
|
|
|
|
2016-06-24 08:43:46 +00:00
|
|
|
T& front() { return storage[head]; }
|
|
|
|
const T& front() const { return storage[head]; }
|
|
|
|
size_t size() const { return count; }
|
2018-04-12 12:18:04 +00:00
|
|
|
|
2016-06-25 15:39:54 +00:00
|
|
|
private:
|
|
|
|
std::array<T, N> storage;
|
|
|
|
int head = 0;
|
|
|
|
int tail = 0;
|
|
|
|
// Sacrifice 4 bytes for a simpler implementation. may optimize away in the future.
|
|
|
|
int count = 0;
|
2008-12-08 04:46:09 +00:00
|
|
|
};
|