1 /* -*- Mode: C++; tab-width: 8; indent-tabs-mode: nil; c-basic-offset: 2 -*-
2 * vim: set ts=8 sts=2 et sw=2 tw=80:
3 * This Source Code Form is subject to the terms of the Mozilla Public
4 * License, v. 2.0. If a copy of the MPL was not distributed with this
5 * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
7 /* A type suitable for returning either a value or an error from a function. */
9 #ifndef mozilla_Result_h
10 #define mozilla_Result_h
15 #include <type_traits>
16 #include "mozilla/Assertions.h"
17 #include "mozilla/Attributes.h"
18 #include "mozilla/CompactPair.h"
19 #include "mozilla/MaybeStorageBase.h"
24 * Empty struct, indicating success for operations that have no return value.
25 * For example, if you declare another empty struct `struct OutOfMemory {};`,
26 * then `Result<Ok, OutOfMemory>` represents either success or OOM.
31 * A tag used to differentiate between GenericErrorResult created by the Err
32 * function (completely new error) and GenericErrorResult created by the
33 * Result::propagateErr function (propagated error). This can be used to track
34 * error propagation and eventually produce error stacks for logging/debugging
37 struct ErrorPropagationTag
{};
40 class GenericErrorResult
;
41 template <typename V
, typename E
>
46 enum class PackingStrategy
{
56 template <typename V
, typename E
, PackingStrategy Strategy
>
57 class ResultImplementation
;
60 struct EmptyWrapper
: V
{
61 constexpr EmptyWrapper() = default;
62 explicit constexpr EmptyWrapper(const V
&) {}
63 explicit constexpr EmptyWrapper(std::in_place_t
) {}
65 constexpr V
* addr() { return this; }
66 constexpr const V
* addr() const { return this; }
69 // The purpose of AlignedStorageOrEmpty is to make an empty class look like
70 // std::aligned_storage_t for the purposes of the PackingStrategy::NullIsOk
71 // specializations of ResultImplementation below. We can't use
72 // std::aligned_storage_t itself with an empty class, since it would no longer
75 using AlignedStorageOrEmpty
=
76 std::conditional_t
<std::is_empty_v
<V
>, EmptyWrapper
<V
>,
79 template <typename V
, typename E
>
80 class ResultImplementationNullIsOkBase
{
82 using ErrorStorageType
= typename UnusedZero
<E
>::StorageType
;
84 static constexpr auto kNullValue
= UnusedZero
<E
>::nullValue
;
86 static_assert(std::is_trivially_copyable_v
<ErrorStorageType
>);
88 // XXX This can't be statically asserted in general, if ErrorStorageType is
89 // not a basic type. With C++20 bit_cast, we could probably re-add such as
90 // assertion. static_assert(kNullValue == decltype(kNullValue)(0));
92 CompactPair
<AlignedStorageOrEmpty
<V
>, ErrorStorageType
> mValue
;
95 explicit constexpr ResultImplementationNullIsOkBase(const V
& aSuccessValue
)
96 : mValue(aSuccessValue
, kNullValue
) {}
97 explicit constexpr ResultImplementationNullIsOkBase(V
&& aSuccessValue
)
98 : mValue(std::move(aSuccessValue
), kNullValue
) {}
99 template <typename
... Args
>
100 explicit constexpr ResultImplementationNullIsOkBase(std::in_place_t
,
102 : mValue(std::piecewise_construct
,
103 std::tuple(std::in_place
, std::forward
<Args
>(aArgs
)...),
104 std::tuple(kNullValue
)) {}
105 explicit constexpr ResultImplementationNullIsOkBase(E aErrorValue
)
106 : mValue(std::piecewise_construct
, std::tuple
<>(),
107 std::tuple(UnusedZero
<E
>::Store(std::move(aErrorValue
)))) {
108 MOZ_ASSERT(mValue
.second() != kNullValue
);
111 constexpr ResultImplementationNullIsOkBase(
112 ResultImplementationNullIsOkBase
&& aOther
)
113 : mValue(std::piecewise_construct
, std::tuple
<>(),
114 std::tuple(aOther
.mValue
.second())) {
115 if constexpr (!std::is_empty_v
<V
>) {
117 new (mValue
.first().addr()) V(std::move(*aOther
.mValue
.first().addr()));
121 ResultImplementationNullIsOkBase
& operator=(
122 ResultImplementationNullIsOkBase
&& aOther
) {
123 if constexpr (!std::is_empty_v
<V
>) {
125 mValue
.first().addr()->~V();
128 mValue
.second() = std::move(aOther
.mValue
.second());
129 if constexpr (!std::is_empty_v
<V
>) {
131 new (mValue
.first().addr()) V(std::move(*aOther
.mValue
.first().addr()));
137 constexpr bool isOk() const { return mValue
.second() == kNullValue
; }
139 constexpr const V
& inspect() const { return *mValue
.first().addr(); }
140 constexpr V
unwrap() { return std::move(*mValue
.first().addr()); }
142 constexpr decltype(auto) inspectErr() const {
143 return UnusedZero
<E
>::Inspect(mValue
.second());
145 constexpr E
unwrapErr() { return UnusedZero
<E
>::Unwrap(mValue
.second()); }
148 template <typename V
, typename E
,
149 bool IsVTriviallyDestructible
= std::is_trivially_destructible_v
<V
>>
150 class ResultImplementationNullIsOk
;
152 template <typename V
, typename E
>
153 class ResultImplementationNullIsOk
<V
, E
, true>
154 : public ResultImplementationNullIsOkBase
<V
, E
> {
156 using ResultImplementationNullIsOkBase
<V
,
157 E
>::ResultImplementationNullIsOkBase
;
160 template <typename V
, typename E
>
161 class ResultImplementationNullIsOk
<V
, E
, false>
162 : public ResultImplementationNullIsOkBase
<V
, E
> {
164 using ResultImplementationNullIsOkBase
<V
,
165 E
>::ResultImplementationNullIsOkBase
;
167 ResultImplementationNullIsOk(ResultImplementationNullIsOk
&&) = default;
168 ResultImplementationNullIsOk
& operator=(ResultImplementationNullIsOk
&&) =
171 ~ResultImplementationNullIsOk() {
173 this->mValue
.first().addr()->~V();
179 * Specialization for when the success type is default-constructible and the
180 * error type is a value type which can never have the value 0 (as determined by
183 template <typename V
, typename E
>
184 class ResultImplementation
<V
, E
, PackingStrategy::NullIsOk
>
185 : public ResultImplementationNullIsOk
<V
, E
> {
187 using ResultImplementationNullIsOk
<V
, E
>::ResultImplementationNullIsOk
;
191 using UnsignedIntType
= std::conditional_t
<
192 S
== 1, std::uint8_t,
194 S
== 2, std::uint16_t,
195 std::conditional_t
<S
== 3 || S
== 4, std::uint32_t,
196 std::conditional_t
<S
<= 8, std::uint64_t, void>>>>;
199 * Specialization for when alignment permits using the least significant bit
202 template <typename V
, typename E
>
203 class ResultImplementation
<V
, E
, PackingStrategy::LowBitTagIsError
> {
204 static_assert(std::is_trivially_copyable_v
<V
> &&
205 std::is_trivially_destructible_v
<V
>);
206 static_assert(std::is_trivially_copyable_v
<E
> &&
207 std::is_trivially_destructible_v
<E
>);
209 static constexpr size_t kRequiredSize
= std::max(sizeof(V
), sizeof(E
));
211 using StorageType
= UnsignedIntType
<kRequiredSize
>;
213 #if defined(__clang__)
214 alignas(std::max(alignof(V
), alignof(E
))) StorageType mBits
;
216 // Some gcc versions choke on using std::max with alignas, see
217 // https://gcc.gnu.org/bugzilla/show_bug.cgi?id=94929 (and this seems to have
218 // regressed in some gcc 9.x version before being fixed again) Keeping the
219 // code above since we would eventually drop this when we no longer support
220 // gcc versions with the bug.
221 alignas(alignof(V
) > alignof(E
) ? alignof(V
) : alignof(E
)) StorageType mBits
;
225 explicit constexpr ResultImplementation(V aValue
) : mBits(0) {
226 if constexpr (!std::is_empty_v
<V
>) {
227 std::memcpy(&mBits
, &aValue
, sizeof(V
));
228 MOZ_ASSERT((mBits
& 1) == 0);
233 explicit constexpr ResultImplementation(E aErrorValue
) : mBits(1) {
234 if constexpr (!std::is_empty_v
<E
>) {
235 std::memcpy(&mBits
, &aErrorValue
, sizeof(E
));
236 MOZ_ASSERT((mBits
& 1) == 0);
243 constexpr bool isOk() const { return (mBits
& 1) == 0; }
245 constexpr V
inspect() const {
247 std::memcpy(&res
, &mBits
, sizeof(V
));
250 constexpr V
unwrap() { return inspect(); }
252 constexpr E
inspectErr() const {
253 const auto bits
= mBits
^ 1;
255 std::memcpy(&res
, &bits
, sizeof(E
));
258 constexpr E
unwrapErr() { return inspectErr(); }
261 // Return true if any of the struct can fit in a word.
262 template <typename V
, typename E
>
263 struct IsPackableVariant
{
276 std::conditional_t
<sizeof(VEbool
) <= sizeof(EVbool
), VEbool
, EVbool
>;
278 static const bool value
= sizeof(Impl
) <= sizeof(uintptr_t);
282 * Specialization for when both type are not using all the bytes, in order to
283 * use one byte as a tag.
285 template <typename V
, typename E
>
286 class ResultImplementation
<V
, E
, PackingStrategy::PackedVariant
> {
287 using Impl
= typename IsPackableVariant
<V
, E
>::Impl
;
291 explicit constexpr ResultImplementation(V aValue
) {
292 data
.v
= std::move(aValue
);
295 explicit constexpr ResultImplementation(E aErrorValue
) {
296 data
.e
= std::move(aErrorValue
);
300 constexpr bool isOk() const { return data
.ok
; }
302 constexpr const V
& inspect() const { return data
.v
; }
303 constexpr V
unwrap() { return std::move(data
.v
); }
305 constexpr const E
& inspectErr() const { return data
.e
; }
306 constexpr E
unwrapErr() { return std::move(data
.e
); }
309 // To use nullptr as a special value, we need the counter part to exclude zero
310 // from its range of valid representations.
312 // By default assume that zero can be represented.
313 template <typename T
>
315 static const bool value
= false;
318 // This template can be used as a helper for specializing UnusedZero for scoped
319 // enum types which never use 0 as an error value, e.g.
321 // namespace mozilla::detail {
324 // struct UnusedZero<MyEnumType> : UnusedZeroEnum<MyEnumType> {};
326 // } // namespace mozilla::detail
328 template <typename T
>
329 struct UnusedZeroEnum
{
330 using StorageType
= std::underlying_type_t
<T
>;
332 static constexpr bool value
= true;
333 static constexpr StorageType nullValue
= 0;
335 static constexpr T
Inspect(const StorageType
& aValue
) {
336 return static_cast<T
>(aValue
);
338 static constexpr T
Unwrap(StorageType aValue
) {
339 return static_cast<T
>(aValue
);
341 static constexpr StorageType
Store(T aValue
) {
342 return static_cast<StorageType
>(aValue
);
346 // A bit of help figuring out which of the above specializations to use.
348 // We begin by safely assuming types don't have a spare bit, unless they are
350 template <typename T
>
352 static const bool value
= std::is_empty_v
<T
>;
355 // As an incomplete type, void* does not have a spare bit.
357 struct HasFreeLSB
<void*> {
358 static const bool value
= false;
361 // The lowest bit of a properly-aligned pointer is always zero if the pointee
362 // type is greater than byte-aligned. That bit is free to use if it's masked
363 // out of such pointers before they're dereferenced.
364 template <typename T
>
365 struct HasFreeLSB
<T
*> {
366 static const bool value
= (alignof(T
) & 1) == 0;
369 // Select one of the previous result implementation based on the properties of
370 // the V and E types.
371 template <typename V
, typename E
>
372 struct SelectResultImpl
{
373 static const PackingStrategy value
=
374 (HasFreeLSB
<V
>::value
&& HasFreeLSB
<E
>::value
)
375 ? PackingStrategy::LowBitTagIsError
376 : (UnusedZero
<E
>::value
&& sizeof(E
) <= sizeof(uintptr_t))
377 ? PackingStrategy::NullIsOk
378 : (std::is_default_constructible_v
<V
> &&
379 std::is_default_constructible_v
<E
> && IsPackableVariant
<V
, E
>::value
)
380 ? PackingStrategy::PackedVariant
381 : PackingStrategy::Variant
;
383 using Type
= ResultImplementation
<V
, E
, value
>;
386 template <typename T
>
387 struct IsResult
: std::false_type
{};
389 template <typename V
, typename E
>
390 struct IsResult
<Result
<V
, E
>> : std::true_type
{};
392 } // namespace detail
394 template <typename V
, typename E
>
395 constexpr auto ToResult(Result
<V
, E
>&& aValue
)
396 -> decltype(std::forward
<Result
<V
, E
>>(aValue
)) {
397 return std::forward
<Result
<V
, E
>>(aValue
);
401 * Result<V, E> represents the outcome of an operation that can either succeed
402 * or fail. It contains either a success value of type V or an error value of
405 * All Result methods are const, so results are basically immutable.
406 * This is just like Variant<V, E> but with a slightly different API, and the
407 * following cases are optimized so Result can be stored more efficiently:
409 * - If both the success and error types do not use their least significant bit,
410 * are trivially copyable and destructible, Result<V, E> is guaranteed to be as
411 * large as the larger type. This is determined via the HasFreeLSB trait. By
412 * default, empty classes (in particular Ok) and aligned pointer types are
413 * assumed to have a free LSB, but you can specialize this trait for other
414 * types. If the success type is empty, the representation is guaranteed to be
415 * all zero bits on success. Do not change this representation! There is JIT
416 * code that depends on it. (Implementation note: The lowest bit is used as a
417 * tag bit: 0 to indicate the Result's bits are a success value, 1 to indicate
418 * the Result's bits (with the 1 masked out) encode an error value)
420 * - Else, if the error type can't have a all-zero bits representation and is
421 * not larger than a pointer, a CompactPair is used to represent this rather
422 * than a Variant. This has shown to be better optimizable, and the template
423 * code is much simpler than that of Variant, so it should also compile faster.
424 * Whether an error type can't be all-zero bits, is determined via the
425 * UnusedZero trait. MFBT doesn't declare any public type UnusedZero, but
426 * nsresult is declared UnusedZero in XPCOM.
428 * The purpose of Result is to reduce the screwups caused by using `false` or
429 * `nullptr` to indicate errors.
430 * What screwups? See <https://bugzilla.mozilla.org/show_bug.cgi?id=912928> for
433 * Result<const V, E> or Result<V, const E> are not meaningful. The success or
434 * error values in a Result instance are non-modifiable in-place anyway. This
435 * guarantee must also be maintained when evolving Result. They can be
436 * unwrap()ped, but this loses const qualification. However, Result<const V, E>
437 * or Result<V, const E> may be misleading and prevent movability. Just use
438 * Result<V, E>. (Result<const V*, E> may make sense though, just Result<const
439 * V* const, E> is not possible.)
441 template <typename V
, typename E
>
442 class [[nodiscard
]] Result final
{
443 // See class comment on Result<const V, E> and Result<V, const E>.
444 static_assert(!std::is_const_v
<V
>);
445 static_assert(!std::is_const_v
<E
>);
446 static_assert(!std::is_reference_v
<V
>);
447 static_assert(!std::is_reference_v
<E
>);
449 using Impl
= typename
detail::SelectResultImpl
<V
, E
>::Type
;
452 // Are you getting this error?
453 // > error: implicit instantiation of undefined template
454 // > 'mozilla::detail::ResultImplementation<$V,$E,
455 // > mozilla::detail::PackingStrategy::Variant>'
456 // You need to include "ResultVariant.h"!
462 /** Create a success result. */
463 MOZ_IMPLICIT
constexpr Result(V
&& aValue
) : mImpl(std::forward
<V
>(aValue
)) {
467 /** Create a success result. */
468 MOZ_IMPLICIT
constexpr Result(const V
& aValue
) : mImpl(aValue
) {
472 /** Create a success result in-place. */
473 template <typename
... Args
>
474 explicit constexpr Result(std::in_place_t
, Args
&&... aArgs
)
475 : mImpl(std::in_place
, std::forward
<Args
>(aArgs
)...) {
479 /** Create an error result. */
480 explicit constexpr Result(E aErrorValue
) : mImpl(std::move(aErrorValue
)) {
485 * Create a (success/error) result from another (success/error) result with a
486 * different but convertible error type. */
487 template <typename E2
,
488 typename
= std::enable_if_t
<std::is_convertible_v
<E2
, E
>>>
489 MOZ_IMPLICIT
constexpr Result(Result
<V
, E2
>&& aOther
)
490 : mImpl(aOther
.isOk() ? Impl
{aOther
.unwrap()}
491 : Impl
{aOther
.unwrapErr()}) {}
494 * Implementation detail of MOZ_TRY().
495 * Create an error result from another error result.
497 template <typename E2
>
498 MOZ_IMPLICIT
constexpr Result(GenericErrorResult
<E2
>&& aErrorResult
)
499 : mImpl(std::move(aErrorResult
.mErrorValue
)) {
500 static_assert(std::is_convertible_v
<E2
, E
>, "E2 must be convertible to E");
505 * Implementation detail of MOZ_TRY().
506 * Create an error result from another error result.
508 template <typename E2
>
509 MOZ_IMPLICIT
constexpr Result(const GenericErrorResult
<E2
>& aErrorResult
)
510 : mImpl(aErrorResult
.mErrorValue
) {
511 static_assert(std::is_convertible_v
<E2
, E
>, "E2 must be convertible to E");
515 Result(const Result
&) = delete;
516 Result(Result
&&) = default;
517 Result
& operator=(const Result
&) = delete;
518 Result
& operator=(Result
&&) = default;
520 /** True if this Result is a success result. */
521 constexpr bool isOk() const { return mImpl
.isOk(); }
523 /** True if this Result is an error result. */
524 constexpr bool isErr() const { return !mImpl
.isOk(); }
526 /** Take the success value from this Result, which must be a success result.
528 constexpr V
unwrap() {
530 return mImpl
.unwrap();
534 * Take the success value from this Result, which must be a success result.
535 * If it is an error result, then return the aValue.
537 constexpr V
unwrapOr(V aValue
) {
538 return MOZ_LIKELY(isOk()) ? mImpl
.unwrap() : std::move(aValue
);
541 /** Take the error value from this Result, which must be an error result. */
542 constexpr E
unwrapErr() {
544 return mImpl
.unwrapErr();
547 /** See the success value from this Result, which must be a success result. */
548 constexpr decltype(auto) inspect() const {
549 static_assert(!std::is_reference_v
<
550 std::invoke_result_t
<decltype(&Impl::inspect
), Impl
>> ||
551 std::is_const_v
<std::remove_reference_t
<
552 std::invoke_result_t
<decltype(&Impl::inspect
), Impl
>>>);
554 return mImpl
.inspect();
557 /** See the error value from this Result, which must be an error result. */
558 constexpr decltype(auto) inspectErr() const {
560 !std::is_reference_v
<
561 std::invoke_result_t
<decltype(&Impl::inspectErr
), Impl
>> ||
562 std::is_const_v
<std::remove_reference_t
<
563 std::invoke_result_t
<decltype(&Impl::inspectErr
), Impl
>>>);
565 return mImpl
.inspectErr();
568 /** Propagate the error value from this Result, which must be an error result.
570 * This can be used to propagate an error from a function call to the caller
571 * with a different value type, but the same error type:
573 * Result<T1, E> Func1() {
574 * Result<T2, E> res = Func2();
575 * if (res.isErr()) { return res.propagateErr(); }
578 constexpr GenericErrorResult
<E
> propagateErr() {
580 return GenericErrorResult
<E
>{mImpl
.unwrapErr(), ErrorPropagationTag
{}};
584 * Map a function V -> V2 over this result's success variant. If this result
585 * is an error, do not invoke the function and propagate the error.
587 * Mapping over success values invokes the function to produce a new success
590 * // Map Result<int, E> to another Result<int, E>
591 * Result<int, E> res(5);
592 * Result<int, E> res2 = res.map([](int x) { return x * x; });
593 * MOZ_ASSERT(res.isOk());
594 * MOZ_ASSERT(res2.unwrap() == 25);
596 * // Map Result<const char*, E> to Result<size_t, E>
597 * Result<const char*, E> res("hello, map!");
598 * Result<size_t, E> res2 = res.map(strlen);
599 * MOZ_ASSERT(res.isOk());
600 * MOZ_ASSERT(res2.unwrap() == 11);
602 * Mapping over an error does not invoke the function and propagates the
605 * Result<V, int> res(5);
606 * MOZ_ASSERT(res.isErr());
607 * Result<V2, int> res2 = res.map([](V v) { ... });
608 * MOZ_ASSERT(res2.isErr());
609 * MOZ_ASSERT(res2.unwrapErr() == 5);
611 template <typename F
>
612 constexpr auto map(F f
) -> Result
<std::result_of_t
<F(V
)>, E
> {
613 using RetResult
= Result
<std::result_of_t
<F(V
)>, E
>;
614 return MOZ_LIKELY(isOk()) ? RetResult(f(unwrap())) : RetResult(unwrapErr());
618 * Map a function E -> E2 over this result's error variant. If this result is
619 * a success, do not invoke the function and move the success over.
621 * Mapping over error values invokes the function to produce a new error
624 * // Map Result<V, int> to another Result<V, int>
625 * Result<V, int> res(5);
626 * Result<V, int> res2 = res.mapErr([](int x) { return x * x; });
627 * MOZ_ASSERT(res2.isErr());
628 * MOZ_ASSERT(res2.unwrapErr() == 25);
630 * // Map Result<V, const char*> to Result<V, size_t>
631 * Result<V, const char*> res("hello, mapErr!");
632 * Result<V, size_t> res2 = res.mapErr(strlen);
633 * MOZ_ASSERT(res2.isErr());
634 * MOZ_ASSERT(res2.unwrapErr() == 14);
636 * Mapping over a success does not invoke the function and moves the success:
638 * Result<int, E> res(5);
639 * MOZ_ASSERT(res.isOk());
640 * Result<int, E2> res2 = res.mapErr([](E e) { ... });
641 * MOZ_ASSERT(res2.isOk());
642 * MOZ_ASSERT(res2.unwrap() == 5);
644 template <typename F
>
645 constexpr auto mapErr(F f
) {
646 using RetResult
= Result
<V
, std::result_of_t
<F(E
)>>;
647 return MOZ_UNLIKELY(isErr()) ? RetResult(f(unwrapErr()))
648 : RetResult(unwrap());
652 * Map a function E -> Result<V, E2> over this result's error variant. If
653 * this result is a success, do not invoke the function and move the success
656 * `orElse`ing over error values invokes the function to produce a new
659 * // `orElse` Result<V, int> error variant to another Result<V, int>
660 * // error variant or Result<V, int> success variant
661 * auto orElse = [](int x) -> Result<V, int> {
668 * Result<V, int> res(5);
669 * auto res2 = res.orElse(orElse);
670 * MOZ_ASSERT(res2.isErr());
671 * MOZ_ASSERT(res2.unwrapErr() == 25);
673 * Result<V, int> res3(6);
674 * auto res4 = res3.orElse(orElse);
675 * MOZ_ASSERT(res4.isOk());
676 * MOZ_ASSERT(res4.unwrap() == ...);
678 * // `orElse` Result<V, const char*> error variant to Result<V, size_t>
679 * // error variant or Result<V, size_t> success variant
680 * auto orElse = [](const char* s) -> Result<V, size_t> {
681 * if (strcmp(s, "foo")) {
682 * return Err(strlen(s));
687 * Result<V, const char*> res("hello, orElse!");
688 * auto res2 = res.orElse(orElse);
689 * MOZ_ASSERT(res2.isErr());
690 * MOZ_ASSERT(res2.unwrapErr() == 14);
692 * Result<V, const char*> res3("foo");
693 * auto res4 = ress.orElse(orElse);
694 * MOZ_ASSERT(res4.isOk());
695 * MOZ_ASSERT(res4.unwrap() == ...);
697 * `orElse`ing over a success does not invoke the function and moves the
700 * Result<int, E> res(5);
701 * MOZ_ASSERT(res.isOk());
702 * Result<int, E2> res2 = res.orElse([](E e) { ... });
703 * MOZ_ASSERT(res2.isOk());
704 * MOZ_ASSERT(res2.unwrap() == 5);
706 template <typename F
>
707 auto orElse(F f
) -> Result
<V
, typename
std::result_of_t
<F(E
)>::err_type
> {
708 return MOZ_UNLIKELY(isErr()) ? f(unwrapErr()) : unwrap();
712 * Given a function V -> Result<V2, E>, apply it to this result's success
713 * value and return its result. If this result is an error value, it is
716 * This is sometimes called "flatMap" or ">>=" in other contexts.
718 * `andThen`ing over success values invokes the function to produce a new
721 * Result<const char*, Error> res("hello, andThen!");
722 * Result<HtmlFreeString, Error> res2 = res.andThen([](const char* s) {
723 * return containsHtmlTag(s)
724 * ? Result<HtmlFreeString, Error>(Error("Invalid: contains HTML"))
725 * : Result<HtmlFreeString, Error>(HtmlFreeString(s));
728 * MOZ_ASSERT(res2.isOk());
729 * MOZ_ASSERT(res2.unwrap() == HtmlFreeString("hello, andThen!");
731 * `andThen`ing over error results does not invoke the function, and just
732 * propagates the error result:
734 * Result<int, const char*> res("some error");
735 * auto res2 = res.andThen([](int x) { ... });
736 * MOZ_ASSERT(res2.isErr());
737 * MOZ_ASSERT(res.unwrapErr() == res2.unwrapErr());
739 template <typename F
, typename
= std::enable_if_t
<detail::IsResult
<
740 std::invoke_result_t
<F
, V
&&>>::value
>>
741 constexpr auto andThen(F f
) -> std::invoke_result_t
<F
, V
&&> {
742 return MOZ_LIKELY(isOk()) ? f(unwrap()) : propagateErr();
747 * A type that auto-converts to an error Result. This is like a Result without
748 * a success type. It's the best return type for functions that always return
749 * an error--functions designed to build and populate error objects. It's also
750 * useful in error-handling macros; see MOZ_TRY for an example.
752 template <typename E
>
753 class [[nodiscard
]] GenericErrorResult
{
756 template <typename V
, typename E2
>
760 explicit constexpr GenericErrorResult(const E
& aErrorValue
)
761 : mErrorValue(aErrorValue
) {}
763 explicit constexpr GenericErrorResult(E
&& aErrorValue
)
764 : mErrorValue(std::move(aErrorValue
)) {}
766 constexpr GenericErrorResult(const E
& aErrorValue
, const ErrorPropagationTag
&)
767 : GenericErrorResult(aErrorValue
) {}
769 constexpr GenericErrorResult(E
&& aErrorValue
, const ErrorPropagationTag
&)
770 : GenericErrorResult(std::move(aErrorValue
)) {}
773 template <typename E
>
774 inline constexpr auto Err(E
&& aErrorValue
) {
775 return GenericErrorResult
<std::decay_t
<E
>>(std::forward
<E
>(aErrorValue
));
778 } // namespace mozilla
781 * MOZ_TRY(expr) is the C++ equivalent of Rust's `try!(expr);`. First, it
782 * evaluates expr, which must produce a Result value. On success, it
783 * discards the result altogether. On error, it immediately returns an error
784 * Result from the enclosing function.
786 #define MOZ_TRY(expr) \
788 auto mozTryTempResult_ = ::mozilla::ToResult(expr); \
789 if (MOZ_UNLIKELY(mozTryTempResult_.isErr())) { \
790 return mozTryTempResult_.propagateErr(); \
795 * MOZ_TRY_VAR(target, expr) is the C++ equivalent of Rust's `target =
796 * try!(expr);`. First, it evaluates expr, which must produce a Result value. On
797 * success, the result's success value is assigned to target. On error,
798 * immediately returns the error result. |target| must be an lvalue.
800 #define MOZ_TRY_VAR(target, expr) \
802 auto mozTryVarTempResult_ = (expr); \
803 if (MOZ_UNLIKELY(mozTryVarTempResult_.isErr())) { \
804 return mozTryVarTempResult_.propagateErr(); \
806 (target) = mozTryVarTempResult_.unwrap(); \
809 #endif // mozilla_Result_h