1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71
|
// This file is part of CAF, the C++ Actor Framework. See the file LICENSE in
// the main distribution directory for license terms and copyright or visit
// https://github.com/actor-framework/actor-framework/blob/master/LICENSE.
#pragma once
#include <string>
#include <type_traits>
#include "caf/fwd.hpp"
#include "caf/is_error_code_enum.hpp"
#include "caf/none.hpp"
namespace caf {
/// A lightweight wrapper around an error code enum.
template <class Enum>
class error_code {
public:
using enum_type = Enum;
using underlying_type = std::underlying_type_t<Enum>;
static_assert(is_error_code_enum_v<Enum>);
static_assert(std::is_same<underlying_type, uint8_t>::value);
constexpr error_code() noexcept : value_(static_cast<Enum>(0)) {
// nop
}
constexpr error_code(none_t) noexcept : value_(static_cast<Enum>(0)) {
// nop
}
constexpr error_code(enum_type value) noexcept : value_(value) {
// nop
}
constexpr error_code(const error_code&) noexcept = default;
constexpr error_code& operator=(const error_code&) noexcept = default;
error_code& operator=(Enum value) noexcept {
value_ = value;
return *this;
}
constexpr explicit operator bool() const noexcept {
return static_cast<underlying_type>(value_) != 0;
}
constexpr enum_type value() const noexcept {
return value_;
}
friend constexpr underlying_type to_integer(error_code x) noexcept {
return static_cast<std::underlying_type_t<Enum>>(x.value());
}
private:
enum_type value_;
};
/// Converts `x` to a string if `Enum` provides a `to_string` function.
template <class Enum>
auto to_string(error_code<Enum> x) -> decltype(to_string(x.value())) {
return to_string(x.value());
}
} // namespace caf
|