1 //===----- unittests/ErrorTest.cpp - Error.h tests ------------------------===//
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
7 //===----------------------------------------------------------------------===//
9 #include "llvm/Support/Error.h"
10 #include "llvm-c/Error.h"
12 #include "llvm/ADT/Twine.h"
13 #include "llvm/Support/Errc.h"
14 #include "llvm/Support/ErrorHandling.h"
15 #include "llvm/Testing/Support/Error.h"
16 #include "gtest/gtest-spi.h"
17 #include "gtest/gtest.h"
24 // Custom error class with a default base class and some random 'info' attached.
25 class CustomError
: public ErrorInfo
<CustomError
> {
27 // Create an error with some info attached.
28 CustomError(int Info
) : Info(Info
) {}
30 // Get the info attached to this error.
31 int getInfo() const { return Info
; }
33 // Log this error to a stream.
34 void log(raw_ostream
&OS
) const override
{
35 OS
<< "CustomError {" << getInfo() << "}";
38 std::error_code
convertToErrorCode() const override
{
39 llvm_unreachable("CustomError doesn't support ECError conversion");
42 // Used by ErrorInfo::classID.
46 // This error is subclassed below, but we can't use inheriting constructors
47 // yet, so we can't propagate the constructors through ErrorInfo. Instead
48 // we have to have a default constructor and have the subclass initialize all
50 CustomError() : Info(0) {}
55 char CustomError::ID
= 0;
57 // Custom error class with a custom base class and some additional random
59 class CustomSubError
: public ErrorInfo
<CustomSubError
, CustomError
> {
61 // Create a sub-error with some info attached.
62 CustomSubError(int Info
, int ExtraInfo
) : ExtraInfo(ExtraInfo
) {
66 // Get the extra info attached to this error.
67 int getExtraInfo() const { return ExtraInfo
; }
69 // Log this error to a stream.
70 void log(raw_ostream
&OS
) const override
{
71 OS
<< "CustomSubError { " << getInfo() << ", " << getExtraInfo() << "}";
74 std::error_code
convertToErrorCode() const override
{
75 llvm_unreachable("CustomSubError doesn't support ECError conversion");
78 // Used by ErrorInfo::classID.
85 char CustomSubError::ID
= 0;
87 static Error
handleCustomError(const CustomError
&CE
) {
88 return Error::success();
91 static void handleCustomErrorVoid(const CustomError
&CE
) {}
93 static Error
handleCustomErrorUP(std::unique_ptr
<CustomError
> CE
) {
94 return Error::success();
97 static void handleCustomErrorUPVoid(std::unique_ptr
<CustomError
> CE
) {}
99 // Test that success values implicitly convert to false, and don't cause crashes
100 // once they've been implicitly converted.
101 TEST(Error
, CheckedSuccess
) {
102 Error E
= Error::success();
103 EXPECT_FALSE(E
) << "Unexpected error while testing Error 'Success'";
106 // Test that unchecked success values cause an abort.
107 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
108 TEST(Error
, UncheckedSuccess
) {
109 EXPECT_DEATH({ Error E
= Error::success(); },
110 "Program aborted due to an unhandled Error:")
111 << "Unchecked Error Succes value did not cause abort()";
115 // ErrorAsOutParameter tester.
116 void errAsOutParamHelper(Error
&Err
) {
117 ErrorAsOutParameter
ErrAsOutParam(&Err
);
118 // Verify that checked flag is raised - assignment should not crash.
119 Err
= Error::success();
120 // Raise the checked bit manually - caller should still have to test the
125 // Test that ErrorAsOutParameter sets the checked flag on construction.
126 TEST(Error
, ErrorAsOutParameterChecked
) {
127 Error E
= Error::success();
128 errAsOutParamHelper(E
);
132 // Test that ErrorAsOutParameter clears the checked flag on destruction.
133 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
134 TEST(Error
, ErrorAsOutParameterUnchecked
) {
135 EXPECT_DEATH({ Error E
= Error::success(); errAsOutParamHelper(E
); },
136 "Program aborted due to an unhandled Error:")
137 << "ErrorAsOutParameter did not clear the checked flag on destruction.";
141 // Check that we abort on unhandled failure cases. (Force conversion to bool
142 // to make sure that we don't accidentally treat checked errors as handled).
143 // Test runs in debug mode only.
144 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
145 TEST(Error
, UncheckedError
) {
146 auto DropUnhandledError
= []() {
147 Error E
= make_error
<CustomError
>(42);
150 EXPECT_DEATH(DropUnhandledError(),
151 "Program aborted due to an unhandled Error:")
152 << "Unhandled Error failure value did not cause abort()";
156 // Check 'Error::isA<T>' method handling.
157 TEST(Error
, IsAHandling
) {
158 // Check 'isA' handling.
159 Error E
= make_error
<CustomError
>(1);
160 Error F
= make_error
<CustomSubError
>(1, 2);
161 Error G
= Error::success();
163 EXPECT_TRUE(E
.isA
<CustomError
>());
164 EXPECT_FALSE(E
.isA
<CustomSubError
>());
165 EXPECT_TRUE(F
.isA
<CustomError
>());
166 EXPECT_TRUE(F
.isA
<CustomSubError
>());
167 EXPECT_FALSE(G
.isA
<CustomError
>());
169 consumeError(std::move(E
));
170 consumeError(std::move(F
));
171 consumeError(std::move(G
));
174 // Check that we can handle a custom error.
175 TEST(Error
, HandleCustomError
) {
176 int CaughtErrorInfo
= 0;
177 handleAllErrors(make_error
<CustomError
>(42), [&](const CustomError
&CE
) {
178 CaughtErrorInfo
= CE
.getInfo();
181 EXPECT_EQ(CaughtErrorInfo
, 42) << "Wrong result from CustomError handler";
184 // Check that handler type deduction also works for handlers
185 // of the following types:
187 // Error (const Err&) mutable
188 // void (const Err&) mutable
191 // Error (Err&) mutable
192 // void (Err&) mutable
193 // Error (unique_ptr<Err>)
194 // void (unique_ptr<Err>)
195 // Error (unique_ptr<Err>) mutable
196 // void (unique_ptr<Err>) mutable
197 TEST(Error
, HandlerTypeDeduction
) {
199 handleAllErrors(make_error
<CustomError
>(42), [](const CustomError
&CE
) {});
202 make_error
<CustomError
>(42),
203 [](const CustomError
&CE
) mutable -> Error
{ return Error::success(); });
205 handleAllErrors(make_error
<CustomError
>(42),
206 [](const CustomError
&CE
) mutable {});
208 handleAllErrors(make_error
<CustomError
>(42),
209 [](CustomError
&CE
) -> Error
{ return Error::success(); });
211 handleAllErrors(make_error
<CustomError
>(42), [](CustomError
&CE
) {});
213 handleAllErrors(make_error
<CustomError
>(42),
214 [](CustomError
&CE
) mutable -> Error
{ return Error::success(); });
216 handleAllErrors(make_error
<CustomError
>(42), [](CustomError
&CE
) mutable {});
219 make_error
<CustomError
>(42),
220 [](std::unique_ptr
<CustomError
> CE
) -> Error
{ return Error::success(); });
222 handleAllErrors(make_error
<CustomError
>(42),
223 [](std::unique_ptr
<CustomError
> CE
) {});
226 make_error
<CustomError
>(42),
227 [](std::unique_ptr
<CustomError
> CE
) mutable -> Error
{ return Error::success(); });
229 handleAllErrors(make_error
<CustomError
>(42),
230 [](std::unique_ptr
<CustomError
> CE
) mutable {});
232 // Check that named handlers of type 'Error (const Err&)' work.
233 handleAllErrors(make_error
<CustomError
>(42), handleCustomError
);
235 // Check that named handlers of type 'void (const Err&)' work.
236 handleAllErrors(make_error
<CustomError
>(42), handleCustomErrorVoid
);
238 // Check that named handlers of type 'Error (std::unique_ptr<Err>)' work.
239 handleAllErrors(make_error
<CustomError
>(42), handleCustomErrorUP
);
241 // Check that named handlers of type 'Error (std::unique_ptr<Err>)' work.
242 handleAllErrors(make_error
<CustomError
>(42), handleCustomErrorUPVoid
);
245 // Test that we can handle errors with custom base classes.
246 TEST(Error
, HandleCustomErrorWithCustomBaseClass
) {
247 int CaughtErrorInfo
= 0;
248 int CaughtErrorExtraInfo
= 0;
249 handleAllErrors(make_error
<CustomSubError
>(42, 7),
250 [&](const CustomSubError
&SE
) {
251 CaughtErrorInfo
= SE
.getInfo();
252 CaughtErrorExtraInfo
= SE
.getExtraInfo();
255 EXPECT_EQ(CaughtErrorInfo
, 42) << "Wrong result from CustomSubError handler";
256 EXPECT_EQ(CaughtErrorExtraInfo
, 7)
257 << "Wrong result from CustomSubError handler";
260 // Check that we trigger only the first handler that applies.
261 TEST(Error
, FirstHandlerOnly
) {
263 int CaughtErrorInfo
= 0;
264 int CaughtErrorExtraInfo
= 0;
266 handleAllErrors(make_error
<CustomSubError
>(42, 7),
267 [&](const CustomSubError
&SE
) {
268 CaughtErrorInfo
= SE
.getInfo();
269 CaughtErrorExtraInfo
= SE
.getExtraInfo();
271 [&](const CustomError
&CE
) { DummyInfo
= CE
.getInfo(); });
273 EXPECT_EQ(CaughtErrorInfo
, 42) << "Activated the wrong Error handler(s)";
274 EXPECT_EQ(CaughtErrorExtraInfo
, 7) << "Activated the wrong Error handler(s)";
275 EXPECT_EQ(DummyInfo
, 0) << "Activated the wrong Error handler(s)";
278 // Check that general handlers shadow specific ones.
279 TEST(Error
, HandlerShadowing
) {
280 int CaughtErrorInfo
= 0;
282 int DummyExtraInfo
= 0;
285 make_error
<CustomSubError
>(42, 7),
286 [&](const CustomError
&CE
) { CaughtErrorInfo
= CE
.getInfo(); },
287 [&](const CustomSubError
&SE
) {
288 DummyInfo
= SE
.getInfo();
289 DummyExtraInfo
= SE
.getExtraInfo();
292 EXPECT_EQ(CaughtErrorInfo
, 42)
293 << "General Error handler did not shadow specific handler";
294 EXPECT_EQ(DummyInfo
, 0)
295 << "General Error handler did not shadow specific handler";
296 EXPECT_EQ(DummyExtraInfo
, 0)
297 << "General Error handler did not shadow specific handler";
301 TEST(Error
, CheckJoinErrors
) {
302 int CustomErrorInfo1
= 0;
303 int CustomErrorInfo2
= 0;
304 int CustomErrorExtraInfo
= 0;
306 joinErrors(make_error
<CustomError
>(7), make_error
<CustomSubError
>(42, 7));
308 handleAllErrors(std::move(E
),
309 [&](const CustomSubError
&SE
) {
310 CustomErrorInfo2
= SE
.getInfo();
311 CustomErrorExtraInfo
= SE
.getExtraInfo();
313 [&](const CustomError
&CE
) {
314 // Assert that the CustomError instance above is handled
316 // CustomSubError - joinErrors should preserve error
318 EXPECT_EQ(CustomErrorInfo2
, 0)
319 << "CustomErrorInfo2 should be 0 here. "
320 "joinErrors failed to preserve ordering.\n";
321 CustomErrorInfo1
= CE
.getInfo();
324 EXPECT_EQ(CustomErrorInfo1
, 7) << "Failed handling compound Error.";
325 EXPECT_EQ(CustomErrorInfo2
, 42) << "Failed handling compound Error.";
326 EXPECT_EQ(CustomErrorExtraInfo
, 7) << "Failed handling compound Error.";
328 // Test appending a single item to a list.
333 joinErrors(make_error
<CustomError
>(7),
334 make_error
<CustomError
>(7)),
335 make_error
<CustomError
>(7)),
336 [&](const CustomError
&CE
) {
339 EXPECT_EQ(Sum
, 21) << "Failed to correctly append error to error list.";
342 // Test prepending a single item to a list.
347 make_error
<CustomError
>(7),
348 joinErrors(make_error
<CustomError
>(7),
349 make_error
<CustomError
>(7))),
350 [&](const CustomError
&CE
) {
353 EXPECT_EQ(Sum
, 21) << "Failed to correctly prepend error to error list.";
356 // Test concatenating two error lists.
362 make_error
<CustomError
>(7),
363 make_error
<CustomError
>(7)),
365 make_error
<CustomError
>(7),
366 make_error
<CustomError
>(7))),
367 [&](const CustomError
&CE
) {
370 EXPECT_EQ(Sum
, 28) << "Failed to correctly concatenate error lists.";
374 // Test that we can consume success values.
375 TEST(Error
, ConsumeSuccess
) {
376 Error E
= Error::success();
377 consumeError(std::move(E
));
380 TEST(Error
, ConsumeError
) {
381 Error E
= make_error
<CustomError
>(7);
382 consumeError(std::move(E
));
385 // Test that handleAllUnhandledErrors crashes if an error is not caught.
386 // Test runs in debug mode only.
387 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
388 TEST(Error
, FailureToHandle
) {
389 auto FailToHandle
= []() {
390 handleAllErrors(make_error
<CustomError
>(7), [&](const CustomSubError
&SE
) {
391 errs() << "This should never be called";
396 EXPECT_DEATH(FailToHandle(),
397 "Failure value returned from cantFail wrapped call\n"
398 "CustomError \\{7\\}")
399 << "Unhandled Error in handleAllErrors call did not cause an "
404 // Test that handleAllUnhandledErrors crashes if an error is returned from a
406 // Test runs in debug mode only.
407 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
408 TEST(Error
, FailureFromHandler
) {
409 auto ReturnErrorFromHandler
= []() {
410 handleAllErrors(make_error
<CustomError
>(7),
411 [&](std::unique_ptr
<CustomSubError
> SE
) {
412 return Error(std::move(SE
));
416 EXPECT_DEATH(ReturnErrorFromHandler(),
417 "Failure value returned from cantFail wrapped call\n"
418 "CustomError \\{7\\}")
419 << " Error returned from handler in handleAllErrors call did not "
424 // Test that we can return values from handleErrors.
425 TEST(Error
, CatchErrorFromHandler
) {
428 Error E
= handleErrors(
429 make_error
<CustomError
>(7),
430 [&](std::unique_ptr
<CustomError
> CE
) { return Error(std::move(CE
)); });
432 handleAllErrors(std::move(E
),
433 [&](const CustomError
&CE
) { ErrorInfo
= CE
.getInfo(); });
435 EXPECT_EQ(ErrorInfo
, 7)
436 << "Failed to handle Error returned from handleErrors.";
439 TEST(Error
, StringError
) {
441 raw_string_ostream
S(Msg
);
442 logAllUnhandledErrors(
443 make_error
<StringError
>("foo" + Twine(42), inconvertibleErrorCode()), S
);
444 EXPECT_EQ(S
.str(), "foo42\n") << "Unexpected StringError log result";
447 errorToErrorCode(make_error
<StringError
>("", errc::invalid_argument
));
448 EXPECT_EQ(EC
, errc::invalid_argument
)
449 << "Failed to convert StringError to error_code.";
452 TEST(Error
, createStringError
) {
453 static const char *Bar
= "bar";
454 static const std::error_code EC
= errc::invalid_argument
;
456 raw_string_ostream
S(Msg
);
457 logAllUnhandledErrors(createStringError(EC
, "foo%s%d0x%" PRIx8
, Bar
, 1, 0xff),
459 EXPECT_EQ(S
.str(), "foobar10xff\n")
460 << "Unexpected createStringError() log result";
464 logAllUnhandledErrors(createStringError(EC
, Bar
), S
);
465 EXPECT_EQ(S
.str(), "bar\n")
466 << "Unexpected createStringError() (overloaded) log result";
470 auto Res
= errorToErrorCode(createStringError(EC
, "foo%s", Bar
));
472 << "Failed to convert createStringError() result to error_code.";
475 // Test that the ExitOnError utility works as expected.
476 TEST(ErrorDeathTest
, ExitOnError
) {
477 ExitOnError ExitOnErr
;
478 ExitOnErr
.setBanner("Error in tool:");
479 ExitOnErr
.setExitCodeMapper([](const Error
&E
) {
480 if (E
.isA
<CustomSubError
>())
485 // Make sure we don't bail on success.
486 ExitOnErr(Error::success());
487 EXPECT_EQ(ExitOnErr(Expected
<int>(7)), 7)
488 << "exitOnError returned an invalid value for Expected";
491 int &B
= ExitOnErr(Expected
<int&>(A
));
492 EXPECT_EQ(&A
, &B
) << "ExitOnError failed to propagate reference";
495 EXPECT_EXIT(ExitOnErr(make_error
<CustomError
>(7)),
496 ::testing::ExitedWithCode(1), "Error in tool:")
497 << "exitOnError returned an unexpected error result";
499 EXPECT_EXIT(ExitOnErr(Expected
<int>(make_error
<CustomSubError
>(0, 0))),
500 ::testing::ExitedWithCode(2), "Error in tool:")
501 << "exitOnError returned an unexpected error result";
504 // Test that the ExitOnError utility works as expected.
505 TEST(Error
, CantFailSuccess
) {
506 cantFail(Error::success());
508 int X
= cantFail(Expected
<int>(42));
509 EXPECT_EQ(X
, 42) << "Expected value modified by cantFail";
512 int &Y
= cantFail(Expected
<int&>(Dummy
));
513 EXPECT_EQ(&Dummy
, &Y
) << "Reference mangled by cantFail";
516 // Test that cantFail results in a crash if you pass it a failure value.
517 #if LLVM_ENABLE_ABI_BREAKING_CHECKS && !defined(NDEBUG)
518 TEST(Error
, CantFailDeath
) {
519 EXPECT_DEATH(cantFail(make_error
<StringError
>("Original error message",
520 inconvertibleErrorCode()),
521 "Cantfail call failed"),
522 "Cantfail call failed\n"
523 "Original error message")
524 << "cantFail(Error) did not cause an abort for failure value";
528 auto IEC
= inconvertibleErrorCode();
529 int X
= cantFail(Expected
<int>(make_error
<StringError
>("foo", IEC
)));
532 "Failure value returned from cantFail wrapped call")
533 << "cantFail(Expected<int>) did not cause an abort for failure value";
538 // Test Checked Expected<T> in success mode.
539 TEST(Error
, CheckedExpectedInSuccessMode
) {
541 EXPECT_TRUE(!!A
) << "Expected with non-error value doesn't convert to 'true'";
542 // Access is safe in second test, since we checked the error in the first.
543 EXPECT_EQ(*A
, 7) << "Incorrect Expected non-error value";
546 // Test Expected with reference type.
547 TEST(Error
, ExpectedWithReferenceType
) {
549 Expected
<int&> B
= A
;
553 EXPECT_EQ(&A
, &C
) << "Expected failed to propagate reference";
556 // Test Unchecked Expected<T> in success mode.
557 // We expect this to blow up the same way Error would.
558 // Test runs in debug mode only.
559 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
560 TEST(Error
, UncheckedExpectedInSuccessModeDestruction
) {
561 EXPECT_DEATH({ Expected
<int> A
= 7; },
562 "Expected<T> must be checked before access or destruction.")
563 << "Unchecked Expected<T> success value did not cause an abort().";
567 // Test Unchecked Expected<T> in success mode.
568 // We expect this to blow up the same way Error would.
569 // Test runs in debug mode only.
570 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
571 TEST(Error
, UncheckedExpectedInSuccessModeAccess
) {
574 const Expected
<int> A
= 7;
577 "Expected<T> must be checked before access or destruction.")
578 << "Unchecked Expected<T> success value did not cause an abort().";
582 // Test Unchecked Expected<T> in success mode.
583 // We expect this to blow up the same way Error would.
584 // Test runs in debug mode only.
585 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
586 TEST(Error
, UncheckedExpectedInSuccessModeAssignment
) {
592 "Expected<T> must be checked before access or destruction.")
593 << "Unchecked Expected<T> success value did not cause an abort().";
597 // Test Expected<T> in failure mode.
598 TEST(Error
, ExpectedInFailureMode
) {
599 Expected
<int> A
= make_error
<CustomError
>(42);
600 EXPECT_FALSE(!!A
) << "Expected with error value doesn't convert to 'false'";
601 Error E
= A
.takeError();
602 EXPECT_TRUE(E
.isA
<CustomError
>()) << "Incorrect Expected error value";
603 consumeError(std::move(E
));
606 // Check that an Expected instance with an error value doesn't allow access to
608 // Test runs in debug mode only.
609 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
610 TEST(Error
, AccessExpectedInFailureMode
) {
611 Expected
<int> A
= make_error
<CustomError
>(42);
612 EXPECT_DEATH(*A
, "Expected<T> must be checked before access or destruction.")
613 << "Incorrect Expected error value";
614 consumeError(A
.takeError());
618 // Check that an Expected instance with an error triggers an abort if
620 // Test runs in debug mode only.
621 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
622 TEST(Error
, UnhandledExpectedInFailureMode
) {
623 EXPECT_DEATH({ Expected
<int> A
= make_error
<CustomError
>(42); },
624 "Expected<T> must be checked before access or destruction.")
625 << "Unchecked Expected<T> failure value did not cause an abort()";
629 // Test covariance of Expected.
630 TEST(Error
, ExpectedCovariance
) {
632 class D
: public B
{};
634 Expected
<B
*> A1(Expected
<D
*>(nullptr));
635 // Check A1 by converting to bool before assigning to it.
637 A1
= Expected
<D
*>(nullptr);
638 // Check A1 again before destruction.
641 Expected
<std::unique_ptr
<B
>> A2(Expected
<std::unique_ptr
<D
>>(nullptr));
642 // Check A2 by converting to bool before assigning to it.
644 A2
= Expected
<std::unique_ptr
<D
>>(nullptr);
645 // Check A2 again before destruction.
649 // Test that handleExpected just returns success values.
650 TEST(Error
, HandleExpectedSuccess
) {
652 handleExpected(Expected
<int>(42),
653 []() { return Expected
<int>(43); });
654 EXPECT_TRUE(!!ValOrErr
)
655 << "handleExpected should have returned a success value here";
656 EXPECT_EQ(*ValOrErr
, 42)
657 << "handleExpected should have returned the original success value here";
660 enum FooStrategy
{ Aggressive
, Conservative
};
662 static Expected
<int> foo(FooStrategy S
) {
664 return make_error
<CustomError
>(7);
668 // Test that handleExpected invokes the error path if errors are not handled.
669 TEST(Error
, HandleExpectedUnhandledError
) {
670 // foo(Aggressive) should return a CustomError which should pass through as
671 // there is no handler for CustomError.
675 []() { return foo(Conservative
); });
677 EXPECT_FALSE(!!ValOrErr
)
678 << "handleExpected should have returned an error here";
679 auto Err
= ValOrErr
.takeError();
680 EXPECT_TRUE(Err
.isA
<CustomError
>())
681 << "handleExpected should have returned the CustomError generated by "
682 "foo(Aggressive) here";
683 consumeError(std::move(Err
));
686 // Test that handleExpected invokes the fallback path if errors are handled.
687 TEST(Error
, HandleExpectedHandledError
) {
688 // foo(Aggressive) should return a CustomError which should handle triggering
689 // the fallback path.
693 []() { return foo(Conservative
); },
694 [](const CustomError
&) { /* do nothing */ });
696 EXPECT_TRUE(!!ValOrErr
)
697 << "handleExpected should have returned a success value here";
698 EXPECT_EQ(*ValOrErr
, 42)
699 << "handleExpected returned the wrong success value";
702 TEST(Error
, ErrorCodeConversions
) {
703 // Round-trip a success value to check that it converts correctly.
704 EXPECT_EQ(errorToErrorCode(errorCodeToError(std::error_code())),
706 << "std::error_code() should round-trip via Error conversions";
708 // Round-trip an error value to check that it converts correctly.
709 EXPECT_EQ(errorToErrorCode(errorCodeToError(errc::invalid_argument
)),
710 errc::invalid_argument
)
711 << "std::error_code error value should round-trip via Error "
714 // Round-trip a success value through ErrorOr/Expected to check that it
715 // converts correctly.
717 auto Orig
= ErrorOr
<int>(42);
719 expectedToErrorOr(errorOrToExpected(ErrorOr
<int>(42)));
720 EXPECT_EQ(*Orig
, *RoundTripped
)
721 << "ErrorOr<T> success value should round-trip via Expected<T> "
725 // Round-trip a failure value through ErrorOr/Expected to check that it
726 // converts correctly.
728 auto Orig
= ErrorOr
<int>(errc::invalid_argument
);
731 errorOrToExpected(ErrorOr
<int>(errc::invalid_argument
)));
732 EXPECT_EQ(Orig
.getError(), RoundTripped
.getError())
733 << "ErrorOr<T> failure value should round-trip via Expected<T> "
738 // Test that error messages work.
739 TEST(Error
, ErrorMessage
) {
740 EXPECT_EQ(toString(Error::success()), "");
742 Error E1
= make_error
<CustomError
>(0);
743 EXPECT_EQ(toString(std::move(E1
)), "CustomError {0}");
745 Error E2
= make_error
<CustomError
>(0);
746 handleAllErrors(std::move(E2
), [](const CustomError
&CE
) {
747 EXPECT_EQ(CE
.message(), "CustomError {0}");
750 Error E3
= joinErrors(make_error
<CustomError
>(0), make_error
<CustomError
>(1));
751 EXPECT_EQ(toString(std::move(E3
)), "CustomError {0}\n"
755 TEST(Error
, Stream
) {
757 Error OK
= Error::success();
759 llvm::raw_string_ostream
S(Buf
);
761 EXPECT_EQ("success", S
.str());
762 consumeError(std::move(OK
));
765 Error E1
= make_error
<CustomError
>(0);
767 llvm::raw_string_ostream
S(Buf
);
769 EXPECT_EQ("CustomError {0}", S
.str());
770 consumeError(std::move(E1
));
774 TEST(Error
, SucceededMatcher
) {
775 EXPECT_THAT_ERROR(Error::success(), Succeeded());
776 EXPECT_NONFATAL_FAILURE(
777 EXPECT_THAT_ERROR(make_error
<CustomError
>(0), Succeeded()),
778 "Expected: succeeded\n Actual: failed (CustomError {0})");
780 EXPECT_THAT_EXPECTED(Expected
<int>(0), Succeeded());
781 EXPECT_NONFATAL_FAILURE(
782 EXPECT_THAT_EXPECTED(Expected
<int>(make_error
<CustomError
>(0)),
784 "Expected: succeeded\n Actual: failed (CustomError {0})");
786 EXPECT_THAT_EXPECTED(Expected
<int &>(a
), Succeeded());
789 TEST(Error
, FailedMatcher
) {
790 EXPECT_THAT_ERROR(make_error
<CustomError
>(0), Failed());
791 EXPECT_NONFATAL_FAILURE(EXPECT_THAT_ERROR(Error::success(), Failed()),
792 "Expected: failed\n Actual: succeeded");
794 EXPECT_THAT_ERROR(make_error
<CustomError
>(0), Failed
<CustomError
>());
795 EXPECT_NONFATAL_FAILURE(
796 EXPECT_THAT_ERROR(Error::success(), Failed
<CustomError
>()),
797 "Expected: failed with Error of given type\n Actual: succeeded");
798 EXPECT_NONFATAL_FAILURE(
799 EXPECT_THAT_ERROR(make_error
<CustomError
>(0), Failed
<CustomSubError
>()),
800 "Error was not of given type");
801 EXPECT_NONFATAL_FAILURE(
803 joinErrors(make_error
<CustomError
>(0), make_error
<CustomError
>(1)),
804 Failed
<CustomError
>()),
808 make_error
<CustomError
>(0),
809 Failed
<CustomError
>(testing::Property(&CustomError::getInfo
, 0)));
810 EXPECT_NONFATAL_FAILURE(
812 make_error
<CustomError
>(0),
813 Failed
<CustomError
>(testing::Property(&CustomError::getInfo
, 1))),
814 "Expected: failed with Error of given type and the error is an object "
815 "whose given property is equal to 1\n"
816 " Actual: failed (CustomError {0})");
817 EXPECT_THAT_ERROR(make_error
<CustomError
>(0), Failed
<ErrorInfoBase
>());
819 EXPECT_THAT_EXPECTED(Expected
<int>(make_error
<CustomError
>(0)), Failed());
820 EXPECT_NONFATAL_FAILURE(
821 EXPECT_THAT_EXPECTED(Expected
<int>(0), Failed()),
822 "Expected: failed\n Actual: succeeded with value 0");
823 EXPECT_THAT_EXPECTED(Expected
<int &>(make_error
<CustomError
>(0)), Failed());
826 TEST(Error
, HasValueMatcher
) {
827 EXPECT_THAT_EXPECTED(Expected
<int>(0), HasValue(0));
828 EXPECT_NONFATAL_FAILURE(
829 EXPECT_THAT_EXPECTED(Expected
<int>(make_error
<CustomError
>(0)),
831 "Expected: succeeded with value (is equal to 0)\n"
832 " Actual: failed (CustomError {0})");
833 EXPECT_NONFATAL_FAILURE(
834 EXPECT_THAT_EXPECTED(Expected
<int>(1), HasValue(0)),
835 "Expected: succeeded with value (is equal to 0)\n"
836 " Actual: succeeded with value 1, (isn't equal to 0)");
839 EXPECT_THAT_EXPECTED(Expected
<int &>(a
), HasValue(testing::Eq(1)));
841 EXPECT_THAT_EXPECTED(Expected
<int>(1), HasValue(testing::Gt(0)));
842 EXPECT_NONFATAL_FAILURE(
843 EXPECT_THAT_EXPECTED(Expected
<int>(0), HasValue(testing::Gt(1))),
844 "Expected: succeeded with value (is > 1)\n"
845 " Actual: succeeded with value 0, (isn't > 1)");
846 EXPECT_NONFATAL_FAILURE(
847 EXPECT_THAT_EXPECTED(Expected
<int>(make_error
<CustomError
>(0)),
848 HasValue(testing::Gt(1))),
849 "Expected: succeeded with value (is > 1)\n"
850 " Actual: failed (CustomError {0})");
853 TEST(Error
, FailedWithMessageMatcher
) {
854 EXPECT_THAT_EXPECTED(Expected
<int>(make_error
<CustomError
>(0)),
855 FailedWithMessage("CustomError {0}"));
857 EXPECT_NONFATAL_FAILURE(
858 EXPECT_THAT_EXPECTED(Expected
<int>(make_error
<CustomError
>(1)),
859 FailedWithMessage("CustomError {0}")),
860 "Expected: failed with Error whose message has 1 element that is equal "
861 "to \"CustomError {0}\"\n"
862 " Actual: failed (CustomError {1})");
864 EXPECT_NONFATAL_FAILURE(
865 EXPECT_THAT_EXPECTED(Expected
<int>(0),
866 FailedWithMessage("CustomError {0}")),
867 "Expected: failed with Error whose message has 1 element that is equal "
868 "to \"CustomError {0}\"\n"
869 " Actual: succeeded with value 0");
871 EXPECT_NONFATAL_FAILURE(
872 EXPECT_THAT_EXPECTED(Expected
<int>(make_error
<CustomError
>(0)),
873 FailedWithMessage("CustomError {0}", "CustomError {0}")),
874 "Expected: failed with Error whose message has 2 elements where\n"
875 "element #0 is equal to \"CustomError {0}\",\n"
876 "element #1 is equal to \"CustomError {0}\"\n"
877 " Actual: failed (CustomError {0}), which has 1 element");
879 EXPECT_NONFATAL_FAILURE(
880 EXPECT_THAT_EXPECTED(
881 Expected
<int>(joinErrors(make_error
<CustomError
>(0),
882 make_error
<CustomError
>(0))),
883 FailedWithMessage("CustomError {0}")),
884 "Expected: failed with Error whose message has 1 element that is equal "
885 "to \"CustomError {0}\"\n"
886 " Actual: failed (CustomError {0}; CustomError {0}), which has 2 elements");
889 joinErrors(make_error
<CustomError
>(0), make_error
<CustomError
>(0)),
890 FailedWithMessageArray(testing::SizeIs(2)));
894 EXPECT_THAT_ERROR(unwrap(wrap(Error::success())), Succeeded())
895 << "Failed to round-trip Error success value via C API";
896 EXPECT_THAT_ERROR(unwrap(wrap(make_error
<CustomError
>(0))),
897 Failed
<CustomError
>())
898 << "Failed to round-trip Error failure value via C API";
901 wrap(make_error
<StringError
>("test message", inconvertibleErrorCode()));
902 EXPECT_EQ(LLVMGetErrorTypeId(Err
), LLVMGetStringErrorTypeId())
903 << "Failed to match error type ids via C API";
904 char *ErrMsg
= LLVMGetErrorMessage(Err
);
905 EXPECT_STREQ(ErrMsg
, "test message")
906 << "Failed to roundtrip StringError error message via C API";
907 LLVMDisposeErrorMessage(ErrMsg
);
912 unwrap(wrap(joinErrors(make_error
<CustomSubError
>(42, 7),
913 make_error
<CustomError
>(42)))),
914 [&](CustomSubError
&CSE
) {
917 [&](CustomError
&CE
) {
920 EXPECT_TRUE(GotCSE
) << "Failed to round-trip ErrorList via C API";
921 EXPECT_TRUE(GotCE
) << "Failed to round-trip ErrorList via C API";
924 TEST(Error
, FileErrorTest
) {
925 #if !defined(NDEBUG) && GTEST_HAS_DEATH_TEST
928 Error S
= Error::success();
929 consumeError(createFileError("file.bin", std::move(S
)));
933 // Not allowed, would fail at compile-time
934 //consumeError(createFileError("file.bin", ErrorSuccess()));
936 Error E1
= make_error
<CustomError
>(1);
937 Error FE1
= createFileError("file.bin", std::move(E1
));
938 EXPECT_EQ(toString(std::move(FE1
)), "'file.bin': CustomError {1}");
940 Error E2
= make_error
<CustomError
>(2);
941 Error FE2
= createFileError("file.bin", std::move(E2
));
942 handleAllErrors(std::move(FE2
), [](const FileError
&F
) {
943 EXPECT_EQ(F
.message(), "'file.bin': CustomError {2}");
946 Error E3
= make_error
<CustomError
>(3);
947 Error FE3
= createFileError("file.bin", std::move(E3
));
948 auto E31
= handleErrors(std::move(FE3
), [](std::unique_ptr
<FileError
> F
) {
949 return F
->takeError();
951 handleAllErrors(std::move(E31
), [](const CustomError
&C
) {
952 EXPECT_EQ(C
.message(), "CustomError {3}");
956 joinErrors(createFileError("file.bin", make_error
<CustomError
>(41)),
957 createFileError("file2.bin", make_error
<CustomError
>(42)));
958 EXPECT_EQ(toString(std::move(FE4
)), "'file.bin': CustomError {41}\n"
959 "'file2.bin': CustomError {42}");
961 Error FE5
= createFileError("", make_error
<CustomError
>(5));
962 EXPECT_EQ(toString(std::move(FE5
)), "'': CustomError {5}");
964 Error FE6
= createFileError("unused", make_error
<CustomError
>(6));
965 handleAllErrors(std::move(FE6
), [](std::unique_ptr
<FileError
> F
) {
966 EXPECT_EQ(F
->messageWithoutFileInfo(), "CustomError {6}");
970 TEST(Error
, FileErrorErrorCode
) {
971 for (std::error_code EC
: {
972 make_error_code(std::errc::not_supported
),
973 make_error_code(std::errc::invalid_argument
),
974 make_error_code(std::errc::no_such_file_or_directory
),
976 EXPECT_EQ(EC
, errorToErrorCode(
977 createFileError("file.bin", EC
)));
978 EXPECT_EQ(EC
, errorToErrorCode(
979 createFileError("file.bin", /*Line=*/5, EC
)));
980 EXPECT_EQ(EC
, errorToErrorCode(
981 createFileError("file.bin", errorCodeToError(EC
))));
982 EXPECT_EQ(EC
, errorToErrorCode(
983 createFileError("file.bin", /*Line=*/5, errorCodeToError(EC
))));
986 // inconvertibleErrorCode() should be wrapped to avoid a fatal error.
988 "A file error occurred.",
989 errorToErrorCode(createFileError("file.bin", inconvertibleErrorCode()))
992 "A file error occurred.",
993 errorToErrorCode(createFileError("file.bin", /*Line=*/5, inconvertibleErrorCode()))
997 enum class test_error_code
{
1003 } // end anon namespace
1007 struct is_error_code_enum
<test_error_code
> : std::true_type
{};
1012 const std::error_category
&TErrorCategory();
1014 inline std::error_code
make_error_code(test_error_code E
) {
1015 return std::error_code(static_cast<int>(E
), TErrorCategory());
1018 class TestDebugError
: public ErrorInfo
<TestDebugError
, StringError
> {
1020 using ErrorInfo
<TestDebugError
, StringError
>::ErrorInfo
; // inherit constructors
1021 TestDebugError(const Twine
&S
) : ErrorInfo(S
, test_error_code::unspecified
) {}
1025 class TestErrorCategory
: public std::error_category
{
1027 const char *name() const noexcept override
{ return "error"; }
1028 std::string
message(int Condition
) const override
{
1029 switch (static_cast<test_error_code
>(Condition
)) {
1030 case test_error_code::unspecified
:
1031 return "An unknown error has occurred.";
1032 case test_error_code::error_1
:
1034 case test_error_code::error_2
:
1037 llvm_unreachable("Unrecognized test_error_code");
1041 const std::error_category
&TErrorCategory() {
1042 static TestErrorCategory TestErrCategory
;
1043 return TestErrCategory
;
1046 char TestDebugError::ID
;
1048 TEST(Error
, SubtypeStringErrorTest
) {
1049 auto E1
= make_error
<TestDebugError
>(test_error_code::error_1
);
1050 EXPECT_EQ(toString(std::move(E1
)), "Error 1.");
1052 auto E2
= make_error
<TestDebugError
>(test_error_code::error_1
,
1053 "Detailed information");
1054 EXPECT_EQ(toString(std::move(E2
)), "Error 1. Detailed information");
1056 auto E3
= make_error
<TestDebugError
>(test_error_code::error_2
);
1057 handleAllErrors(std::move(E3
), [](const TestDebugError
&F
) {
1058 EXPECT_EQ(F
.message(), "Error 2.");
1061 auto E4
= joinErrors(make_error
<TestDebugError
>(test_error_code::error_1
,
1062 "Detailed information"),
1063 make_error
<TestDebugError
>(test_error_code::error_2
));
1064 EXPECT_EQ(toString(std::move(E4
)), "Error 1. Detailed information\n"
1068 static Error
createAnyError() {
1069 return errorCodeToError(test_error_code::unspecified
);
1072 struct MoveOnlyBox
{
1075 explicit MoveOnlyBox(int I
) : Box(I
) {}
1076 MoveOnlyBox() = default;
1077 MoveOnlyBox(MoveOnlyBox
&&) = default;
1078 MoveOnlyBox
&operator=(MoveOnlyBox
&&) = default;
1080 MoveOnlyBox(const MoveOnlyBox
&) = delete;
1081 MoveOnlyBox
&operator=(const MoveOnlyBox
&) = delete;
1083 bool operator==(const MoveOnlyBox
&RHS
) const {
1084 if (bool(Box
) != bool(RHS
.Box
))
1086 return Box
? *Box
== *RHS
.Box
: false;
1090 TEST(Error
, moveInto
) {
1091 // Use MoveOnlyBox as the T in Expected<T>.
1092 auto make
= [](int I
) -> Expected
<MoveOnlyBox
> { return MoveOnlyBox(I
); };
1093 auto makeFailure
= []() -> Expected
<MoveOnlyBox
> { return createAnyError(); };
1098 // Failure with no prior value.
1099 EXPECT_THAT_ERROR(makeFailure().moveInto(V
), Failed());
1100 EXPECT_EQ(None
, V
.Box
);
1102 // Success with no prior value.
1103 EXPECT_THAT_ERROR(make(5).moveInto(V
), Succeeded());
1104 EXPECT_EQ(5, V
.Box
);
1106 // Success with an existing value.
1107 EXPECT_THAT_ERROR(make(7).moveInto(V
), Succeeded());
1108 EXPECT_EQ(7, V
.Box
);
1110 // Failure with an existing value. Might be nice to assign a
1111 // default-constructed value in this case, but for now it's being left
1113 EXPECT_THAT_ERROR(makeFailure().moveInto(V
), Failed());
1114 EXPECT_EQ(7, V
.Box
);
1117 // Check that this works with optionals too.
1119 // Same cases as above.
1120 Optional
<MoveOnlyBox
> MaybeV
;
1121 EXPECT_THAT_ERROR(makeFailure().moveInto(MaybeV
), Failed());
1122 EXPECT_EQ(None
, MaybeV
);
1124 EXPECT_THAT_ERROR(make(5).moveInto(MaybeV
), Succeeded());
1125 EXPECT_EQ(MoveOnlyBox(5), MaybeV
);
1127 EXPECT_THAT_ERROR(make(7).moveInto(MaybeV
), Succeeded());
1128 EXPECT_EQ(MoveOnlyBox(7), MaybeV
);
1130 EXPECT_THAT_ERROR(makeFailure().moveInto(MaybeV
), Failed());
1131 EXPECT_EQ(MoveOnlyBox(7), MaybeV
);