General Purpose library for Freestanding C++ and POSIX systems
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
 
 

168 lines
2.9 KiB

#pragma once
#include <type_traits>
#include "gp_config.hpp"
#include "gp/exception.hpp"
#include "gp/algorithm/move.hpp"
#include "gp/memory.hpp"
namespace gp{
struct nullopt_t{};
constexpr nullopt_t nullopt;
// TODO: Add allocators to the template
template<typename T, bool B = std::is_final<T>::value || std::is_fundamental<T>::value>
class optional;
template<typename T>
class optional<T,true>{
bool ready = false;
char buffer[sizeof(T)];
public:
constexpr optional()
: ready{false}
{}
constexpr optional(nullopt_t)
: ready{false}
{}
constexpr optional(T& value)
: ready{true}
{
new(buffer) T(value);
}
constexpr optional(T&& value)
: ready{true}
{
new(buffer) T(gp::move(value));
}
optional operator=(nullopt_t) {
if(ready) {
((T*)buffer)->~T();
ready = false;
}
return *this;
}
optional operator=(T& value) {
if(ready) {
*(T*)buffer = value;
} else {
ready = true;
new(buffer) T(value);
}
return *this;
}
optional operator=(T&& value) {
if(ready) {
*(T*)buffer = gp::move(value);
} else {
ready = true;
new(buffer) T(gp::move(value));
}
return *this;
}
constexpr bool has_value()
{
return ready;
}
constexpr T& value()
{
if constexpr (gp_config::has_exceptions)
{
if(!ready)
{
throw bad_optional{};
}
} else {
gp_config::assertion(ready, "bad optional access");
}
return *reinterpret_cast<T*>(buffer);
}
};
// TODO: Add allocators to the template
template<typename T>
class optional<T,false>{
bool ready = false;
void* ptr;
public:
constexpr optional()
: ready{false}
{}
constexpr optional(nullopt_t)
: ready{false}
{}
// TODO: Add typesafe generic assignment
constexpr optional(T& value)
: ready{true}
{
ptr = (void*)new T(value); // TODO: Use allocators
}
// TODO: Add typesafe generic assignment
constexpr optional(T&& value)
: ready{true}
{
ptr = (void*)new T(gp::move(value)); // TODO: Use allocators
}
optional operator=(nullopt_t) {
if(ready) {
delete (T*)ptr;
ready = false;
}
return *this;
}
// TODO: Add typesafe generic assignment
optional operator=(T& value) {
if(ready) {
*(T*)ptr = value;
} else {
ready = true;
ptr = (void*)new T(value); // TODO: Use allocators
}
return *this;
}
// TODO: Add typesafe generic assignment
optional operator=(T&& value) {
if(ready) {
*(T*)ptr = gp::move(value);
} else {
ready = true;
ptr = (void*)new T(gp::move(value)); // TODO: Use allocators
}
return *this;
}
constexpr bool has_value()
{
return ready;
}
constexpr T& value()
{
if constexpr (gp_config::has_exceptions)
{
if(!ready)
{
throw bad_optional{};
}
} else {
gp_config::assertion(ready, "bad optional access");
}
return *reinterpret_cast<T*>(ptr);
}
};
}