diff options
Diffstat (limited to 'include/distortos/internal')
43 files changed, 4203 insertions, 0 deletions
diff --git a/include/distortos/internal/memory/DeferredThreadDeleter.hpp b/include/distortos/internal/memory/DeferredThreadDeleter.hpp new file mode 100644 index 0000000..bb38ebc --- /dev/null +++ b/include/distortos/internal/memory/DeferredThreadDeleter.hpp @@ -0,0 +1,121 @@ +/** + * \file + * \brief DeferredThreadDeleter class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_MEMORY_DEFERREDTHREADDELETER_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_MEMORY_DEFERREDTHREADDELETER_HPP_ + +#include "distortos/distortosConfiguration.h" + +#ifdef CONFIG_THREAD_DETACH_ENABLE + +#include "distortos/Mutex.hpp" + +namespace distortos +{ + +namespace internal +{ + +/// DeferredThreadDeleter class can be used to defer deletion of dynamic detached threads +class DeferredThreadDeleter +{ +public: + + /** + * \brief DeferredThreadDeleter's constructor + */ + + constexpr DeferredThreadDeleter() : + list_{}, + mutex_{Mutex::Type::normal, Mutex::Protocol::priorityInheritance}, + notEmpty_{} + { + + } + + /** + * \brief DeferredThreadDeleter's function call operator + * + * Adds thread to internal list of threads scheduled for deferred deletion and marks the list as "not empty". + * + * \note The object must be locked (with a successful call to DeferredThreadDeleter::lock()) before this function is + * used! + * + * \param [in] threadControlBlock is a reference to ThreadControlBlock object associated with dynamic and detached + * thread that has terminated its execution + * + * \return 0 on success, error code otherwise: + * - error codes returned by Mutex::unlock(); + */ + + int operator()(ThreadControlBlock& threadControlBlock); + + /** + * \brief Locks the object, preparing it for adding thread to internal list. + * + * Locks the mutex that synchronizes access to internal list. Locking (performed in this function) and unlocking + * (performed at the end of function call operator) are separated, because the locking must be done while the thread + * is still runnable, while the transfer to internal list is performed when the thread is not in this state. + * + * \note This function must be called before function call operator is used! + * + * \return 0 on success, error code otherwise: + * - error codes returned by Mutex::lock(); + */ + + int lock(); + + /** + * \brief Tries to perform deferred deletion of threads. + * + * Does nothing is the list is not marked as "not empty". Otherwise this function first tries to lock following two + * mutexes: + * - mutex that protects dynamic memory allocator; + * - mutex that synchronizes access to list of threads scheduled for deferred deletion; + * If any Mutex::tryLock() call fails, this function just returns (unlocking any mutexes is necessary). Otherwise + * the threads are removed from the list and deleted, while the list's "not empty" marker is cleared. + * + * \return 0 on success, error code otherwise: + * - error codes returned by Mutex::tryLock(); + * - error codes returned by Mutex::unlock(); + */ + + int tryCleanup(); + +private: + + /** + * \brief Internals of tryCleanup(). + * + * \return 0 on success, error code otherwise: + * - error codes returned by Mutex::tryLock(); + * - error codes returned by Mutex::unlock(); + */ + + int tryCleanupInternal(); + + /// list of threads scheduled for deferred deletion + ThreadList::UnsortedIntrusiveList list_; + + /// mutex that synchronizes access to the \a list_ + Mutex mutex_; + + /// true if \a list_ is not empty, false otherwise + bool notEmpty_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // def CONFIG_THREAD_DETACH_ENABLE + +#endif // INCLUDE_DISTORTOS_INTERNAL_MEMORY_DEFERREDTHREADDELETER_HPP_ diff --git a/include/distortos/internal/memory/dummyDeleter.hpp b/include/distortos/internal/memory/dummyDeleter.hpp new file mode 100644 index 0000000..3cee5cf --- /dev/null +++ b/include/distortos/internal/memory/dummyDeleter.hpp @@ -0,0 +1,48 @@ +/** + * \file + * \brief dummyDeleter() declaration + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_MEMORY_DUMMYDELETER_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_MEMORY_DUMMYDELETER_HPP_ + +#include <type_traits> + +namespace distortos +{ + +namespace internal +{ + +/*---------------------------------------------------------------------------------------------------------------------+ +| global functions' declarations ++---------------------------------------------------------------------------------------------------------------------*/ + +/** + * \brief A "no-op" dummy deleter that can be used with std::unique_ptr and automatic storage that is trivially + * destructible. + * + * \tparam T is the real type of storage, must be trivially destructible + * \tparam U is the type of \a storage pointer + * + * \param [in] storage is a pointer to storage + */ + +template<typename T, typename U> +void dummyDeleter(U*) +{ + static_assert(std::is_trivially_destructible<T>::value == true, + "internal::dummyDeleter() cannot be used with types that are not trivially destructible!"); +} + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_MEMORY_DUMMYDELETER_HPP_ diff --git a/include/distortos/internal/memory/getDeferredThreadDeleter.hpp b/include/distortos/internal/memory/getDeferredThreadDeleter.hpp new file mode 100644 index 0000000..30fea99 --- /dev/null +++ b/include/distortos/internal/memory/getDeferredThreadDeleter.hpp @@ -0,0 +1,39 @@ +/** + * \file + * \brief getDeferredThreadDeleter() declaration + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_MEMORY_GETDEFERREDTHREADDELETER_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_MEMORY_GETDEFERREDTHREADDELETER_HPP_ + +#include "distortos/distortosConfiguration.h" + +#ifdef CONFIG_THREAD_DETACH_ENABLE + +namespace distortos +{ + +namespace internal +{ + +class DeferredThreadDeleter; + +/** + * \return reference to main instance of DeferredThreadDeleter + */ + +DeferredThreadDeleter& getDeferredThreadDeleter(); + +} // namespace internal + +} // namespace distortos + +#endif // def CONFIG_THREAD_DETACH_ENABLE + +#endif // INCLUDE_DISTORTOS_INTERNAL_MEMORY_GETDEFERREDTHREADDELETER_HPP_ diff --git a/include/distortos/internal/memory/getMallocMutex.hpp b/include/distortos/internal/memory/getMallocMutex.hpp new file mode 100644 index 0000000..0ba5621 --- /dev/null +++ b/include/distortos/internal/memory/getMallocMutex.hpp @@ -0,0 +1,33 @@ +/** + * \file + * \brief getMallocMutex() declaration + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_MEMORY_GETMALLOCMUTEX_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_MEMORY_GETMALLOCMUTEX_HPP_ + +namespace distortos +{ + +class Mutex; + +namespace internal +{ + +/** + * \return reference to main instance of Mutex used for malloc() and free() locking + */ + +Mutex& getMallocMutex(); + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_MEMORY_GETMALLOCMUTEX_HPP_ diff --git a/include/distortos/internal/memory/storageDeleter.hpp b/include/distortos/internal/memory/storageDeleter.hpp new file mode 100644 index 0000000..da7173f --- /dev/null +++ b/include/distortos/internal/memory/storageDeleter.hpp @@ -0,0 +1,44 @@ +/** + * \file + * \brief storageDeleter() definition + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_MEMORY_STORAGEDELETER_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_MEMORY_STORAGEDELETER_HPP_ + +namespace distortos +{ + +namespace internal +{ + +/*---------------------------------------------------------------------------------------------------------------------+ +| global functions' declarations ++---------------------------------------------------------------------------------------------------------------------*/ + +/** + * \brief Templated deleter that can be used with std::unique_ptr and dynamic storage allocated with new T[]. + * + * \tparam T is the real type of allocated storage + * \tparam U is the type of \a storage pointer + * + * \param [in] storage is a pointer to storage that will be deleted + */ + +template<typename T, typename U> +void storageDeleter(U* const storage) +{ + delete[] reinterpret_cast<T*>(storage); +} + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_MEMORY_STORAGEDELETER_HPP_ diff --git a/include/distortos/internal/scheduler/DynamicThreadBase.hpp b/include/distortos/internal/scheduler/DynamicThreadBase.hpp new file mode 100644 index 0000000..5ca3ff8 --- /dev/null +++ b/include/distortos/internal/scheduler/DynamicThreadBase.hpp @@ -0,0 +1,231 @@ +/** + * \file + * \brief DynamicThreadBase class header + * + * \author Copyright (C) 2015-2016 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_DYNAMICTHREADBASE_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_DYNAMICTHREADBASE_HPP_ + +#include "distortos/DynamicSignalsReceiver.hpp" +#include "distortos/DynamicThreadParameters.hpp" +#include "distortos/ThreadCommon.hpp" + +#include "distortos/internal/memory/storageDeleter.hpp" + +namespace distortos +{ + +#ifdef CONFIG_THREAD_DETACH_ENABLE + +class DynamicThread; + +#endif // def CONFIG_THREAD_DETACH_ENABLE + +namespace internal +{ + +/** + * \brief DynamicThreadBase class is a type-erased interface for thread that has dynamic storage for bounded function, + * stack and internal DynamicSignalsReceiver object. + * + * If thread detachment is enabled (CONFIG_THREAD_DETACH_ENABLE is defined) then this class is dynamically allocated by + * DynamicThread - which allows it to be "detached". Otherwise - if thread detachment is disabled + * (CONFIG_THREAD_DETACH_ENABLE is not defined) - DynamicThread just inherits from this class. + */ + +class DynamicThreadBase : public ThreadCommon +{ +public: + +#ifdef CONFIG_THREAD_DETACH_ENABLE + + /** + * \brief DynamicThreadBase's constructor + * + * \tparam Function is the function that will be executed in separate thread + * \tparam Args are the arguments for \a Function + * + * \param [in] stackSize is the size of stack, bytes + * \param [in] canReceiveSignals selects whether reception of signals is enabled (true) or disabled (false) for this + * thread + * \param [in] queuedSignals is the max number of queued signals for this thread, relevant only if + * \a canReceiveSignals == true, 0 to disable queuing of signals for this thread + * \param [in] signalActions is the max number of different SignalAction objects for this thread, relevant only if + * \a canReceiveSignals == true, 0 to disable catching of signals for this thread + * \param [in] priority is the thread's priority, 0 - lowest, UINT8_MAX - highest + * \param [in] schedulingPolicy is the scheduling policy of the thread + * \param [in] owner is a reference to owner DynamicThread object + * \param [in] function is a function that will be executed in separate thread + * \param [in] args are arguments for \a function + */ + + template<typename Function, typename... Args> + DynamicThreadBase(size_t stackSize, bool canReceiveSignals, size_t queuedSignals, size_t signalActions, + uint8_t priority, SchedulingPolicy schedulingPolicy, DynamicThread& owner, Function&& function, + Args&&... args); + + /** + * \brief Detaches the thread. + * + * Similar to std::thread::detach() - http://en.cppreference.com/w/cpp/thread/thread/detach + * Similar to POSIX pthread_detach() - http://pubs.opengroup.org/onlinepubs/9699919799/functions/pthread_detach.html + * + * Detaches the executing thread from the Thread object, allowing execution to continue independently. All resources + * allocated for the thread will be deallocated when the thread terminates. + * + * \return 0 on success, error code otherwise: + * - EINVAL - this thread is already detached; + */ + + int detach() override; + +#else // !def CONFIG_THREAD_DETACH_ENABLE + + /** + * \brief DynamicThreadBase's constructor + * + * \tparam Function is the function that will be executed in separate thread + * \tparam Args are the arguments for \a Function + * + * \param [in] stackSize is the size of stack, bytes + * \param [in] canReceiveSignals selects whether reception of signals is enabled (true) or disabled (false) for this + * thread + * \param [in] queuedSignals is the max number of queued signals for this thread, relevant only if + * \a canReceiveSignals == true, 0 to disable queuing of signals for this thread + * \param [in] signalActions is the max number of different SignalAction objects for this thread, relevant only if + * \a canReceiveSignals == true, 0 to disable catching of signals for this thread + * \param [in] priority is the thread's priority, 0 - lowest, UINT8_MAX - highest + * \param [in] schedulingPolicy is the scheduling policy of the thread + * \param [in] function is a function that will be executed in separate thread + * \param [in] args are arguments for \a function + */ + + template<typename Function, typename... Args> + DynamicThreadBase(size_t stackSize, bool canReceiveSignals, size_t queuedSignals, size_t signalActions, + uint8_t priority, SchedulingPolicy schedulingPolicy, Function&& function, Args&&... args); + + /** + * \brief DynamicThreadBase's constructor + * + * \tparam Function is the function that will be executed in separate thread + * \tparam Args are the arguments for \a Function + * + * \param [in] parameters is a DynamicThreadParameters struct with thread parameters + * \param [in] function is a function that will be executed in separate thread + * \param [in] args are arguments for \a function + */ + + template<typename Function, typename... Args> + DynamicThreadBase(const DynamicThreadParameters parameters, Function&& function, Args&&... args) : + DynamicThreadBase{parameters.stackSize, parameters.canReceiveSignals, parameters.queuedSignals, + parameters.signalActions, parameters.priority, parameters.schedulingPolicy, + std::forward<Function>(function), std::forward<Args>(args)...} + { + + } + +#endif // !def CONFIG_THREAD_DETACH_ENABLE + + DynamicThreadBase(const DynamicThreadBase&) = delete; + DynamicThreadBase(DynamicThreadBase&&) = default; + const DynamicThreadBase& operator=(const DynamicThreadBase&) = delete; + DynamicThreadBase& operator=(DynamicThreadBase&&) = delete; + +protected: + +#ifdef CONFIG_THREAD_DETACH_ENABLE + + /** + * \brief Pre-termination hook function of thread + * + * If thread is detached, locks object used for deferred deletion. + * + * \param [in] thread is a reference to Thread object, this must be DynamicThreadBase! + */ + + static void preTerminationHook(Thread& thread); + + /** + * \brief Termination hook function of thread + * + * Calls ThreadCommon::terminationHook() and - if thread is detached - schedules itself for deferred deletion. + * + * \param [in] thread is a reference to Thread object, this must be DynamicThreadBase! + */ + + static void terminationHook(Thread& thread); + +#endif // def CONFIG_THREAD_DETACH_ENABLE + +private: + + /** + * \brief Thread's "run" function. + * + * Executes bound function object. + * + * \param [in] thread is a reference to Thread object, this must be DynamicThreadBase! + */ + + static void run(Thread& thread); + + /// internal DynamicSignalsReceiver object + DynamicSignalsReceiver dynamicSignalsReceiver_; + + /// bound function object + std::function<void()> boundFunction_; + +#ifdef CONFIG_THREAD_DETACH_ENABLE + + /// pointer to owner DynamicThread object, nullptr if thread is detached + DynamicThread* owner_; + +#endif // def CONFIG_THREAD_DETACH_ENABLE +}; + +#ifdef CONFIG_THREAD_DETACH_ENABLE + +template<typename Function, typename... Args> +DynamicThreadBase::DynamicThreadBase(const size_t stackSize, const bool canReceiveSignals, const size_t queuedSignals, + const size_t signalActions, const uint8_t priority, const SchedulingPolicy schedulingPolicy, + DynamicThread& owner, Function&& function, Args&&... args) : + ThreadCommon{{{new uint8_t[stackSize], storageDeleter<uint8_t>}, stackSize, *this, run, + preTerminationHook, terminationHook}, priority, schedulingPolicy, nullptr, + canReceiveSignals == true ? &dynamicSignalsReceiver_ : nullptr}, + dynamicSignalsReceiver_{canReceiveSignals == true ? queuedSignals : 0, + canReceiveSignals == true ? signalActions : 0}, + boundFunction_{std::bind(std::forward<Function>(function), std::forward<Args>(args)...)}, + owner_{&owner} +{ + +} + +#else // !def CONFIG_THREAD_DETACH_ENABLE + +template<typename Function, typename... Args> +DynamicThreadBase::DynamicThreadBase(const size_t stackSize, const bool canReceiveSignals, const size_t queuedSignals, + const size_t signalActions, const uint8_t priority, const SchedulingPolicy schedulingPolicy, + Function&& function, Args&&... args) : + ThreadCommon{{{new uint8_t[stackSize], storageDeleter<uint8_t>}, stackSize, *this, run, nullptr, + terminationHook}, priority, schedulingPolicy, nullptr, + canReceiveSignals == true ? &dynamicSignalsReceiver_ : nullptr}, + dynamicSignalsReceiver_{canReceiveSignals == true ? queuedSignals : 0, + canReceiveSignals == true ? signalActions : 0}, + boundFunction_{std::bind(std::forward<Function>(function), std::forward<Args>(args)...)} +{ + +} + +#endif // !def CONFIG_THREAD_DETACH_ENABLE + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_DYNAMICTHREADBASE_HPP_ diff --git a/include/distortos/internal/scheduler/MainThread.hpp b/include/distortos/internal/scheduler/MainThread.hpp new file mode 100644 index 0000000..2eadab6 --- /dev/null +++ b/include/distortos/internal/scheduler/MainThread.hpp @@ -0,0 +1,46 @@ +/** + * \file + * \brief MainThread class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_MAINTHREAD_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_MAINTHREAD_HPP_ + +#include "distortos/UndetachableThread.hpp" + +namespace distortos +{ + +namespace internal +{ + +/// MainThread class is a Thread for main() +class MainThread : public UndetachableThread +{ +public: + + /** + * \brief MainThread's constructor. + * + * \param [in] priority is the thread's priority, 0 - lowest, UINT8_MAX - highest + * \param [in] threadGroupControlBlock is a reference to ThreadGroupControlBlock to which this object will be added + * \param [in] signalsReceiver is a pointer to SignalsReceiver object for main thread, nullptr to disable reception + * of signals for main thread + */ + + MainThread(uint8_t priority, ThreadGroupControlBlock& threadGroupControlBlock, SignalsReceiver* signalsReceiver); + + using UndetachableThread::getThreadControlBlock; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_MAINTHREAD_HPP_ diff --git a/include/distortos/internal/scheduler/RoundRobinQuantum.hpp b/include/distortos/internal/scheduler/RoundRobinQuantum.hpp new file mode 100644 index 0000000..e0a443e --- /dev/null +++ b/include/distortos/internal/scheduler/RoundRobinQuantum.hpp @@ -0,0 +1,123 @@ +/** + * \file + * \brief RoundRobinQuantum class header + * + * \author Copyright (C) 2014-2016 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_ROUNDROBINQUANTUM_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_ROUNDROBINQUANTUM_HPP_ + +#include "distortos/TickClock.hpp" + +namespace distortos +{ + +namespace internal +{ + +/// RoundRobinQuantum class is a quantum of time for round-robin scheduling +class RoundRobinQuantum +{ +public: + + /// type of quantum counter + using Representation = uint8_t; + + /// duration type used for quantum + using Duration = std::chrono::duration<Representation, TickClock::period>; + + /** + * \return initial value for round-robin quantum + */ + + constexpr static Duration getInitial() + { + return Duration{quantumRawInitializer_}; + } + + /** + * \brief RoundRobinQuantum's constructor + * + * Initializes quantum value to initial value - just like after call to reset(). + */ + + constexpr RoundRobinQuantum() : + quantum_{getInitial()} + { + + } + + /** + * \brief Decrements round-robin's quantum. + * + * This function should be called from tick interrupt for the currently running thread. Underflow of quantum after + * this decrement is not possible. + * + * \note this function must be called with enabled interrupt masking + */ + + void decrement() + { + if (isZero() == false) + --quantum_; + } + + /** + * \brief Gets current value of round-robin's quantum. + * + * \return current value of round-robin's quantum of the thread + */ + + Duration get() const + { + return quantum_; + } + + /** + * \brief Convenience function to test whether the quantum is already at 0. + * + * \return true if quantum is zero, false otherwise + */ + + bool isZero() const + { + return quantum_ == Duration{0}; + } + + /** + * \brief Resets value of round-robin's quantum. + * + * This function should be called from context switcher after selecting new task that will be run. + */ + + void reset() + { + quantum_ = getInitial(); + } + +private: + + static_assert(CONFIG_TICK_FREQUENCY > 0, "CONFIG_TICK_FREQUENCY must be positive and non-zero!"); + static_assert(CONFIG_ROUND_ROBIN_FREQUENCY > 0, "CONFIG_ROUND_ROBIN_FREQUENCY must be positive and non-zero!"); + + /// raw initializer value for round-robin quantum, calculated with rounding to nearest + constexpr static auto quantumRawInitializer_ = (CONFIG_TICK_FREQUENCY + CONFIG_ROUND_ROBIN_FREQUENCY / 2) / + CONFIG_ROUND_ROBIN_FREQUENCY; + + static_assert(quantumRawInitializer_ > 0 || quantumRawInitializer_ <= UINT8_MAX, + "CONFIG_TICK_FREQUENCY and CONFIG_ROUND_ROBIN_FREQUENCY values produce invalid round-robin quantum!"); + + /// round-robin quantum + Duration quantum_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_ROUNDROBINQUANTUM_HPP_ diff --git a/include/distortos/internal/scheduler/Scheduler.hpp b/include/distortos/internal/scheduler/Scheduler.hpp new file mode 100644 index 0000000..42037f2 --- /dev/null +++ b/include/distortos/internal/scheduler/Scheduler.hpp @@ -0,0 +1,351 @@ +/** + * \file + * \brief Scheduler class header + * + * \author Copyright (C) 2014-2016 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SCHEDULER_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SCHEDULER_HPP_ + +#include "distortos/internal/scheduler/ThreadControlBlock.hpp" +#include "distortos/internal/scheduler/ThreadList.hpp" +#include "distortos/internal/scheduler/SoftwareTimerSupervisor.hpp" + +namespace distortos +{ + +namespace internal +{ + +class MainThread; + +/// Scheduler class is a system's scheduler +class Scheduler +{ +public: + + /** + * \brief Scheduler's constructor + */ + + constexpr Scheduler() : + currentThreadControlBlock_{}, + runnableList_{}, + suspendedList_{}, + softwareTimerSupervisor_{}, + contextSwitchCount_{}, + tickCount_{} + { + + } + + /** + * \brief Adds new ThreadControlBlock to scheduler. + * + * ThreadControlBlock's state is changed to "runnable". + * + * \param [in] threadControlBlock is a reference to added ThreadControlBlock object + * + * \return 0 on success, error code otherwise: + * - EINVAL - thread is already started; + * - error codes returned by Scheduler::addInternal(); + */ + + int add(ThreadControlBlock& threadControlBlock); + + /** + * \brief Blocks current thread, transferring it to provided container. + * + * \param [in] container is a reference to destination container to which the thread will be transferred + * \param [in] state is the new state of thread that will be blocked + * \param [in] unblockFunctor is a pointer to ThreadControlBlock::UnblockFunctor which will be executed in + * ThreadControlBlock::unblockHook(), default - nullptr (no functor will be executed) + * + * \return 0 on success, error code otherwise: + * - EINTR - thread was unblocked with ThreadControlBlock::UnblockReason::signal; + * - ETIMEDOUT - thread was unblocked with ThreadControlBlock::UnblockReason::timeout; + */ + + int block(ThreadList& container, ThreadState state, const ThreadControlBlock::UnblockFunctor* unblockFunctor = {}); + + /** + * \brief Blocks thread, transferring it to provided container. + * + * The thread must be on "runnable" list - trying to block thread in other state is an error. + * + * \param [in] container is a reference to destination container to which the thread will be transferred + * \param [in] iterator is the iterator to the thread that will be blocked + * \param [in] state is the new state of thread that will be blocked + * \param [in] unblockFunctor is a pointer to ThreadControlBlock::UnblockFunctor which will be executed in + * ThreadControlBlock::unblockHook(), default - nullptr (no functor will be executed) + * + * \return 0 on success, error code otherwise: + * - EINTR - thread was unblocked with ThreadControlBlock::UnblockReason::signal (possible only when blocking + * current thread); + * - EINVAL - provided thread is not on "runnable" list; + * - ETIMEDOUT - thread was unblocked with ThreadControlBlock::UnblockReason::timeout (possible only when blocking + * current thread); + */ + + int block(ThreadList& container, ThreadList::iterator iterator, ThreadState state, + const ThreadControlBlock::UnblockFunctor* unblockFunctor = {}); + + /** + * \brief Blocks current thread with timeout, transferring it to provided container. + * + * \param [in] container is a reference to destination container to which the thread will be transferred + * \param [in] state is the new state of thread that will be blocked + * \param [in] timePoint is the time point at which the thread will be unblocked (if not already unblocked) + * \param [in] unblockFunctor is a pointer to ThreadControlBlock::UnblockFunctor which will be executed in + * ThreadControlBlock::unblockHook(), default - nullptr (no functor will be executed) + * + * \return 0 on success, error code otherwise: + * - EINTR - thread was unblocked with ThreadControlBlock::UnblockReason::signal; + * - ETIMEDOUT - thread was unblocked because timePoint was reached; + */ + + int blockUntil(ThreadList& container, ThreadState state, TickClock::time_point timePoint, + const ThreadControlBlock::UnblockFunctor* unblockFunctor = {}); + + /** + * \return number of context switches + */ + + uint64_t getContextSwitchCount() const; + + /** + * \return reference to currently active ThreadControlBlock + */ + + ThreadControlBlock& getCurrentThreadControlBlock() const + { + return *currentThreadControlBlock_; + } + + /** + * \return reference to internal SoftwareTimerSupervisor object + */ + + SoftwareTimerSupervisor& getSoftwareTimerSupervisor() + { + return softwareTimerSupervisor_; + } + + /** + * \return const reference to internal SoftwareTimerSupervisor object + */ + + const SoftwareTimerSupervisor& getSoftwareTimerSupervisor() const + { + return softwareTimerSupervisor_; + } + + /** + * \return current value of tick count + */ + + uint64_t getTickCount() const; + + /** + * \brief Scheduler's initialization + * + * \attention This must be called after constructor, before enabling any scheduling. Priority of main thread must + * be higher than priority of idle thread + * + * \param [in] mainThread is a reference to main thread + * + * \return 0 on success, error code otherwise: + * - error codes returned by Scheduler::addInternal(); + */ + + int initialize(MainThread& mainThread); + + /** + * \brief Requests context switch if it is needed. + * + * \attention This function must be called with interrupt masking enabled. + */ + + void maybeRequestContextSwitch() const; + + /** + * \brief Removes current thread from Scheduler's control. + * + * Thread's state is changed to "terminated". + * + * \note This function must be called with masked interrupts. + * + * \note This function can be used only after thread's function returns an all cleanup is done. + * + * \return 0 on success, error code otherwise: + * - EINVAL - provided thread is not on "runnable" list and cannot be removed/terminated; + */ + + int remove(); + + /** + * \brief Resumes suspended thread. + * + * The thread must be on the "suspended" list - trying to resume thread that is not suspended is an error. + * + * \param [in] iterator is the iterator to the thread that will be resumed + * + * \return 0 on success, error code otherwise: + * - EINVAL - provided thread is not on "suspended" list; + */ + + int resume(ThreadList::iterator iterator); + + /** + * \brief Suspends current thread. + * + * \return 0 on success, error code otherwise: + * - EINTR - thread was unblocked with ThreadControlBlock::UnblockReason::signal; + */ + + int suspend(); + + /** + * \brief Suspends thread. + * + * The thread must be on "runnable" list - trying to suspend thread in other state is an error. + * + * \param [in] iterator is the iterator to the thread that will be suspended + * + * \return 0 on success, error code otherwise: + * - EINTR - thread was unblocked with ThreadControlBlock::UnblockReason::signal; + * - EINVAL - provided thread is not on "runnable" list; + */ + + int suspend(ThreadList::iterator iterator); + + /** + * \brief Called by architecture-specific code to do final context switch. + * + * Current task is suspended and the next available task is started. + * + * \param [in] stackPointer is the current value of current thread's stack pointer + * + * \return new thread's stack pointer + */ + + void* switchContext(void* stackPointer); + + /** + * \brief Handler of "tick" interrupt. + * + * \note this must not be called by user code + * + * \return true if context switch is required, false otherwise + */ + + bool tickInterruptHandler(); + + /** + * \brief Unblocks provided thread, transferring it from it's current container to "runnable" container. + * + * Current container of the thread is obtained with ThreadControlBlock::getList(). + * + * \param [in] iterator is the iterator which points to unblocked thread + * \param [in] unblockReason is the reason of unblocking of the thread, default - + * ThreadControlBlock::UnblockReason::unblockRequest + */ + + void unblock(ThreadList::iterator iterator, + ThreadControlBlock::UnblockReason unblockReason = ThreadControlBlock::UnblockReason::unblockRequest); + + /** + * \brief Yields time slot of the scheduler to next thread. + */ + + void yield(); + +private: + + /** + * \brief Adds new ThreadControlBlock to scheduler. + * + * Internal version - without interrupt masking and call to Scheduler::maybeRequestContextSwitch() + * + * \param [in] threadControlBlock is a reference to added ThreadControlBlock object + * + * \return 0 on success, error code otherwise: + * - error codes returned by ThreadControlBlock::addHook(); + */ + + int addInternal(ThreadControlBlock& threadControlBlock); + + /** + * \brief Blocks thread, transferring it to provided container. + * + * Internal version - without interrupt masking and forced context switch. + * + * \param [in] container is a reference to destination container to which the thread will be transferred + * \param [in] iterator is the iterator to the thread that will be blocked + * \param [in] state is the new state of thread that will be blocked + * \param [in] unblockFunctor is a pointer to ThreadControlBlock::UnblockFunctor which will be executed in + * ThreadControlBlock::unblockHook() + * + * \return 0 on success, error code otherwise: + * - EINVAL - provided thread is not on "runnable" list; + */ + + int blockInternal(ThreadList& container, ThreadList::iterator iterator, ThreadState state, + const ThreadControlBlock::UnblockFunctor* unblockFunctor); + + /** + * \brief Tests whether context switch is required or not. + * + * Context switch is required in following situations: + * - current thread is no longer on "runnable" list, + * - current thread is no longer on the beginning of the "runnable" list (because higher-priority thread is + * available or current thread was "rotated" due to round-robin scheduling policy). + * + * \return true if context switch is required + */ + + bool isContextSwitchRequired() const; + + /** + * \brief Unblocks provided thread, transferring it from it's current container to "runnable" container. + * + * Current container of the thread is obtained with ThreadControlBlock::getList(). Round-robin quantum of thread is + * reset. + * + * \note Internal version - without interrupt masking and yield() + * + * \param [in] iterator is the iterator which points to unblocked thread + * \param [in] unblockReason is the reason of unblocking of the thread + */ + + void unblockInternal(ThreadList::iterator iterator, ThreadControlBlock::UnblockReason unblockReason); + + /// iterator to the currently active ThreadControlBlock + ThreadList::iterator currentThreadControlBlock_; + + /// list of ThreadControlBlock elements in "runnable" state, sorted by priority in descending order + ThreadList runnableList_; + + /// list of ThreadControlBlock elements in "suspended" state, sorted by priority in descending order + ThreadList suspendedList_; + + /// internal SoftwareTimerSupervisor object + SoftwareTimerSupervisor softwareTimerSupervisor_; + + /// number of context switches + uint64_t contextSwitchCount_; + + /// tick count + uint64_t tickCount_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SCHEDULER_HPP_ diff --git a/include/distortos/internal/scheduler/SoftwareTimerControlBlock.hpp b/include/distortos/internal/scheduler/SoftwareTimerControlBlock.hpp new file mode 100644 index 0000000..c020d35 --- /dev/null +++ b/include/distortos/internal/scheduler/SoftwareTimerControlBlock.hpp @@ -0,0 +1,111 @@ +/** + * \file + * \brief SoftwareTimerControlBlock class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERCONTROLBLOCK_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERCONTROLBLOCK_HPP_ + +#include "distortos/internal/scheduler/SoftwareTimerListNode.hpp" + +namespace distortos +{ + +class SoftwareTimer; + +namespace internal +{ + +/// SoftwareTimerControlBlock class is a control block of software timer +class SoftwareTimerControlBlock : public SoftwareTimerListNode +{ +public: + + /// type of runner for software timer's function + using FunctionRunner = void(SoftwareTimer&); + + /** + * \brief SoftwareTimerControlBlock's constructor + * + * \param [in] functionRunner is a reference to runner for software timer's function + * \param [in] owner is a reference to SoftwareTimer object that owns this SoftwareTimerControlBlock + */ + + constexpr SoftwareTimerControlBlock(FunctionRunner& functionRunner, SoftwareTimer& owner) : + SoftwareTimerListNode{}, + functionRunner_{functionRunner}, + owner_{owner} + { + + } + + /** + * \brief SoftwareTimerControlBlock's destructor + * + * If the timer is running it is stopped. + */ + + ~SoftwareTimerControlBlock() + { + stop(); + } + + /** + * \return true if the timer is running, false otherwise + */ + + bool isRunning() const + { + return node.isLinked(); + } + + /** + * \brief Runs software timer's function. + * + * \note this should only be called by SoftwareTimerSupervisor::tickInterruptHandler() + */ + + void run() const + { + functionRunner_(owner_); + } + + /** + * \brief Starts the timer. + * + * \param [in] timePoint is the time point at which the function will be executed + */ + + void start(TickClock::time_point timePoint); + + /** + * \brief Stops the timer. + */ + + void stop(); + + SoftwareTimerControlBlock(const SoftwareTimerControlBlock&) = delete; + SoftwareTimerControlBlock(SoftwareTimerControlBlock&&) = default; + const SoftwareTimerControlBlock& operator=(const SoftwareTimerControlBlock&) = delete; + SoftwareTimerControlBlock& operator=(SoftwareTimerControlBlock&&) = delete; + +private: + + /// reference to runner for software timer's function + FunctionRunner& functionRunner_; + + /// reference to SoftwareTimer object that owns this SoftwareTimerControlBlock + SoftwareTimer& owner_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERCONTROLBLOCK_HPP_ diff --git a/include/distortos/internal/scheduler/SoftwareTimerList.hpp b/include/distortos/internal/scheduler/SoftwareTimerList.hpp new file mode 100644 index 0000000..5d38f47 --- /dev/null +++ b/include/distortos/internal/scheduler/SoftwareTimerList.hpp @@ -0,0 +1,62 @@ +/** + * \file + * \brief SoftwareTimerList class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERLIST_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERLIST_HPP_ + +#include "distortos/internal/scheduler/SoftwareTimerListNode.hpp" + +#include "estd/SortedIntrusiveList.hpp" + +namespace distortos +{ + +namespace internal +{ + +class SoftwareTimerControlBlock; + +/// functor which gives ascending expiration time point order of elements on the list +struct SoftwareTimerAscendingTimePoint +{ + /** + * \brief SoftwareTimerAscendingTimePoint's constructor + */ + + constexpr SoftwareTimerAscendingTimePoint() + { + + } + + /** + * \brief SoftwareTimerAscendingTimePoint's function call operator + * + * \param [in] left is the object on the left side of comparison + * \param [in] right is the object on the right side of comparison + * + * \return true if left's expiration time point is greater than right's expiration time point + */ + + bool operator()(const SoftwareTimerListNode& left, const SoftwareTimerListNode& right) const + { + return left.getTimePoint() > right.getTimePoint(); + } +}; + +/// sorted intrusive list of software timers (software timer control blocks) +using SoftwareTimerList = estd::SortedIntrusiveList<SoftwareTimerAscendingTimePoint, SoftwareTimerListNode, + &SoftwareTimerListNode::node, SoftwareTimerControlBlock>; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERLIST_HPP_ diff --git a/include/distortos/internal/scheduler/SoftwareTimerListNode.hpp b/include/distortos/internal/scheduler/SoftwareTimerListNode.hpp new file mode 100644 index 0000000..299e078 --- /dev/null +++ b/include/distortos/internal/scheduler/SoftwareTimerListNode.hpp @@ -0,0 +1,82 @@ +/** + * \file + * \brief SoftwareTimerListNode class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERLISTNODE_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERLISTNODE_HPP_ + +#include "distortos/TickClock.hpp" + +#include "estd/IntrusiveList.hpp" + +namespace distortos +{ + +namespace internal +{ + +/** + * \brief SoftwareTimerListNode class is a base for SoftwareTimerControlBlock that serves as a node in intrusive list of + * software timers (software timer control blocks) + * + * This class is needed to break any potential circular dependencies. + */ + +class SoftwareTimerListNode +{ +public: + + /** + * \brief SoftwareTimerListNode's constructor + */ + + constexpr SoftwareTimerListNode() : + node{}, + timePoint_{} + { + + } + + /** + * \return const reference to expiration time point + */ + + const TickClock::time_point& getTimePoint() const + { + return timePoint_; + } + + /// node for intrusive list + estd::IntrusiveListNode node; + +protected: + + /** + * \brief Sets time point of expiration + * + * \param [in] timePoint is the new time point of expiration + */ + + void setTimePoint(const TickClock::time_point timePoint) + { + timePoint_ = timePoint; + } + +private: + + ///time point of expiration + TickClock::time_point timePoint_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERLISTNODE_HPP_ diff --git a/include/distortos/internal/scheduler/SoftwareTimerSupervisor.hpp b/include/distortos/internal/scheduler/SoftwareTimerSupervisor.hpp new file mode 100644 index 0000000..8367a0a --- /dev/null +++ b/include/distortos/internal/scheduler/SoftwareTimerSupervisor.hpp @@ -0,0 +1,66 @@ +/** + * \file + * \brief SoftwareTimerSupervisor class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERSUPERVISOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERSUPERVISOR_HPP_ + +#include "distortos/internal/scheduler/SoftwareTimerList.hpp" + +namespace distortos +{ + +namespace internal +{ + +/// SoftwareTimerSupervisor class is a supervisor of software timers +class SoftwareTimerSupervisor +{ +public: + + /** + * \brief SoftwareTimerControlBlock's constructor + */ + + constexpr SoftwareTimerSupervisor() : + activeList_{} + { + + } + + /** + * \brief Adds SoftwareTimerControlBlock to supervisor, effectively starting the software timer. + * + * \param [in] softwareTimerControlBlock is the SoftwareTimerControlBlock being added/started + */ + + void add(SoftwareTimerControlBlock& softwareTimerControlBlock); + + /** + * \brief Handler of "tick" interrupt. + * + * \note this must not be called by user code + * + * \param [in] timePoint is the current time point + */ + + void tickInterruptHandler(TickClock::time_point timePoint); + +private: + + /// list of active software timers (waiting for execution) + SoftwareTimerList activeList_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_SOFTWARETIMERSUPERVISOR_HPP_ diff --git a/include/distortos/internal/scheduler/ThreadControlBlock.hpp b/include/distortos/internal/scheduler/ThreadControlBlock.hpp new file mode 100644 index 0000000..6d6f458 --- /dev/null +++ b/include/distortos/internal/scheduler/ThreadControlBlock.hpp @@ -0,0 +1,336 @@ +/** + * \file + * \brief ThreadControlBlock class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADCONTROLBLOCK_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADCONTROLBLOCK_HPP_ + +#include "distortos/internal/scheduler/RoundRobinQuantum.hpp" +#include "distortos/internal/scheduler/ThreadListNode.hpp" + +#include "distortos/internal/synchronization/MutexList.hpp" + +#include "distortos/architecture/Stack.hpp" + +#include "distortos/SchedulingPolicy.hpp" +#include "distortos/ThreadState.hpp" + +#include "estd/TypeErasedFunctor.hpp" + +namespace distortos +{ + +class SignalsReceiver; + +namespace internal +{ + +class SignalsReceiverControlBlock; +class ThreadList; +class ThreadGroupControlBlock; + +/// ThreadControlBlock class is a simple description of a Thread +class ThreadControlBlock : public ThreadListNode +{ +public: + + /// reason of thread unblocking + enum class UnblockReason : uint8_t + { + /// explicit request to unblock the thread - normal unblock + unblockRequest, + /// timeout - unblock via software timer + timeout, + /// signal handler - unblock to deliver unmasked signal + signal, + }; + + /// UnblockFunctor is a functor executed when unblocking the thread, it receives two parameter - a reference to + /// ThreadControlBlock that is being unblocked and the reason of thread unblocking + class UnblockFunctor : public estd::TypeErasedFunctor<void(ThreadControlBlock&, UnblockReason)> + { + + }; + + /** + * \brief ThreadControlBlock constructor. + * + * \param [in] stack is an rvalue reference to architecture::Stack object which will be adopted for this thread + * \param [in] priority is the thread's priority, 0 - lowest, UINT8_MAX - highest + * \param [in] schedulingPolicy is the scheduling policy of the thread + * \param [in] threadGroupControlBlock is a pointer to ThreadGroupControlBlock to which this object will be added, + * nullptr to inherit thread group from currently running thread + * \param [in] signalsReceiver is a pointer to SignalsReceiver object for this thread, nullptr to disable reception + * of signals for this thread + * \param [in] owner is a reference to Thread object that owns this ThreadControlBlock + */ + + ThreadControlBlock(architecture::Stack&& stack, uint8_t priority, SchedulingPolicy schedulingPolicy, + ThreadGroupControlBlock* threadGroupControlBlock, SignalsReceiver* signalsReceiver, Thread& owner); + + /** + * \brief ThreadControlBlock's destructor + */ + + ~ThreadControlBlock(); + + /** + * \brief Hook function executed when thread is added to scheduler. + * + * If threadGroupControlBlock_ is nullptr, it is inherited from currently running thread. Then this object is added + * to the thread group (if it is valid). + * + * \attention This function should be called only by Scheduler::addInternal(). + * + * \return 0 on success, error code otherwise: + * - EINVAL - inherited thread group is invalid; + */ + + int addHook(); + + /** + * \brief Block hook function of thread + * + * Saves pointer to UnblockFunctor. + * + * \attention This function should be called only by Scheduler::blockInternal(). + * + * \param [in] unblockFunctor is a pointer to UnblockFunctor which will be executed in unblockHook() + */ + + void blockHook(const UnblockFunctor* const unblockFunctor) + { + unblockFunctor_ = unblockFunctor; + } + + /** + * \return pointer to list that has this object + */ + + ThreadList* getList() const + { + return list_; + } + + /** + * \return reference to list of mutexes (mutex control blocks) with enabled priority protocol owned by this thread + */ + + MutexList& getOwnedProtocolMutexList() + { + return ownedProtocolMutexList_; + } + + /** + * \return reference to Thread object that owns this ThreadControlBlock + */ + + Thread& getOwner() const + { + return owner_; + } + + /** + * \return reference to internal RoundRobinQuantum object + */ + + RoundRobinQuantum& getRoundRobinQuantum() + { + return roundRobinQuantum_; + } + + /** + * \return scheduling policy of the thread + */ + + SchedulingPolicy getSchedulingPolicy() const + { + return schedulingPolicy_; + } + + /** + * \return pointer to SignalsReceiverControlBlock object for this thread, nullptr if this thread cannot receive + * signals + */ + + SignalsReceiverControlBlock* getSignalsReceiverControlBlock() const + { + return signalsReceiverControlBlock_; + } + + /** + * \return reference to internal Stack object + */ + + architecture::Stack& getStack() + { + return stack_; + } + + /** + * \return current state of object + */ + + ThreadState getState() const + { + return state_; + } + + /** + * \brief Sets the list that has this object. + * + * \param [in] list is a pointer to list that has this object + */ + + void setList(ThreadList* const list) + { + list_ = list; + } + + /** + * \brief Changes priority of thread. + * + * If the priority really changes, the position in the thread list is adjusted and context switch may be requested. + * + * \param [in] priority is the new priority of thread + * \param [in] alwaysBehind selects the method of ordering when lowering the priority + * - false - the thread is moved to the head of the group of threads with the new priority (default), + * - true - the thread is moved to the tail of the group of threads with the new priority. + */ + + void setPriority(uint8_t priority, bool alwaysBehind = {}); + + /** + * \param [in] priorityInheritanceMutexControlBlock is a pointer to MutexControlBlock (with PriorityInheritance + * protocol) that blocks this thread + */ + + void setPriorityInheritanceMutexControlBlock(const MutexControlBlock* const priorityInheritanceMutexControlBlock) + { + priorityInheritanceMutexControlBlock_ = priorityInheritanceMutexControlBlock; + } + + /** + * param [in] schedulingPolicy is the new scheduling policy of the thread + */ + + void setSchedulingPolicy(SchedulingPolicy schedulingPolicy); + + /** + * \param [in] state is the new state of object + */ + + void setState(const ThreadState state) + { + state_ = state; + } + + /** + * \brief Hook function called when context is switched to this thread. + * + * Sets global _impure_ptr (from newlib) to thread's \a reent_ member variable. + * + * \attention This function should be called only by Scheduler::switchContext(). + */ + + void switchedToHook() + { + _impure_ptr = &reent_; + } + + /** + * \brief Unblock hook function of thread + * + * Resets round-robin's quantum and executes unblock functor saved in blockHook(). + * + * \attention This function should be called only by Scheduler::unblockInternal(). + * + * \param [in] unblockReason is the new reason of unblocking of the thread + */ + + void unblockHook(UnblockReason unblockReason); + + /** + * \brief Updates boosted priority of the thread. + * + * This function should be called after all operations involving this thread and a mutex with enabled priority + * protocol. + * + * \param [in] boostedPriority is the initial boosted priority, this should be effective priority of the thread that + * is about to be blocked on a mutex owned by this thread, default - 0 + */ + + void updateBoostedPriority(uint8_t boostedPriority = {}); + + ThreadControlBlock(const ThreadControlBlock&) = delete; + ThreadControlBlock(ThreadControlBlock&&) = default; + const ThreadControlBlock& operator=(const ThreadControlBlock&) = delete; + ThreadControlBlock& operator=(ThreadControlBlock&&) = delete; + +private: + + /** + * \brief Repositions the thread on the list it's currently on. + * + * This function should be called when thread's effective priority changes. + * + * \attention list_ must not be nullptr + * + * \param [in] loweringBefore selects the method of ordering when lowering the priority (it must be false when the + * priority is raised!): + * - true - the thread is moved to the head of the group of threads with the new priority, this is accomplished by + * temporarily boosting effective priority by 1, + * - false - the thread is moved to the tail of the group of threads with the new priority. + */ + + void reposition(bool loweringBefore); + + /// internal stack object + architecture::Stack stack_; + + /// reference to Thread object that owns this ThreadControlBlock + Thread& owner_; + + /// list of mutexes (mutex control blocks) with enabled priority protocol owned by this thread + MutexList ownedProtocolMutexList_; + + /// pointer to MutexControlBlock (with PriorityInheritance protocol) that blocks this thread + const MutexControlBlock* priorityInheritanceMutexControlBlock_; + + /// pointer to list that has this object + ThreadList* list_; + + /// pointer to ThreadGroupControlBlock with which this object is associated + ThreadGroupControlBlock* threadGroupControlBlock_; + + /// functor executed in unblockHook() + const UnblockFunctor* unblockFunctor_; + + /// pointer to SignalsReceiverControlBlock object for this thread, nullptr if this thread cannot receive signals + SignalsReceiverControlBlock* signalsReceiverControlBlock_; + + /// newlib's _reent structure with thread-specific data + _reent reent_; + + /// round-robin quantum + RoundRobinQuantum roundRobinQuantum_; + + /// scheduling policy of the thread + SchedulingPolicy schedulingPolicy_; + + /// current state of object + ThreadState state_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADCONTROLBLOCK_HPP_ diff --git a/include/distortos/internal/scheduler/ThreadGroupControlBlock.hpp b/include/distortos/internal/scheduler/ThreadGroupControlBlock.hpp new file mode 100644 index 0000000..59ff313 --- /dev/null +++ b/include/distortos/internal/scheduler/ThreadGroupControlBlock.hpp @@ -0,0 +1,61 @@ +/** + * \file + * \brief ThreadGroupControlBlock class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADGROUPCONTROLBLOCK_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADGROUPCONTROLBLOCK_HPP_ + +#include "distortos/internal/scheduler/ThreadListNode.hpp" + +namespace distortos +{ + +namespace internal +{ + +class ThreadControlBlock; + +/// ThreadGroupControlBlock class is a control block for ThreadGroup +class ThreadGroupControlBlock +{ +public: + + /** + * \brief ThreadGroupControlBlock's constructor + */ + + constexpr ThreadGroupControlBlock() : + threadList_{} + { + + } + + /** + * \brief Adds new ThreadControlBlock to internal list of this object. + * + * \param [in] threadControlBlock is a reference to added ThreadControlBlock object + */ + + void add(ThreadControlBlock& threadControlBlock); + +private: + + /// intrusive list of threads (thread control blocks) + using List = estd::IntrusiveList<ThreadListNode, &ThreadListNode::threadGroupNode, ThreadControlBlock>; + + /// list of threads (thread control blocks) in this group + List threadList_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADGROUPCONTROLBLOCK_HPP_ diff --git a/include/distortos/internal/scheduler/ThreadList.hpp b/include/distortos/internal/scheduler/ThreadList.hpp new file mode 100644 index 0000000..edf2483 --- /dev/null +++ b/include/distortos/internal/scheduler/ThreadList.hpp @@ -0,0 +1,65 @@ +/** + * \file + * \brief ThreadList class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADLIST_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADLIST_HPP_ + +#include "distortos/internal/scheduler/ThreadListNode.hpp" + +#include "estd/SortedIntrusiveList.hpp" + +namespace distortos +{ + +namespace internal +{ + +class ThreadControlBlock; + +/// functor which gives descending effective priority order of elements on the list +struct ThreadDescendingEffectivePriority +{ + /** + * \brief ThreadDescendingEffectivePriority's constructor + */ + + constexpr ThreadDescendingEffectivePriority() + { + + } + + /** + * \brief ThreadDescendingEffectivePriority's function call operator + * + * \param [in] left is the object on the left-hand side of comparison + * \param [in] right is the object on the right-hand side of comparison + * + * \return true if left's effective priority is less than right's effective priority + */ + + bool operator()(const ThreadListNode& left, const ThreadListNode& right) const + { + return left.getEffectivePriority() < right.getEffectivePriority(); + } +}; + +/// sorted intrusive list of threads (thread control blocks) +class ThreadList : public estd::SortedIntrusiveList<ThreadDescendingEffectivePriority, ThreadListNode, + &ThreadListNode::threadListNode, ThreadControlBlock> +{ + +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADLIST_HPP_ diff --git a/include/distortos/internal/scheduler/ThreadListNode.hpp b/include/distortos/internal/scheduler/ThreadListNode.hpp new file mode 100644 index 0000000..fcd7c85 --- /dev/null +++ b/include/distortos/internal/scheduler/ThreadListNode.hpp @@ -0,0 +1,86 @@ +/** + * \file + * \brief ThreadListNode class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADLISTNODE_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADLISTNODE_HPP_ + +#include "estd/IntrusiveList.hpp" + +namespace distortos +{ + +namespace internal +{ + +/** + * \brief ThreadListNode class is a base for ThreadControlBlock that provides nodes for intrusive lists + * + * This class is needed to break circular dependency - MutexList is contained in ThreadControlBlock and ThreadList is + * contained in MutexControlBlock. + */ + +class ThreadListNode +{ +public: + + /** + * \brief ThreadListNode's constructor + * + * \param [in] priority is the thread's priority, 0 - lowest, UINT8_MAX - highest + */ + + constexpr ThreadListNode(const uint8_t priority) : + threadListNode{}, + threadGroupNode{}, + priority_{priority}, + boostedPriority_{} + { + + } + + /** + * \return effective priority of thread + */ + + uint8_t getEffectivePriority() const + { + return std::max(priority_, boostedPriority_); + } + + /** + * \return priority of thread + */ + + uint8_t getPriority() const + { + return priority_; + } + + /// node for intrusive list in thread lists + estd::IntrusiveListNode threadListNode; + + /// node for intrusive list in thread group + estd::IntrusiveListNode threadGroupNode; + +protected: + + /// thread's priority, 0 - lowest, UINT8_MAX - highest + uint8_t priority_; + + /// thread's boosted priority, 0 - no boosting + uint8_t boostedPriority_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADLISTNODE_HPP_ diff --git a/include/distortos/internal/scheduler/forceContextSwitch.hpp b/include/distortos/internal/scheduler/forceContextSwitch.hpp new file mode 100644 index 0000000..4509e51 --- /dev/null +++ b/include/distortos/internal/scheduler/forceContextSwitch.hpp @@ -0,0 +1,33 @@ +/** + * \file + * \brief forceContextSwitch() declaration + * + * \author Copyright (C) 2014-2016 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_FORCECONTEXTSWITCH_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_FORCECONTEXTSWITCH_HPP_ + +namespace distortos +{ + +namespace internal +{ + +/** + * \brief Forces unconditional context switch. + * + * Requests unconditional context switch and temporarily disables any interrupt masking. + */ + +void forceContextSwitch(); + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_FORCECONTEXTSWITCH_HPP_ diff --git a/include/distortos/internal/scheduler/getScheduler.hpp b/include/distortos/internal/scheduler/getScheduler.hpp new file mode 100644 index 0000000..f95d51c --- /dev/null +++ b/include/distortos/internal/scheduler/getScheduler.hpp @@ -0,0 +1,33 @@ +/** + * \file + * \brief getScheduler() declaration + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_GETSCHEDULER_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_GETSCHEDULER_HPP_ + +namespace distortos +{ + +namespace internal +{ + +class Scheduler; + +/** + * \return reference to main instance of system's Scheduler + */ + +Scheduler& getScheduler(); + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_GETSCHEDULER_HPP_ diff --git a/include/distortos/internal/scheduler/idleThreadFunction.hpp b/include/distortos/internal/scheduler/idleThreadFunction.hpp new file mode 100644 index 0000000..23699d4 --- /dev/null +++ b/include/distortos/internal/scheduler/idleThreadFunction.hpp @@ -0,0 +1,31 @@ +/** + * \file + * \brief idleThreadFunction() declaration + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_IDLETHREADFUNCTION_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_IDLETHREADFUNCTION_HPP_ + +namespace distortos +{ + +namespace internal +{ + +/** + * \brief Idle thread's function + */ + +void idleThreadFunction(); + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_IDLETHREADFUNCTION_HPP_ diff --git a/include/distortos/internal/scheduler/lowLevelInitialization.hpp b/include/distortos/internal/scheduler/lowLevelInitialization.hpp new file mode 100644 index 0000000..a6298c2 --- /dev/null +++ b/include/distortos/internal/scheduler/lowLevelInitialization.hpp @@ -0,0 +1,44 @@ +/** + * \file + * \brief internal::lowLevelInitialization() declaration + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_LOWLEVELINITIALIZATION_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_LOWLEVELINITIALIZATION_HPP_ + +namespace distortos +{ + +namespace internal +{ + +/*---------------------------------------------------------------------------------------------------------------------+ +| global functions' declarations ++---------------------------------------------------------------------------------------------------------------------*/ + +/** + * \brief Low level system initialization + * + * 1. Initializes main instance of system's Scheduler; + * 2. Initializes main thread with its group; + * 3. Starts idle thread; + * 4. Initializes main instance of Mutex used for malloc() and free() locking; + * 5. Initializes main instance of DeferredThreadDeleter (only if CONFIG_THREAD_DETACH_ENABLE option is enabled); + * + * This function is called before constructors for global and static objects from __libc_init_array() via address in + * distortosPreinitArray[]. + */ + +void lowLevelInitialization(); + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_LOWLEVELINITIALIZATION_HPP_ diff --git a/include/distortos/internal/scheduler/threadRunner.hpp b/include/distortos/internal/scheduler/threadRunner.hpp new file mode 100644 index 0000000..1cee654 --- /dev/null +++ b/include/distortos/internal/scheduler/threadRunner.hpp @@ -0,0 +1,48 @@ +/** + * \file + * \brief threadRunner() declaration + * + * \author Copyright (C) 2014-2016 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADRUNNER_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADRUNNER_HPP_ + +namespace distortos +{ + +class Thread; + +namespace internal +{ + +/** + * \brief Thread runner function - entry point of threads. + * + * Performs following actions: + * - executes thread's "run" function; + * - thread's pre-termination hook is executed (if provided); + * - thread is terminated and removed from scheduler; + * - thread's termination hook is executed; + * - context switch is forced; + * + * This function never returns. + * + * \param [in] thread is a reference to Thread object that is being run + * \param [in] run is a reference to Thread's "run" function + * \param [in] preTerminationHook is a pointer to Thread's pre-termination hook, nullptr to skip + * \param [in] terminationHook is a reference to Thread's termination hook + */ + +void threadRunner(Thread& thread, void (& run)(Thread&), void (* preTerminationHook)(Thread&), + void (& terminationHook)(Thread&)) __attribute__ ((noreturn)); + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SCHEDULER_THREADRUNNER_HPP_ diff --git a/include/distortos/internal/synchronization/BoundQueueFunctor.hpp b/include/distortos/internal/synchronization/BoundQueueFunctor.hpp new file mode 100644 index 0000000..35a9d14 --- /dev/null +++ b/include/distortos/internal/synchronization/BoundQueueFunctor.hpp @@ -0,0 +1,89 @@ +/** + * \file + * \brief BoundQueueFunctor class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_BOUNDQUEUEFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_BOUNDQUEUEFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/QueueFunctor.hpp" + +#include <utility> + +namespace distortos +{ + +namespace internal +{ + +/** + * \brief BoundQueueFunctor is a type-erased QueueFunctor which calls its bound functor to execute actions on queue's + * storage + * + * \tparam F is the type of bound functor, it will be called with <em>void*</em> as only argument + */ + +template<typename F> +class BoundQueueFunctor : public QueueFunctor +{ +public: + + /** + * \brief BoundQueueFunctor's constructor + * + * \param [in] boundFunctor is a rvalue reference to bound functor which will be used to move-construct internal + * bound functor + */ + + constexpr explicit BoundQueueFunctor(F&& boundFunctor) : + boundFunctor_{std::move(boundFunctor)} + { + + } + + /** + * \brief Calls the bound functor which will execute some action on queue's storage (like copy-constructing, + * swapping, destroying, emplacing, ...) + * + * \param [in,out] storage is a pointer to storage with/for element + */ + + void operator()(void* const storage) const override + { + boundFunctor_(storage); + } + +private: + + /// bound functor + F boundFunctor_; +}; + +/** + * \brief Helper factory function to make BoundQueueFunctor object with deduced template arguments + * + * \tparam F is the type of bound functor, it will be called with <em>void*</em> as only argument + * + * \param [in] boundFunctor is a rvalue reference to bound functor which will be used to move-construct internal bound + * functor + * + * \return BoundQueueFunctor object with deduced template arguments + */ + +template<typename F> +constexpr BoundQueueFunctor<F> makeBoundQueueFunctor(F&& boundFunctor) +{ + return BoundQueueFunctor<F>{std::move(boundFunctor)}; +} + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_BOUNDQUEUEFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/CallOnceControlBlock.hpp b/include/distortos/internal/synchronization/CallOnceControlBlock.hpp new file mode 100644 index 0000000..1684faf --- /dev/null +++ b/include/distortos/internal/synchronization/CallOnceControlBlock.hpp @@ -0,0 +1,172 @@ +/** + * \file + * \brief CallOnceControlBlock class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_CALLONCECONTROLBLOCK_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_CALLONCECONTROLBLOCK_HPP_ + +#include "estd/invoke.hpp" +#include "estd/TypeErasedFunctor.hpp" + +#include <sys/features.h> + +namespace distortos +{ + +/// GCC 4.9 is needed for CallOnceControlBlock::operator()() function - and thus for OnceFlag and callOnce() - earlier +/// versions don't support parameter pack expansion in lambdas +#define DISTORTOS_CALLONCE_SUPPORTED __GNUC_PREREQ(4, 9) + +#if DISTORTOS_CALLONCE_SUPPORTED == 1 || DOXYGEN == 1 + +namespace internal +{ + +class ThreadList; + +/// CallOnceControlBlock class implements functionality of OnceFlag class and callOnce() +/// \note This class requires GCC 4.9. +class CallOnceControlBlock +{ +public: + + /** + * \brief CallOnceControlBlock's constructor + */ + + constexpr CallOnceControlBlock() : + blockedList_{}, + done_{} + { + + } + + /** + * \brief CallOnceControlBlock's function call operator + * + * Does nothing if any function was already called for this object. In other case provided function and arguments + * are wrapped in a type-erased functor and passed to callOnceImplementation(). + * + * \tparam Function is the function object that will be executed + * \tparam Args are the arguments for \a Function + * + * \param [in] function is the function object that will be executed + * \param [in] args are arguments for \a function + */ + + template<typename Function, typename... Args> + void operator()(Function&& function, Args&&... args); + +private: + + /// Functor is a type-erased interface for functors which execute bounded function with bounded arguments + class Functor : public estd::TypeErasedFunctor<void()> + { + + }; + + /** + * \brief BoundedFunctor is a type-erased Functor which calls its bounded functor + * + * \tparam F is the type of bounded functor + */ + + template<typename F> + class BoundedFunctor : public Functor + { + public: + + /** + * \brief BoundedFunctor's constructor + * + * \param [in] boundedFunctor is a rvalue reference to bounded functor which will be used to move-construct + * internal bounded functor + */ + + constexpr explicit BoundedFunctor(F&& boundedFunctor) : + boundedFunctor_{std::move(boundedFunctor)} + { + + } + + /** + * \brief BoundedFunctor's function call operator + * + * Calls the bounded functor. + */ + + void operator()() const override + { + boundedFunctor_(); + } + + private: + + /// bounded functor + F boundedFunctor_; + }; + + /** + * \brief Helper factory function to make BoundedFunctor object with deduced template arguments + * + * \tparam F is the type of bounded functor + * + * \param [in] boundedFunctor is a rvalue reference to bounded functor which will be used to move-construct internal + * bounded functor + * + * \return BoundedFunctor object with deduced template arguments + */ + + template<typename F> + constexpr static BoundedFunctor<F> makeBoundedFunctor(F&& boundedFunctor) + { + return BoundedFunctor<F>{std::move(boundedFunctor)}; + } + + /** + * \brief Implements callOnce() using type-erased functor. + * + * Does nothing if any function was already called for this object. If the function is currently being executed, but + * not yet done, then the calling thread is blocked. In other case the function is executed and - after it is done - + * all blocked threads are unblocked. + * + * \param [in] functor is a reference to functor which will execute bounded function with bounded arguments + */ + + void callOnceImplementation(const Functor& functor); + + /// pointer to stack-allocated list of ThreadControlBlock objects blocked on associated OnceFlag + ThreadList* blockedList_; + + /// tells whether any function was already called for this object (true) or not (false) + bool done_; +}; + +template<typename Function, typename... Args> +void CallOnceControlBlock::operator()(Function&& function, Args&&... args) +{ + if (done_ == true) // function already executed? + return; + + const auto functor = makeBoundedFunctor( + [&function, &args...]() + { + estd::invoke(std::forward<Function>(function), std::forward<Args>(args)...); + }); + callOnceImplementation(functor); +} + +} // namespace internal + +#endif // DISTORTOS_CALLONCE_SUPPORTED == 1 || DOXYGEN == 1 + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_CALLONCECONTROLBLOCK_HPP_ diff --git a/include/distortos/internal/synchronization/CopyConstructQueueFunctor.hpp b/include/distortos/internal/synchronization/CopyConstructQueueFunctor.hpp new file mode 100644 index 0000000..7c29c8a --- /dev/null +++ b/include/distortos/internal/synchronization/CopyConstructQueueFunctor.hpp @@ -0,0 +1,67 @@ +/** + * \file + * \brief CopyConstructQueueFunctor class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_COPYCONSTRUCTQUEUEFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_COPYCONSTRUCTQUEUEFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/QueueFunctor.hpp" + +namespace distortos +{ + +namespace internal +{ + +/** + * CopyConstructQueueFunctor is a functor used for pushing of data to the queue using copy-construction + * + * \tparam T is the type of data pushed to the queue + */ + +template<typename T> +class CopyConstructQueueFunctor : public QueueFunctor +{ +public: + + /** + * \brief CopyConstructQueueFunctor's constructor + * + * \param [in] value is a reference to object that will be used as argument of copy constructor + */ + + constexpr explicit CopyConstructQueueFunctor(const T& value) : + value_{value} + { + + } + + /** + * \brief Copy-constructs the element in the queue's storage + * + * \param [in,out] storage is a pointer to storage for element + */ + + void operator()(void* const storage) const override + { + new (storage) T{value_}; + } + +private: + + /// reference to object that will be used as argument of copy constructor + const T& value_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_COPYCONSTRUCTQUEUEFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/FifoQueueBase.hpp b/include/distortos/internal/synchronization/FifoQueueBase.hpp new file mode 100644 index 0000000..f45eec8 --- /dev/null +++ b/include/distortos/internal/synchronization/FifoQueueBase.hpp @@ -0,0 +1,145 @@ +/** + * \file + * \brief FifoQueueBase class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_FIFOQUEUEBASE_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_FIFOQUEUEBASE_HPP_ + +#include "distortos/Semaphore.hpp" + +#include "distortos/internal/synchronization/QueueFunctor.hpp" +#include "distortos/internal/synchronization/SemaphoreFunctor.hpp" + +#include <memory> + +namespace distortos +{ + +namespace internal +{ + +/// FifoQueueBase class implements basic functionality of FifoQueue template class +class FifoQueueBase +{ +public: + + /// unique_ptr (with deleter) to storage + using StorageUniquePointer = std::unique_ptr<void, void(&)(void*)>; + + /** + * \brief FifoQueueBase's constructor + * + * \param [in] storageUniquePointer is a rvalue reference to StorageUniquePointer with storage for queue elements + * (sufficiently large for \a maxElements, each \a elementSize bytes long) and appropriate deleter + * \param [in] elementSize is the size of single queue element, bytes + * \param [in] maxElements is the number of elements in storage + */ + + FifoQueueBase(StorageUniquePointer&& storageUniquePointer, size_t elementSize, size_t maxElements); + + /** + * \brief FifoQueueBase's destructor + */ + + ~FifoQueueBase(); + + /** + * \return size of single queue element, bytes + */ + + size_t getElementSize() const + { + return elementSize_; + } + + /** + * \brief Implementation of pop() using type-erased functor + * + * \param [in] waitSemaphoreFunctor is a reference to SemaphoreFunctor which will be executed with \a popSemaphore_ + * \param [in] functor is a reference to QueueFunctor which will execute actions related to popping - it will get + * readPosition_ as argument + * + * \return zero if element was popped successfully, error code otherwise: + * - error codes returned by \a waitSemaphoreFunctor's operator() call; + * - error codes returned by Semaphore::post(); + */ + + int pop(const SemaphoreFunctor& waitSemaphoreFunctor, const QueueFunctor& functor) + { + return popPush(waitSemaphoreFunctor, functor, popSemaphore_, pushSemaphore_, readPosition_); + } + + /** + * \brief Implementation of push() using type-erased functor + * + * \param [in] waitSemaphoreFunctor is a reference to SemaphoreFunctor which will be executed with \a pushSemaphore_ + * \param [in] functor is a reference to QueueFunctor which will execute actions related to pushing - it will get + * writePosition_ as argument + * + * \return zero if element was pushed successfully, error code otherwise: + * - error codes returned by \a waitSemaphoreFunctor's operator() call; + * - error codes returned by Semaphore::post(); + */ + + int push(const SemaphoreFunctor& waitSemaphoreFunctor, const QueueFunctor& functor) + { + return popPush(waitSemaphoreFunctor, functor, pushSemaphore_, popSemaphore_, writePosition_); + } + +private: + + /** + * \brief Implementation of pop() and push() using type-erased functor + * + * \param [in] waitSemaphoreFunctor is a reference to SemaphoreFunctor which will be executed with \a waitSemaphore + * \param [in] functor is a reference to QueueFunctor which will execute actions related to popping/pushing - it + * will get \a storage as argument + * \param [in] waitSemaphore is a reference to semaphore that will be waited for, \a popSemaphore_ for pop(), \a + * pushSemaphore_ for push() + * \param [in] postSemaphore is a reference to semaphore that will be posted after the operation, \a pushSemaphore_ + * for pop(), \a popSemaphore_ for push() + * \param [in] storage is a reference to appropriate pointer to storage, which will be passed to \a functor, \a + * readPosition_ for pop(), \a writePosition_ for push() + * + * \return zero if operation was successful, error code otherwise: + * - error codes returned by \a waitSemaphoreFunctor's operator() call; + * - error codes returned by Semaphore::post(); + */ + + int popPush(const SemaphoreFunctor& waitSemaphoreFunctor, const QueueFunctor& functor, Semaphore& waitSemaphore, + Semaphore& postSemaphore, void*& storage); + + /// semaphore guarding access to "pop" functions - its value is equal to the number of available elements + Semaphore popSemaphore_; + + /// semaphore guarding access to "push" functions - its value is equal to the number of free slots + Semaphore pushSemaphore_; + + /// storage for queue elements + const StorageUniquePointer storageUniquePointer_; + + /// pointer to past-the-last element of storage for queue elements + const void* const storageEnd_; + + /// pointer to first element available for reading + void* readPosition_; + + /// pointer to first free slot available for writing + void* writePosition_; + + /// size of single queue element, bytes + const size_t elementSize_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_FIFOQUEUEBASE_HPP_ diff --git a/include/distortos/internal/synchronization/MemcpyPopQueueFunctor.hpp b/include/distortos/internal/synchronization/MemcpyPopQueueFunctor.hpp new file mode 100644 index 0000000..29113a5 --- /dev/null +++ b/include/distortos/internal/synchronization/MemcpyPopQueueFunctor.hpp @@ -0,0 +1,65 @@ +/** + * \file + * \brief MemcpyPopQueueFunctor class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MEMCPYPOPQUEUEFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MEMCPYPOPQUEUEFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/QueueFunctor.hpp" + +#include <cstddef> + +namespace distortos +{ + +namespace internal +{ + +/// MemcpyPopQueueFunctor is a functor used for popping of data from the raw queue with memecpy() +class MemcpyPopQueueFunctor : public QueueFunctor +{ +public: + + /** + * \brief MemcpyPopQueueFunctor's constructor + * + * \param [out] buffer is a pointer to buffer for popped element + * \param [in] size is the size of \a buffer, bytes + */ + + constexpr MemcpyPopQueueFunctor(void* const buffer, const size_t size) : + buffer_{buffer}, + size_{size} + { + + } + + /** + * \brief Copies the data from raw queue's storage (with memcpy()). + * + * \param [in,out] storage is a pointer to storage for element + */ + + void operator()(void* storage) const override; + +private: + + /// pointer to buffer for popped element + void* const buffer_; + + /// size of \a buffer_, bytes + const size_t size_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MEMCPYPOPQUEUEFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/MemcpyPushQueueFunctor.hpp b/include/distortos/internal/synchronization/MemcpyPushQueueFunctor.hpp new file mode 100644 index 0000000..89fb4b0 --- /dev/null +++ b/include/distortos/internal/synchronization/MemcpyPushQueueFunctor.hpp @@ -0,0 +1,65 @@ +/** + * \file + * \brief MemcpyPushQueueFunctor class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MEMCPYPUSHQUEUEFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MEMCPYPUSHQUEUEFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/QueueFunctor.hpp" + +#include <cstddef> + +namespace distortos +{ + +namespace internal +{ + +/// MemcpyPushQueueFunctor is a functor used for pushing of data to the raw queue with memcpy() +class MemcpyPushQueueFunctor : public QueueFunctor +{ +public: + + /** + * \brief MemcpyPushQueueFunctor's constructor + * + * \param [in] data is a pointer to data that will be pushed to raw queue + * \param [in] size is the size of \a data, bytes + */ + + constexpr MemcpyPushQueueFunctor(const void* const data, const size_t size) : + data_{data}, + size_{size} + { + + } + + /** + * \brief Copies the data to raw queue's storage (with memcpy()). + * + * \param [in,out] storage is a pointer to storage for element + */ + + void operator()(void* storage) const override; + +private: + + /// pointer to data that will be pushed to raw queue + const void* const data_; + + /// size of \a data_, bytes + const size_t size_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MEMCPYPUSHQUEUEFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/MessageQueueBase.hpp b/include/distortos/internal/synchronization/MessageQueueBase.hpp new file mode 100644 index 0000000..e0bd4e5 --- /dev/null +++ b/include/distortos/internal/synchronization/MessageQueueBase.hpp @@ -0,0 +1,221 @@ +/** + * \file + * \brief MessageQueueBase class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MESSAGEQUEUEBASE_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MESSAGEQUEUEBASE_HPP_ + +#include "distortos/Semaphore.hpp" + +#include "distortos/internal/synchronization/QueueFunctor.hpp" +#include "distortos/internal/synchronization/SemaphoreFunctor.hpp" + +#include "estd/SortedIntrusiveForwardList.hpp" + +#include <memory> + +namespace distortos +{ + +namespace internal +{ + +/// MessageQueueBase class implements basic functionality of MessageQueue template class +class MessageQueueBase +{ +public: + + /// entry in the MessageQueueBase + struct Entry + { + /** + * \brief Entry's constructor + * + * \param [in] priorityy is the priority of the entry + * \param [in] storagee is the storage for the entry + */ + + constexpr Entry(const uint8_t priorityy, void* const storagee) : + node{}, + priority{priorityy}, + storage{storagee} + { + + } + + /// node for intrusive forward list + estd::IntrusiveForwardListNode node; + + /// priority of the entry + uint8_t priority; + + /// storage for the entry + void* storage; + }; + + /// type of uninitialized storage for Entry + using EntryStorage = typename std::aligned_storage<sizeof(Entry), alignof(Entry)>::type; + + /// unique_ptr (with deleter) to EntryStorage[] + using EntryStorageUniquePointer = std::unique_ptr<EntryStorage[], void(&)(EntryStorage*)>; + + /** + * type of uninitialized storage for value + * + * \tparam T is the type of data in queue + */ + + template<typename T> + using ValueStorage = typename std::aligned_storage<sizeof(T), alignof(T)>::type; + + /// unique_ptr (with deleter) to storage + using ValueStorageUniquePointer = std::unique_ptr<void, void(&)(void*)>; + + /// functor which gives descending priority order of elements on the list + struct DescendingPriority + { + /** + * \brief DescendingPriority's constructor + */ + + constexpr DescendingPriority() + { + + } + + /** + * \brief DescendingPriority's function call operator + * + * \param [in] left is the object on the left side of comparison + * \param [in] right is the object on the right side of comparison + * + * \return true if left's priority is less than right's priority + */ + + bool operator()(const Entry& left, const Entry& right) const + { + return left.priority < right.priority; + } + }; + + /// type of entry list + using EntryList = estd::SortedIntrusiveForwardList<DescendingPriority, Entry, &Entry::node>; + + /// type of free entry list + using FreeEntryList = EntryList::UnsortedIntrusiveForwardList; + + /** + * \brief InternalFunctor is a type-erased interface for functors which execute common code of pop() and push() + * operations. + * + * The functor will be called by MessageQueueBase internals with references to \a entryList_ and \a freeEntryList_. + * It should perform common actions and execute the QueueFunctor passed from callers. + */ + + class InternalFunctor : public estd::TypeErasedFunctor<void(EntryList&, FreeEntryList&)> + { + + }; + + /** + * \brief MessageQueueBase's constructor + * + * \param [in] entryStorageUniquePointer is a rvalue reference to EntryStorageUniquePointer with storage for queue + * entries (sufficiently large for \a maxElements EntryStorage objects) and appropriate deleter + * \param [in] valueStorageUniquePointer is a rvalue reference to ValueStorageUniquePointer with storage for queue + * elements (sufficiently large for \a maxElements, each \a elementSize bytes long) and appropriate deleter + * \param [in] elementSize is the size of single queue element, bytes + * \param [in] maxElements is the number of elements in \a entryStorage array and valueStorage memory block + */ + + MessageQueueBase(EntryStorageUniquePointer&& entryStorageUniquePointer, + ValueStorageUniquePointer&& valueStorageUniquePointer, size_t elementSize, size_t maxElements); + + /** + * \brief MessageQueueBase's destructor + */ + + ~MessageQueueBase(); + + /** + * \brief Implementation of pop() using type-erased functor + * + * \param [in] waitSemaphoreFunctor is a reference to SemaphoreFunctor which will be executed with \a popSemaphore_ + * \param [out] priority is a reference to variable that will be used to return priority of popped value + * \param [in] functor is a reference to QueueFunctor which will execute actions related to popping - it will get a + * pointer to storage with element + * + * \return zero if element was popped successfully, error code otherwise: + * - error codes returned by \a waitSemaphoreFunctor's operator() call; + * - error codes returned by Semaphore::post(); + */ + + int pop(const SemaphoreFunctor& waitSemaphoreFunctor, uint8_t& priority, const QueueFunctor& functor); + + /** + * \brief Implementation of push() using type-erased functor + * + * \param [in] waitSemaphoreFunctor is a reference to SemaphoreFunctor which will be executed with \a pushSemaphore_ + * \param [in] priority is the priority of new element + * \param [in] functor is a reference to QueueFunctor which will execute actions related to pushing - it will get a + * pointer to storage for element + * + * \return zero if element was pushed successfully, error code otherwise: + * - error codes returned by \a waitSemaphoreFunctor's operator() call; + * - error codes returned by Semaphore::post(); + */ + + int push(const SemaphoreFunctor& waitSemaphoreFunctor, uint8_t priority, const QueueFunctor& functor); + +private: + + /** + * \brief Implementation of pop() and push() using type-erased internal functor + * + * \param [in] waitSemaphoreFunctor is a reference to SemaphoreFunctor which will be executed with \a waitSemaphore + * \param [in] internalFunctor is a reference to InternalFunctor which will execute actions related to + * popping/pushing + * \param [in] waitSemaphore is a reference to semaphore that will be waited for, \a popSemaphore_ for pop(), \a + * pushSemaphore_ for push() + * \param [in] postSemaphore is a reference to semaphore that will be posted after the operation, \a pushSemaphore_ + * for pop(), \a popSemaphore_ for push() + * + * \return zero if operation was successful, error code otherwise: + * - error codes returned by \a waitSemaphoreFunctor's operator() call; + * - error codes returned by Semaphore::post(); + */ + + int popPush(const SemaphoreFunctor& waitSemaphoreFunctor, const InternalFunctor& internalFunctor, + Semaphore& waitSemaphore, Semaphore& postSemaphore); + + /// semaphore guarding access to "pop" functions - its value is equal to the number of available elements + Semaphore popSemaphore_; + + /// semaphore guarding access to "push" functions - its value is equal to the number of free slots + Semaphore pushSemaphore_; + + /// storage for queue entries + const EntryStorageUniquePointer entryStorageUniquePointer_; + + /// storage for queue elements + const ValueStorageUniquePointer valueStorageUniquePointer_; + + /// list of available entries, sorted in descending order of priority + EntryList entryList_; + + /// list of "free" entries + FreeEntryList freeEntryList_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MESSAGEQUEUEBASE_HPP_ diff --git a/include/distortos/internal/synchronization/MoveConstructQueueFunctor.hpp b/include/distortos/internal/synchronization/MoveConstructQueueFunctor.hpp new file mode 100644 index 0000000..ff6587f --- /dev/null +++ b/include/distortos/internal/synchronization/MoveConstructQueueFunctor.hpp @@ -0,0 +1,69 @@ +/** + * \file + * \brief MoveConstructQueueFunctor class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MOVECONSTRUCTQUEUEFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MOVECONSTRUCTQUEUEFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/QueueFunctor.hpp" + +#include <utility> + +namespace distortos +{ + +namespace internal +{ + +/** + * MoveConstructQueueFunctor is a functor used for pushing of data to the queue using move-construction + * + * \tparam T is the type of data pushed to the queue + */ + +template<typename T> +class MoveConstructQueueFunctor : public QueueFunctor +{ +public: + + /** + * \brief MoveConstructQueueFunctor's constructor + * + * \param [in] value is a rvalue reference to object that will be used as argument of move constructor + */ + + constexpr explicit MoveConstructQueueFunctor(T&& value) : + value_{std::move(value)} + { + + } + + /** + * \brief Move-constructs the element in the queue's storage + * + * \param [in,out] storage is a pointer to storage for element + */ + + void operator()(void* const storage) const override + { + new (storage) T{std::move(value_)}; + } + +private: + + /// rvalue reference to object that will be used as argument of move constructor + T&& value_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MOVECONSTRUCTQUEUEFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/MutexControlBlock.hpp b/include/distortos/internal/synchronization/MutexControlBlock.hpp new file mode 100644 index 0000000..93c3ee6 --- /dev/null +++ b/include/distortos/internal/synchronization/MutexControlBlock.hpp @@ -0,0 +1,184 @@ +/** + * \file + * \brief MutexControlBlock class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MUTEXCONTROLBLOCK_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MUTEXCONTROLBLOCK_HPP_ + +#include "distortos/internal/scheduler/ThreadList.hpp" + +#include "distortos/internal/synchronization/MutexListNode.hpp" + +#include "distortos/TickClock.hpp" + +namespace distortos +{ + +namespace internal +{ + +/// MutexControlBlock class is a control block for Mutex +class MutexControlBlock : public MutexListNode +{ +public: + + /// mutex protocols + enum class Protocol : uint8_t + { + /// no protocol, similar to PTHREAD_PRIO_NONE + none, + /// priority inheritance protocol, similar to PTHREAD_PRIO_INHERIT + priorityInheritance, + /// priority protection protocol (Immediate Ceiling Priority Protocol), similar to PTHREAD_PRIO_PROTECT + priorityProtect, + }; + + /** + * \brief MutexControlBlock constructor + * + * \param [in] protocol is the mutex protocol + * \param [in] priorityCeiling is the priority ceiling of mutex, ignored when protocol != Protocol::priorityProtect + */ + + constexpr MutexControlBlock(const Protocol protocol, const uint8_t priorityCeiling) : + MutexListNode{}, + blockedList_{}, + owner_{}, + protocol_{protocol}, + priorityCeiling_{priorityCeiling} + { + + } + + /** + * \brief Blocks current thread, transferring it to blockedList_. + * + * \return 0 on success, error code otherwise: + * - values returned by Scheduler::block(); + */ + + int block(); + + /** + * \brief Blocks current thread with timeout, transferring it to blockedList_. + * + * \param [in] timePoint is the time point at which the thread will be unblocked (if not already unblocked) + * + * \return 0 on success, error code otherwise: + * - values returned by Scheduler::blockUntil(); + */ + + int blockUntil(TickClock::time_point timePoint); + + /** + * \brief Gets "boosted priority" of the mutex. + * + * "Boosted priority" of the mutex depends on the selected priority protocol: + * - None - 0, + * - PriorityInheritance - effective priority of the highest priority thread blocked on this mutex or 0 if no + * threads are blocked, + * - PriorityProtect - priority ceiling. + * + * \return "boosted priority" of the mutex + */ + + uint8_t getBoostedPriority() const; + + /** + * \return owner of the mutex, nullptr if mutex is currently unlocked + */ + + ThreadControlBlock* getOwner() const + { + return owner_; + } + + /** + * \return priority ceiling of mutex, valid only when protocol_ == Protocol::priorityProtect + */ + + uint8_t getPriorityCeiling() const + { + return priorityCeiling_; + } + + /** + * \return mutex protocol + */ + + Protocol getProtocol() const + { + return protocol_; + } + + /** + * \brief Performs actual locking of previously unlocked mutex. + * + * \attention mutex must be unlocked + */ + + void lock(); + + /** + * \brief Performs unlocking or transfer of lock from current owner to next thread on the list. + * + * Mutex is unlocked if blockedList_ is empty, otherwise the ownership is transfered to the next thread. + * + * \attention mutex must be locked + */ + + void unlockOrTransferLock(); + +private: + + /** + * \brief Performs action required for priority inheritance before actually blocking on the mutex. + * + * This must be called in block() and blockUntil() before actually blocking of the calling thread. + * + * \attantion mutex's protocol must be PriorityInheritance + */ + + void priorityInheritanceBeforeBlock() const; + + /** + * \brief Performs transfer of lock from current owner to next thread on the list. + * + * \attention mutex must be locked and blockedList_ must not be empty + */ + + void transferLock(); + + /** + * \brief Performs actual unlocking of previously locked mutex. + * + * \attention mutex must be locked and blockedList_ must be empty + */ + + void unlock(); + + /// ThreadControlBlock objects blocked on mutex + ThreadList blockedList_; + + /// owner of the mutex + ThreadControlBlock* owner_; + + /// mutex protocol + Protocol protocol_; + + /// priority ceiling of mutex, valid only when protocol_ == Protocol::priorityProtect + uint8_t priorityCeiling_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MUTEXCONTROLBLOCK_HPP_ diff --git a/include/distortos/internal/synchronization/MutexList.hpp b/include/distortos/internal/synchronization/MutexList.hpp new file mode 100644 index 0000000..18d5794 --- /dev/null +++ b/include/distortos/internal/synchronization/MutexList.hpp @@ -0,0 +1,32 @@ +/** + * \file + * \brief MutexList class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MUTEXLIST_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MUTEXLIST_HPP_ + +#include "distortos/internal/synchronization/MutexListNode.hpp" + +namespace distortos +{ + +namespace internal +{ + +class MutexControlBlock; + +/// intrusive list of mutexes (mutex control blocks) +using MutexList = estd::IntrusiveList<MutexListNode, &MutexListNode::node, MutexControlBlock>; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MUTEXLIST_HPP_ diff --git a/include/distortos/internal/synchronization/MutexListNode.hpp b/include/distortos/internal/synchronization/MutexListNode.hpp new file mode 100644 index 0000000..049eb76 --- /dev/null +++ b/include/distortos/internal/synchronization/MutexListNode.hpp @@ -0,0 +1,53 @@ +/** + * \file + * \brief MutexListNode class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MUTEXLISTNODE_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MUTEXLISTNODE_HPP_ + +#include "estd/IntrusiveList.hpp" + +namespace distortos +{ + +namespace internal +{ + +/** + * \brief MutexListNode class is a base for MutexControlBlock that serves as a node in intrusive list of mutexes (mutex + * control blocks) + * + * This class is needed to break circular dependency - MutexList is contained in ThreadControlBlock and ThreadList is + * contained in MutexControlBlock. + */ + +class MutexListNode +{ +public: + + /** + * \brief MutexListNode's constructor + */ + + constexpr MutexListNode() : + node{} + { + + } + + /// node for intrusive list + estd::IntrusiveListNode node; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_MUTEXLISTNODE_HPP_ diff --git a/include/distortos/internal/synchronization/QueueFunctor.hpp b/include/distortos/internal/synchronization/QueueFunctor.hpp new file mode 100644 index 0000000..7c14a59 --- /dev/null +++ b/include/distortos/internal/synchronization/QueueFunctor.hpp @@ -0,0 +1,40 @@ +/** + * \file + * \brief QueueFunctor class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_QUEUEFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_QUEUEFUNCTOR_HPP_ + +#include "estd/TypeErasedFunctor.hpp" + +namespace distortos +{ + +namespace internal +{ + +/** + * \brief QueueFunctor is a type-erased interface for functors which execute some action on queue's storage (like + * copy-constructing, swapping, destroying, emplacing, ...). + * + * The functor will be called by queue internals with one argument - \a storage - which is a pointer to storage with/for + * element + */ + +class QueueFunctor : public estd::TypeErasedFunctor<void(void*)> +{ + +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_SYNCHRONIZATION_QUEUEFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/SemaphoreFunctor.hpp b/include/distortos/internal/synchronization/SemaphoreFunctor.hpp new file mode 100644 index 0000000..0b937ff --- /dev/null +++ b/include/distortos/internal/synchronization/SemaphoreFunctor.hpp @@ -0,0 +1,43 @@ +/** + * \file + * \brief SemaphoreFunctor class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHOREFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHOREFUNCTOR_HPP_ + +#include "estd/TypeErasedFunctor.hpp" + +namespace distortos +{ + +class Semaphore; + +namespace internal +{ + +/** + * \brief SemaphoreFunctor is a type-erased interface for functors which execute some action on semaphore (wait(), + * tryWait(), tryWaitFor(), tryWaitUntil(), ...). + * + * The functor will be called with one argument - \a semaphore - which is a reference to Semaphore object on which the + * action will be executed. Functor's operator should return zero if the action was executed successfully, error code + * otherwise. + */ + +class SemaphoreFunctor : public estd::TypeErasedFunctor<int(Semaphore&)> +{ + +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHOREFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/SemaphoreTryWaitForFunctor.hpp b/include/distortos/internal/synchronization/SemaphoreTryWaitForFunctor.hpp new file mode 100644 index 0000000..88580de --- /dev/null +++ b/include/distortos/internal/synchronization/SemaphoreTryWaitForFunctor.hpp @@ -0,0 +1,62 @@ +/** + * \file + * \brief SemaphoreTryWaitForFunctor class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHORETRYWAITFORFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHORETRYWAITFORFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/SemaphoreFunctor.hpp" + +#include "distortos/TickClock.hpp" + +namespace distortos +{ + +namespace internal +{ + +/// SemaphoreTryWaitForFunctor class is a SemaphoreFunctor which calls Semaphore::tryWaitFor() with bounded duration +class SemaphoreTryWaitForFunctor : public SemaphoreFunctor +{ +public: + + /** + * \brief SemaphoreTryWaitForFunctor's constructor + * + * \param [in] duration is the bounded duration for Semaphore::tryWaitFor() call + */ + + constexpr explicit SemaphoreTryWaitForFunctor(const TickClock::duration duration) : + duration_{duration} + { + + } + + /** + * \brief Calls Semaphore::tryWaitFor() with bounded duration + * + * \param [in] semaphore is a reference to Semaphore object for which Semaphore::tryWaitFor() will be called + * + * \return value returned by Semaphore::tryWaitFor() + */ + + int operator()(Semaphore& semaphore) const override; + +private: + + /// bounded duration for Semaphore::tryWaitFor() call + const TickClock::duration duration_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHORETRYWAITFORFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/SemaphoreTryWaitFunctor.hpp b/include/distortos/internal/synchronization/SemaphoreTryWaitFunctor.hpp new file mode 100644 index 0000000..4084563 --- /dev/null +++ b/include/distortos/internal/synchronization/SemaphoreTryWaitFunctor.hpp @@ -0,0 +1,43 @@ +/** + * \file + * \brief SemaphoreTryWaitFunctor class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHORETRYWAITFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHORETRYWAITFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/SemaphoreFunctor.hpp" + +namespace distortos +{ + +namespace internal +{ + +/// SemaphoreTryWaitFunctor class is a SemaphoreFunctor which calls Semaphore::tryWait() +class SemaphoreTryWaitFunctor : public SemaphoreFunctor +{ +public: + + /** + * \brief Calls Semaphore::tryWait() + * + * \param [in] semaphore is a reference to Semaphore object for which Semaphore::tryWait() will be called + * + * \return value returned by Semaphore::tryWait() + */ + + int operator()(Semaphore& semaphore) const override; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHORETRYWAITFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/SemaphoreTryWaitUntilFunctor.hpp b/include/distortos/internal/synchronization/SemaphoreTryWaitUntilFunctor.hpp new file mode 100644 index 0000000..a8eaab2 --- /dev/null +++ b/include/distortos/internal/synchronization/SemaphoreTryWaitUntilFunctor.hpp @@ -0,0 +1,63 @@ +/** + * \file + * \brief SemaphoreTryWaitUntilFunctor class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHORETRYWAITUNTILFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHORETRYWAITUNTILFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/SemaphoreFunctor.hpp" + +#include "distortos/TickClock.hpp" + +namespace distortos +{ + +namespace internal +{ + +/// SemaphoreTryWaitUntilFunctor class is a SemaphoreFunctor which calls Semaphore::tryWaitUntil() with bounded time +/// point +class SemaphoreTryWaitUntilFunctor : public SemaphoreFunctor +{ +public: + + /** + * \brief SemaphoreTryWaitUntilFunctor's constructor + * + * \param [in] timePoint is the bounded time point for Semaphore::tryWaitUntil() call + */ + + constexpr explicit SemaphoreTryWaitUntilFunctor(const TickClock::time_point timePoint) : + timePoint_{timePoint} + { + + } + + /** + * \brief Calls Semaphore::tryWaitUntil() with bounded time point. + * + * \param [in] semaphore is a reference to Semaphore object for which Semaphore::tryWaitUntil() will be called + * + * \return value returned by Semaphore::tryWaitUntil() + */ + + int operator()(Semaphore& semaphore) const override; + +private: + + /// bounded time point for Semaphore::tryWaitUntil() call + const TickClock::time_point timePoint_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHORETRYWAITUNTILFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/SemaphoreWaitFunctor.hpp b/include/distortos/internal/synchronization/SemaphoreWaitFunctor.hpp new file mode 100644 index 0000000..a787b2b --- /dev/null +++ b/include/distortos/internal/synchronization/SemaphoreWaitFunctor.hpp @@ -0,0 +1,43 @@ +/** + * \file + * \brief SemaphoreWaitFunctor class header + * + * \author Copyright (C) 2014-2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHOREWAITFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHOREWAITFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/SemaphoreFunctor.hpp" + +namespace distortos +{ + +namespace internal +{ + +/// SemaphoreWaitFunctor class is a SemaphoreFunctor which calls Semaphore::wait() +class SemaphoreWaitFunctor : public SemaphoreFunctor +{ +public: + + /** + * \brief Calls Semaphore::wait() + * + * \param [in] semaphore is a reference to Semaphore object for which Semaphore::wait() will be called + * + * \return value returned by Semaphore::wait() + */ + + int operator()(Semaphore& semaphore) const override; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SEMAPHOREWAITFUNCTOR_HPP_ diff --git a/include/distortos/internal/synchronization/SignalInformationQueue.hpp b/include/distortos/internal/synchronization/SignalInformationQueue.hpp new file mode 100644 index 0000000..7a9d08a --- /dev/null +++ b/include/distortos/internal/synchronization/SignalInformationQueue.hpp @@ -0,0 +1,123 @@ +/** + * \file + * \brief SignalInformationQueue class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SIGNALINFORMATIONQUEUE_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SIGNALINFORMATIONQUEUE_HPP_ + +#include "distortos/SignalInformation.hpp" + +#include "estd/IntrusiveForwardList.hpp" + +#include <memory> + +namespace distortos +{ + +class SignalSet; + +namespace internal +{ + +/// SignalInformationQueue class can be used for queuing of SignalInformation objects +class SignalInformationQueue +{ +public: + + /// single node of internal forward list - estd::IntrusiveForwardListNode and SignalInformation + struct QueueNode + { + /// node for intrusive forward list + estd::IntrusiveForwardListNode node; + + /// queued SignalInformation + SignalInformation signalInformation; + }; + + /// type of uninitialized storage for QueueNode + using Storage = typename std::aligned_storage<sizeof(QueueNode), alignof(QueueNode)>::type; + + /// unique_ptr (with deleter) to Storage[] + using StorageUniquePointer = std::unique_ptr<Storage[], void(&)(Storage*)>; + + /** + * \brief SignalInformationQueue's constructor + * + * \param [in] storageUniquePointer is a rvalue reference to StorageUniquePointer with storage for queue elements + * (sufficiently large for \a maxElements Storage objects) and appropriate deleter + * \param [in] maxElements is the number of elements in \a storage array + */ + + SignalInformationQueue(StorageUniquePointer&& storageUniquePointer, size_t maxElements); + + /** + * \brief SignalInformationQueue's destructor + */ + + ~SignalInformationQueue(); + + /** + * \brief Accepts (dequeues) one of signals that are queued. + * + * This should be called when the signal is "accepted". + * + * \param [in] signalNumber is the signal that will be accepted, [0; 31] + * + * \return pair with return code (0 on success, error code otherwise) and dequeued SignalInformation object; + * error codes: + * - EAGAIN - no SignalInformation object with signal number equal to \a signalNumber was queued; + */ + + std::pair<int, SignalInformation> acceptQueuedSignal(uint8_t signalNumber); + + /** + * \return set of currently queued signals + */ + + SignalSet getQueuedSignalSet() const; + + /** + * \brief Adds the signalNumber and signal value (sigval union) to list of queued SignalInformation objects. + * + * \param [in] signalNumber is the signal that will be queued, [0; 31] + * \param [in] value is the signal value + * + * \return 0 on success, error code otherwise: + * - EAGAIN - no resources are available to queue the signal, \a maxElements signals are already queued; + * - EINVAL - \a signalNumber value is invalid; + */ + + int queueSignal(uint8_t signalNumber, sigval value); + + SignalInformationQueue(const SignalInformationQueue&) = delete; + SignalInformationQueue(SignalInformationQueue&&) = default; + const SignalInformationQueue& operator=(const SignalInformationQueue&) = delete; + SignalInformationQueue& operator=(SignalInformationQueue&&) = delete; + +private: + + /// type of container with SignalInformation objects + using List = estd::IntrusiveForwardList<QueueNode, &QueueNode::node>; + + /// storage for queue elements + StorageUniquePointer storageUniquePointer_; + + /// list of queued SignalInformation objects + List signalInformationList_; + + /// list of "free" SignalInformation objects + List freeSignalInformationList_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SIGNALINFORMATIONQUEUE_HPP_ diff --git a/include/distortos/internal/synchronization/SignalsCatcherControlBlock.hpp b/include/distortos/internal/synchronization/SignalsCatcherControlBlock.hpp new file mode 100644 index 0000000..6676216 --- /dev/null +++ b/include/distortos/internal/synchronization/SignalsCatcherControlBlock.hpp @@ -0,0 +1,213 @@ +/** + * \file + * \brief SignalsCatcherControlBlock class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SIGNALSCATCHERCONTROLBLOCK_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SIGNALSCATCHERCONTROLBLOCK_HPP_ + +#include "distortos/SignalAction.hpp" + +#include <memory> + +namespace distortos +{ + +namespace internal +{ + +class SignalsReceiverControlBlock; +class ThreadControlBlock; + +/// SignalsCatcherControlBlock class is a structure required by threads for "catching" and "handling" of signals +class SignalsCatcherControlBlock +{ +public: + + /// association of signal numbers (as SignalSet) with SignalAction + using Association = std::pair<SignalSet, SignalAction>; + + /// type of uninitialized storage for Association objects + using Storage = std::aligned_storage<sizeof(Association), alignof(Association)>::type; + + /// unique_ptr (with deleter) to Storage[] + using StorageUniquePointer = std::unique_ptr<Storage[], void(&)(Storage*)>; + + /** + * \brief SignalsCatcherControlBlock's constructor + * + * \param [in] storageUniquePointer is a rvalue reference to StorageUniquePointer with storage for Association + * objects (sufficiently large for \a storageSize elements) and appropriate deleter + * \param [in] storageSize is the number of elements in \a storage array + */ + + SignalsCatcherControlBlock(StorageUniquePointer&& storageUniquePointer, size_t storageSize); + + /** + * \brief SignalsCatcherControlBlock's destructor + */ + + ~SignalsCatcherControlBlock(); + + /** + * \brief Hook function executed when delivery of signals is started. + * + * Clears "delivery pending" flag. + * + * \attention This function should be called only by SignalsReceiverControlBlock::deliveryOfSignalsFinishedHook(). + */ + + void deliveryOfSignalsStartedHook() + { + deliveryIsPending_ = false; + } + + /** + * \brief Gets SignalAction associated with given signal number. + * + * \param [in] signalNumber is the signal for which the association is requested, [0; 31] + * + * \return pair with return code (0 on success, error code otherwise) and SignalAction that is associated with + * \a signalNumber, default-constructed object if no association was found; + * error codes: + * - EINVAL - \a signalNumber value is invalid; + */ + + std::pair<int, SignalAction> getAssociation(uint8_t signalNumber) const; + + /** + * \return SignalSet with signal mask for associated thread + */ + + SignalSet getSignalMask() const + { + return signalMask_; + } + + /** + * \brief Part of SignalsReceiverControlBlock::postGenerate() specific to catching unmasked signals. + * + * Requests delivery of signals to associated thread if there is some non-default signal handler for the signal. + * + * \param [in] signalNumber is the unmasked signal that was generated, [0; 31] + * \param [in] threadControlBlock is a reference to associated ThreadControlBlock + * + * \return 0 on success, error code otherwise: + * - EINVAL - \a signalNumber value is invalid; + */ + + int postGenerate(uint8_t signalNumber, ThreadControlBlock& threadControlBlock); + + /** + * \brief Sets association for given signal number. + * + * \param [in] signalNumber is the signal for which the association will be set, [0; 31] + * \param [in] signalAction is a reference to SignalAction that will be associated with given signal number, object + * in internal storage is copy-constructed + * + * \return pair with return code (0 on success, error code otherwise) and SignalAction that was associated with + * \a signalNumber, default-constructed object if no association was found; + * error codes: + * - EAGAIN - no resources are available to associate \a signalNumber with \a signalAction; + * - EINVAL - \a signalNumber value is invalid; + */ + + std::pair<int, SignalAction> setAssociation(uint8_t signalNumber, const SignalAction& signalAction); + + /** + * \brief Sets signal mask for associated thread. + * + * If any pending signal is unblocked and \a owner doesn't equal nullptr, then delivery of signals to associated + * thread will be requested. + * + * \param [in] signalMask is the SignalSet with new signal mask for associated thread + * \param [in] owner selects whether delivery of signals will be requested if any pending signal is unblocked + * (pointer to owner SignalsReceiverControlBlock object) or not (nullptr) + */ + + void setSignalMask(SignalSet signalMask, const SignalsReceiverControlBlock* owner); + + SignalsCatcherControlBlock(const SignalsCatcherControlBlock&) = delete; + SignalsCatcherControlBlock(SignalsCatcherControlBlock&&) = default; + const SignalsCatcherControlBlock& operator=(const SignalsCatcherControlBlock&) = delete; + SignalsCatcherControlBlock& operator=(SignalsCatcherControlBlock&&) = delete; + +private: + + /** + * \brief Clears association for given signal number. + * + * \param [in] signalNumber is the signal for which the association will be cleared, [0; 31] + * + * \return SignalAction that was associated with \a signalNumber, default-constructed object if no association was + * found + */ + + SignalAction clearAssociation(uint8_t signalNumber); + + /** + * \brief Clears given association for given signal number. + * + * \param [in] signalNumber is the signal for which the association will be cleared, [0; 31] + * \param [in] association is a reference to Association object from <em>[associationsBegin_; associationsEnd_)</em> + * range that will be removed + * + * \return SignalAction from \a association + */ + + SignalAction clearAssociation(uint8_t signalNumber, Association& association); + + /** + * \return pointer to first element of range of Association objects + */ + + Association* getAssociationsBegin() const + { + return reinterpret_cast<Association*>(storageUniquePointer_.get()); + } + + /** + * \brief Requests delivery of signals to associated thread. + * + * Delivery of signals (via special function executed in the associated thread) is requested only if it's not + * already pending. The thread is unblocked if it was blocked. + * + * \param [in] threadControlBlock is a reference to associated ThreadControlBlock + */ + + void requestDeliveryOfSignals(ThreadControlBlock& threadControlBlock); + + /// storage for Association objects + StorageUniquePointer storageUniquePointer_; + + /// SignalSet with signal mask for associated thread + SignalSet signalMask_; + + /// union binds \a associationsEnd_ and \a storageBegin_ - these point to the same address + union + { + /// pointer to "one past the last" element of range of Association objects + Association* associationsEnd_; + + /// pointer to first element of range of Storage objects + Storage* storageBegin_; + }; + + /// pointer to "one past the last" element of range of Storage objects + Storage* storageEnd_; + + /// true if signal delivery is pending, false otherwise + bool deliveryIsPending_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SIGNALSCATCHERCONTROLBLOCK_HPP_ diff --git a/include/distortos/internal/synchronization/SignalsReceiverControlBlock.hpp b/include/distortos/internal/synchronization/SignalsReceiverControlBlock.hpp new file mode 100644 index 0000000..c70d79d --- /dev/null +++ b/include/distortos/internal/synchronization/SignalsReceiverControlBlock.hpp @@ -0,0 +1,243 @@ +/** + * \file + * \brief SignalsReceiverControlBlock class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SIGNALSRECEIVERCONTROLBLOCK_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SIGNALSRECEIVERCONTROLBLOCK_HPP_ + +#include "distortos/SignalSet.hpp" + +#include <cstdint> + +union sigval; + +namespace distortos +{ + +class SignalAction; +class SignalInformation; +class SignalInformationQueueWrapper; +class SignalsCatcher; + +namespace internal +{ + +class SignalInformationQueue; +class SignalsCatcherControlBlock; +class ThreadControlBlock; + +/// SignalsReceiverControlBlock class is a structure required by threads for "receiving" of signals +class SignalsReceiverControlBlock +{ +public: + + /** + * \brief SignalsReceiverControlBlock's constructor + * + * \param [in] signalInformationQueueWrapper is a pointer to SignalInformationQueueWrapper for this receiver, + * nullptr to disable queuing of signals for this receiver + * \param [in] signalsCatcher is a pointer to SignalsCatcher for this receiver, nullptr if this receiver cannot + * catch/handle signals + */ + + explicit SignalsReceiverControlBlock(SignalInformationQueueWrapper* signalInformationQueueWrapper, + SignalsCatcher* signalsCatcher); + + /** + * \brief Accepts (clears) one of signals that are pending. + * + * This should be called when the signal is "accepted". + * + * \param [in] signalNumber is the signal that will be accepted, [0; 31] + * + * \return pair with return code (0 on success, error code otherwise) and SignalInformation object for accepted + * signal; error codes: + * - EAGAIN - no signal specified by \a signalNumber was pending; + * - EINVAL - \a signalNumber value is invalid; + */ + + std::pair<int, SignalInformation> acceptPendingSignal(uint8_t signalNumber); + + /** + * \brief Hook function executed when delivery of signals is started. + * + * Calls SignalsCatcherControlBlock::deliveryOfSignalsStartedHook(). + * + * \attention This function should be called only by the function that delivers signals (<em>deliverSignals()</em>). + * + * \return 0 on success, error code otherwise: + * - ENOTSUP - catching/handling of signals is disabled for this receiver; + */ + + int deliveryOfSignalsStartedHook() const; + + /** + * \brief Generates signal for associated thread. + * + * Similar to pthread_kill() - http://pubs.opengroup.org/onlinepubs/9699919799/functions/pthread_kill.html + * + * Adds the signalNumber to set of pending signals. If associated thread is currently waiting for this signal, it + * will be unblocked. + * + * \param [in] signalNumber is the signal that will be generated, [0; 31] + * \param [in] threadControlBlock is a reference to associated ThreadControlBlock + * + * \return 0 on success, error code otherwise: + * - EINVAL - \a signalNumber value is invalid; + */ + + int generateSignal(uint8_t signalNumber, ThreadControlBlock& threadControlBlock); + + /** + * \return set of currently pending signals + */ + + SignalSet getPendingSignalSet() const; + + /** + * \brief Gets SignalAction associated with given signal number. + * + * Similar to sigaction() - http://pubs.opengroup.org/onlinepubs/9699919799/functions/sigaction.html + * + * \param [in] signalNumber is the signal for which the association is requested, [0; 31] + * + * \return pair with return code (0 on success, error code otherwise) and SignalAction that is associated with + * \a signalNumber, default-constructed object if no association was found; + * error codes: + * - EINVAL - \a signalNumber value is invalid; + * - ENOTSUP - catching/handling of signals is disabled for this receiver; + */ + + std::pair<int, SignalAction> getSignalAction(uint8_t signalNumber) const; + + /** + * \brief Gets signal mask for associated thread. + * + * Similar to pthread_sigmask() - http://pubs.opengroup.org/onlinepubs/9699919799/functions/pthread_sigmask.html# + * + * \return SignalSet with signal mask for associated thread + */ + + SignalSet getSignalMask() const; + + /** + * \brief Queues signal for associated thread. + * + * Similar to sigqueue() - http://pubs.opengroup.org/onlinepubs/9699919799/functions/sigqueue.html + * + * Queues the signalNumber and signal value (sigval union) in associated SignalInformationQueue object. If + * associated thread is currently waiting for this signal, it will be unblocked. + * + * \param [in] signalNumber is the signal that will be queued, [0; 31] + * \param [in] value is the signal value + * \param [in] threadControlBlock is a reference to associated ThreadControlBlock + * + * \return 0 on success, error code otherwise: + * - EAGAIN - no resources are available to queue the signal, maximal number of signals is already queued in + * associated SignalInformationQueue object; + * - EINVAL - \a signalNumber value is invalid; + * - ENOTSUP - queuing of signals is disabled for this receiver; + */ + + int queueSignal(uint8_t signalNumber, sigval value, ThreadControlBlock& threadControlBlock) const; + + /** + * \brief Sets association for given signal number. + * + * Similar to sigaction() - http://pubs.opengroup.org/onlinepubs/9699919799/functions/sigaction.html + * + * \param [in] signalNumber is the signal for which the association will be set, [0; 31] + * \param [in] signalAction is a reference to SignalAction that will be associated with given signal number, object + * in internal storage is copy-constructed + * + * \return pair with return code (0 on success, error code otherwise) and SignalAction that was associated with + * \a signalNumber, default-constructed object if no association was found; + * error codes: + * - EAGAIN - no resources are available to associate \a signalNumber with \a signalAction; + * - EINVAL - \a signalNumber value is invalid; + * - ENOTSUP - catching/handling of signals is disabled for this receiver; + */ + + std::pair<int, SignalAction> setSignalAction(uint8_t signalNumber, const SignalAction& signalAction); + + /** + * \brief Sets signal mask for associated thread. + * + * Similar to pthread_sigmask() - http://pubs.opengroup.org/onlinepubs/9699919799/functions/pthread_sigmask.html# + * + * \param [in] signalMask is the SignalSet with new signal mask for associated thread + * \param [in] requestDelivery selects whether delivery of signals will be requested if any pending signal is + * unblocked (true) or not (false) + * + * \return 0 on success, error code otherwise: + * - ENOTSUP - catching/handling of signals is disabled for this receiver; + */ + + int setSignalMask(SignalSet signalMask, bool requestDelivery); + + /** + * \param [in] signalSet is a pointer to set of signals that will be "waited for", nullptr when wait was terminated + */ + + void setWaitingSignalSet(const SignalSet* const signalSet) + { + waitingSignalSet_ = signalSet; + } + +private: + + /** + * \brief Checks whether signal is ignored. + * + * Signal is ignored if it has no SignalAction object associated. Signal is never ignored if catching/handling of + * signals is disabled for this receiver. + * + * \param [in] signalNumber is the signal for which the check will be performed, [0; 31] + * + * \return pair with return code (0 on success, error code otherwise) and boolean telling whether the signal is + * ignored (true) or not (false); + * error codes: + * - EINVAL - \a signalNumber value is invalid; + */ + + std::pair<int, bool> isSignalIgnored(uint8_t signalNumber) const; + + /** + * \brief Actions executed after signal is "generated" with generateSignal() or queueSignal(). + * + * If associated thread is currently waiting for the signal that was generated, it will be unblocked. + * + * \param [in] signalNumber is the signal that was generated, [0; 31] + * \param [in] threadControlBlock is a reference to associated ThreadControlBlock + * + * \return 0 on success, error code otherwise: + * - EINVAL - \a signalNumber value is invalid; + */ + + int postGenerate(uint8_t signalNumber, ThreadControlBlock& threadControlBlock) const; + + /// set of pending signals + SignalSet pendingSignalSet_; + + /// pointer to set of "waited for" signals, nullptr if associated thread is not waiting for any signals + const SignalSet* waitingSignalSet_; + + /// pointer to SignalsCatcherControlBlock for this receiver, nullptr if this receiver cannot catch/handle signals + SignalsCatcherControlBlock* signalsCatcherControlBlock_; + + /// pointer to SignalInformationQueue for this receiver, nullptr if this receiver cannot queue signals + SignalInformationQueue* signalInformationQueue_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SIGNALSRECEIVERCONTROLBLOCK_HPP_ diff --git a/include/distortos/internal/synchronization/SwapPopQueueFunctor.hpp b/include/distortos/internal/synchronization/SwapPopQueueFunctor.hpp new file mode 100644 index 0000000..1009f3c --- /dev/null +++ b/include/distortos/internal/synchronization/SwapPopQueueFunctor.hpp @@ -0,0 +1,74 @@ +/** + * \file + * \brief SwapPopQueueFunctor class header + * + * \author Copyright (C) 2015 Kamil Szczygiel http://www.distortec.com http://www.freddiechopin.info + * + * \par License + * This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not + * distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. + */ + +#ifndef INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SWAPPOPQUEUEFUNCTOR_HPP_ +#define INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SWAPPOPQUEUEFUNCTOR_HPP_ + +#include "distortos/internal/synchronization/QueueFunctor.hpp" + +#include <utility> + +namespace distortos +{ + +namespace internal +{ + +/** + * SwapPopQueueFunctor is a functor used for popping of data from the queue using swap + * + * \tparam T is the type of data popped from the queue + */ + +template<typename T> +class SwapPopQueueFunctor : public QueueFunctor +{ +public: + + /** + * \brief SwapPopQueueFunctor's constructor + * + * \param [out] value is a reference to object that will be used to return popped value, its contents are swapped + * with the value in the queue's storage and destructed when no longer needed + */ + + constexpr explicit SwapPopQueueFunctor(T& value) : + value_{value} + { + + } + + /** + * \brief Swaps the element in the queue's storage with the value provided by user and destroys this value when no + * longer needed. + * + * \param [in,out] storage is a pointer to storage with element + */ + + void operator()(void* const storage) const override + { + auto& swappedValue = *reinterpret_cast<T*>(storage); + using std::swap; + swap(value_, swappedValue); + swappedValue.~T(); + } + +private: + + /// reference to object that will be used to return popped value + T& value_; +}; + +} // namespace internal + +} // namespace distortos + +#endif // INCLUDE_DISTORTOS_INTERNAL_SYNCHRONIZATION_SWAPPOPQUEUEFUNCTOR_HPP_ |