// Copyright (c) 2024- PPSSPP Project. // This program is free software: you can redistribute it and/or modify // it under the terms of the GNU General Public License as published by // the Free Software Foundation, version 2.0 or later versions. // 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 2.0 for more details. // A copy of the GPL 2.0 should have been included with the program. // If not, see http://www.gnu.org/licenses/ // Official git repository and contact information can be found at // https://github.com/hrydgard/ppsspp and http://www.ppsspp.org/. #pragma once #include #include "Common/CommonTypes.h" template struct CyclicBuffer { std::vector buffer; u32 current_index; bool overflow; explicit CyclicBuffer(u32 capacity) : buffer(capacity, T()), current_index(0), overflow(false) {} CyclicBuffer(): buffer(), current_index(0), overflow(false) {} void push_back(const T& value); void push_back(T&& value); void clear(); void resize(u32 new_capacity); std::vector get_content() const; }; template std::vector CyclicBuffer::get_content() const { if (!overflow) { return std::vector(buffer.begin(), buffer.begin() + current_index); } std::vector ans; ans.reserve(buffer.size()); std::copy(buffer.begin() + current_index, buffer.end(), std::back_inserter(ans)); std::copy(buffer.begin(), buffer.begin() + current_index, std::back_inserter(ans)); return ans; } template void CyclicBuffer::push_back(const T& value) { buffer[current_index] = value; ++current_index; if (current_index == buffer.size()) { current_index = 0; overflow = true; } } template void CyclicBuffer::push_back(T&& value) { buffer[current_index] = std::move(value); ++current_index; if (current_index == buffer.size()) { current_index = 0; overflow = true; } } template void CyclicBuffer::clear() { buffer.clear(); current_index = 0; overflow = false; } template void CyclicBuffer::resize(u32 new_capacity) { buffer.resize(new_capacity); }