1
0
Fork 0
mirror of https://github.com/opentx/opentx.git synced 2025-07-12 19:10:19 +03:00
opentx/radio/src/fifo.h
3djc fa951acf40 Review line ending handling (#4820)
* New line end handling rules

* Normalize all the line endings
2017-04-19 10:54:43 +02:00

105 lines
1.9 KiB
C++

/*
* Copyright (C) OpenTX
*
* Based on code named
* th9x - http://code.google.com/p/th9x
* er9x - http://code.google.com/p/er9x
* gruvin9x - http://code.google.com/p/gruvin9x
*
* License GPLv2: http://www.gnu.org/licenses/gpl-2.0.html
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License version 2 as
* published by the Free Software Foundation.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*/
#ifndef _FIFO_H_
#define _FIFO_H_
template <class T, int N>
class Fifo
{
static_assert((N > 1) & !(N & (N - 1)), "Fifo size must be a power of two!");
public:
Fifo():
widx(0),
ridx(0)
{
}
void clear()
{
widx = ridx = 0;
}
void push(T element)
{
uint32_t next = (widx+1) & (N-1);
if (next != ridx) {
fifo[widx] = element;
widx = next;
}
}
bool pop(T & element)
{
if (isEmpty()) {
return false;
}
else {
element = fifo[ridx];
ridx = (ridx+1) & (N-1);
return true;
}
}
bool isEmpty() const
{
return (ridx == widx);
}
bool isFull()
{
uint32_t next = (widx+1) & (N-1);
return (next == ridx);
}
void flush()
{
while (!isEmpty()) {};
}
uint32_t size() const
{
return (N + widx - ridx) & (N-1);
}
uint32_t hasSpace(uint32_t n) const
{
return (N > (size() + n));
}
bool probe(T & element) const
{
if (isEmpty()) {
return false;
}
else {
element = fifo[ridx];
return true;
}
}
protected:
T fifo[N];
volatile uint32_t widx;
volatile uint32_t ridx;
};
#endif // _FIFO_H_