我尝试以std::optional
支持实施constexpr
。用法如下:
constexpr optional<int> x(123);
int arr[*x];
当试图实现这个时,我遇到了一个我无法解决的问题:在optional<T>
对象中,我使用std::aligned_storage_t<sizeof (T), alignof (T)>
对象来存储值,并使用在optional<T>
的构造函数中放置new以将值构造到存储中。但是不能在constexpr
构造函数中使用placement new:
constexpr optional(const T& value)
noexcept(std::is_nothrow_copy_constructible<T>::value)
: ...
{
new (ptr_to_storage) T(value); // this breaks `constexpr`
}
我还能怎样实现这个?
答案 0 :(得分:1)
你可以使用联盟。
了解Andrzej是如何做到的:
https://github.com/akrzemi1/Optional/blob/master/optional.hpp#L282
template <class T>
union storage_t
{
unsigned char dummy_;
T value_;
constexpr storage_t( trivial_init_t ) noexcept : dummy_() {};
template <class... Args>
constexpr storage_t( Args&&... args ) : value_(constexpr_forward<Args>(args)...) {}
~storage_t() {}
};
template <class T>
struct optional_base
{
bool init_;
storage_t<T> storage_;
constexpr optional_base() noexcept : init_(false), storage_(trivial_init) {};
explicit constexpr optional_base(const T& v) : init_(true), storage_(v) {}
explicit constexpr optional_base(T&& v) : init_(true), storage_(constexpr_move(v)) {}
template <class... Args> explicit optional_base(in_place_t, Args&&... args)
: init_(true), storage_(constexpr_forward<Args>(args)...) {}
template <class U, class... Args, TR2_OPTIONAL_REQUIRES(is_constructible<T, std::initializer_list<U>>)>
explicit optional_base(in_place_t, std::initializer_list<U> il, Args&&... args)
: init_(true), storage_(il, std::forward<Args>(args)...) {}
~optional_base() { if (init_) storage_.value_.T::~T(); }
};