/* * 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/. * * Copyright 2018 Danny Robson */ #ifndef CRUFT_UTIL_SINGLETON_HPP #define CRUFT_UTIL_SINGLETON_HPP #include "debug.hpp" #include namespace cruft { /// statically stores a single value of the named type. /// /// this does not prevent the instantiation of the named type, but /// instead defines a method to refer to a single instance across an /// application. template class singleton { private: singleton () = default; static SelfT *instance; public: /// instantiates the one blessed value of this type. /// /// `instantiate` must be called once and once only before any calls /// to `get`. it is not threadsafe. there are some (unsafe) /// assertions against multiple instantiations but they may not be /// relied upon. /// /// returns a unique_ptr to the value which the caller must store /// until it will never be needed again. template static std::unique_ptr instantiate [[nodiscard]] (Args &&...args) { CHECK (!instance); auto cookie =std::make_unique (std::forward (args)...); instance = cookie.get (); return cookie; } /// Swap the stored object pointer for the provided one and return /// the old value. /// /// Useful for bypassing `instantiate` by initialising the pointer /// to a pre-existing object. /// /// The caller to swap must free any resources associated with the /// prior value and arrange for the new object to be safely destructed /// in the future. static SelfT* swap (SelfT *next) { return std::exchange (instance, next); } /// returns a reference to sole instantiated value /// /// `instantiate` must have already been called before `get` is called. static SelfT& get (void) { CHECK (instance); return *instance; } }; }; template SelfT* cruft::singleton::instance; #endif