]> git.proxmox.com Git - ceph.git/blame - ceph/src/googletest/googletest/test/googletest-death-test-test.cc
update source to Ceph Pacific 16.2.2
[ceph.git] / ceph / src / googletest / googletest / test / googletest-death-test-test.cc
CommitLineData
7c673cae
FG
1// Copyright 2005, Google Inc.
2// All rights reserved.
3//
4// Redistribution and use in source and binary forms, with or without
5// modification, are permitted provided that the following conditions are
6// met:
7//
8// * Redistributions of source code must retain the above copyright
9// notice, this list of conditions and the following disclaimer.
10// * Redistributions in binary form must reproduce the above
11// copyright notice, this list of conditions and the following disclaimer
12// in the documentation and/or other materials provided with the
13// distribution.
14// * Neither the name of Google Inc. nor the names of its
15// contributors may be used to endorse or promote products derived from
16// this software without specific prior written permission.
17//
18// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
19// "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
20// LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
21// A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
22// OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
23// SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
24// LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
25// DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
26// THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
27// (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
28// OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
9f95a23c 29
7c673cae
FG
30//
31// Tests for death tests.
32
33#include "gtest/gtest-death-test.h"
9f95a23c 34
7c673cae
FG
35#include "gtest/gtest.h"
36#include "gtest/internal/gtest-filepath.h"
37
38using testing::internal::AlwaysFalse;
39using testing::internal::AlwaysTrue;
40
41#if GTEST_HAS_DEATH_TEST
42
43# if GTEST_OS_WINDOWS
9f95a23c 44# include <fcntl.h> // For O_BINARY
7c673cae 45# include <direct.h> // For chdir().
9f95a23c 46# include <io.h>
7c673cae
FG
47# else
48# include <unistd.h>
49# include <sys/wait.h> // For waitpid.
50# endif // GTEST_OS_WINDOWS
51
52# include <limits.h>
53# include <signal.h>
54# include <stdio.h>
55
56# if GTEST_OS_LINUX
57# include <sys/time.h>
58# endif // GTEST_OS_LINUX
59
60# include "gtest/gtest-spi.h"
7c673cae 61# include "src/gtest-internal-inl.h"
7c673cae
FG
62
63namespace posix = ::testing::internal::posix;
64
9f95a23c
TL
65using testing::ContainsRegex;
66using testing::Matcher;
7c673cae
FG
67using testing::Message;
68using testing::internal::DeathTest;
69using testing::internal::DeathTestFactory;
70using testing::internal::FilePath;
71using testing::internal::GetLastErrnoDescription;
72using testing::internal::GetUnitTestImpl;
73using testing::internal::InDeathTestChild;
74using testing::internal::ParseNaturalNumber;
75
76namespace testing {
77namespace internal {
78
79// A helper class whose objects replace the death test factory for a
80// single UnitTest object during their lifetimes.
81class ReplaceDeathTestFactory {
82 public:
83 explicit ReplaceDeathTestFactory(DeathTestFactory* new_factory)
84 : unit_test_impl_(GetUnitTestImpl()) {
85 old_factory_ = unit_test_impl_->death_test_factory_.release();
86 unit_test_impl_->death_test_factory_.reset(new_factory);
87 }
88
89 ~ReplaceDeathTestFactory() {
90 unit_test_impl_->death_test_factory_.release();
91 unit_test_impl_->death_test_factory_.reset(old_factory_);
92 }
93 private:
94 // Prevents copying ReplaceDeathTestFactory objects.
95 ReplaceDeathTestFactory(const ReplaceDeathTestFactory&);
96 void operator=(const ReplaceDeathTestFactory&);
97
98 UnitTestImpl* unit_test_impl_;
99 DeathTestFactory* old_factory_;
100};
101
102} // namespace internal
103} // namespace testing
104
9f95a23c
TL
105namespace {
106
7c673cae
FG
107void DieWithMessage(const ::std::string& message) {
108 fprintf(stderr, "%s", message.c_str());
109 fflush(stderr); // Make sure the text is printed before the process exits.
110
111 // We call _exit() instead of exit(), as the former is a direct
112 // system call and thus safer in the presence of threads. exit()
113 // will invoke user-defined exit-hooks, which may do dangerous
114 // things that conflict with death tests.
115 //
116 // Some compilers can recognize that _exit() never returns and issue the
117 // 'unreachable code' warning for code following this function, unless
118 // fooled by a fake condition.
119 if (AlwaysTrue())
120 _exit(1);
121}
122
123void DieInside(const ::std::string& function) {
124 DieWithMessage("death inside " + function + "().");
125}
126
127// Tests that death tests work.
128
129class TestForDeathTest : public testing::Test {
130 protected:
131 TestForDeathTest() : original_dir_(FilePath::GetCurrentDir()) {}
132
9f95a23c 133 ~TestForDeathTest() override { posix::ChDir(original_dir_.c_str()); }
7c673cae
FG
134
135 // A static member function that's expected to die.
136 static void StaticMemberFunction() { DieInside("StaticMemberFunction"); }
137
138 // A method of the test fixture that may die.
139 void MemberFunction() {
140 if (should_die_)
141 DieInside("MemberFunction");
142 }
143
9f95a23c 144 // True if and only if MemberFunction() should die.
7c673cae
FG
145 bool should_die_;
146 const FilePath original_dir_;
147};
148
149// A class with a member function that may die.
150class MayDie {
151 public:
152 explicit MayDie(bool should_die) : should_die_(should_die) {}
153
154 // A member function that may die.
155 void MemberFunction() const {
156 if (should_die_)
157 DieInside("MayDie::MemberFunction");
158 }
159
160 private:
9f95a23c 161 // True if and only if MemberFunction() should die.
7c673cae
FG
162 bool should_die_;
163};
164
165// A global function that's expected to die.
166void GlobalFunction() { DieInside("GlobalFunction"); }
167
168// A non-void function that's expected to die.
169int NonVoidFunction() {
170 DieInside("NonVoidFunction");
171 return 1;
172}
173
174// A unary function that may die.
175void DieIf(bool should_die) {
176 if (should_die)
177 DieInside("DieIf");
178}
179
180// A binary function that may die.
181bool DieIfLessThan(int x, int y) {
182 if (x < y) {
183 DieInside("DieIfLessThan");
184 }
185 return true;
186}
187
188// Tests that ASSERT_DEATH can be used outside a TEST, TEST_F, or test fixture.
189void DeathTestSubroutine() {
190 EXPECT_DEATH(GlobalFunction(), "death.*GlobalFunction");
191 ASSERT_DEATH(GlobalFunction(), "death.*GlobalFunction");
192}
193
194// Death in dbg, not opt.
195int DieInDebugElse12(int* sideeffect) {
196 if (sideeffect) *sideeffect = 12;
197
198# ifndef NDEBUG
199
200 DieInside("DieInDebugElse12");
201
202# endif // NDEBUG
203
204 return 12;
205}
206
207# if GTEST_OS_WINDOWS
208
9f95a23c
TL
209// Death in dbg due to Windows CRT assertion failure, not opt.
210int DieInCRTDebugElse12(int* sideeffect) {
211 if (sideeffect) *sideeffect = 12;
212
213 // Create an invalid fd by closing a valid one
214 int fdpipe[2];
215 EXPECT_EQ(_pipe(fdpipe, 256, O_BINARY), 0);
216 EXPECT_EQ(_close(fdpipe[0]), 0);
217 EXPECT_EQ(_close(fdpipe[1]), 0);
218
219 // _dup() should crash in debug mode
220 EXPECT_EQ(_dup(fdpipe[0]), -1);
221
222 return 12;
223}
224
225#endif // GTEST_OS_WINDOWS
226
227# if GTEST_OS_WINDOWS || GTEST_OS_FUCHSIA
228
7c673cae
FG
229// Tests the ExitedWithCode predicate.
230TEST(ExitStatusPredicateTest, ExitedWithCode) {
231 // On Windows, the process's exit code is the same as its exit status,
232 // so the predicate just compares the its input with its parameter.
233 EXPECT_TRUE(testing::ExitedWithCode(0)(0));
234 EXPECT_TRUE(testing::ExitedWithCode(1)(1));
235 EXPECT_TRUE(testing::ExitedWithCode(42)(42));
236 EXPECT_FALSE(testing::ExitedWithCode(0)(1));
237 EXPECT_FALSE(testing::ExitedWithCode(1)(0));
238}
239
240# else
241
242// Returns the exit status of a process that calls _exit(2) with a
243// given exit code. This is a helper function for the
244// ExitStatusPredicateTest test suite.
245static int NormalExitStatus(int exit_code) {
246 pid_t child_pid = fork();
247 if (child_pid == 0) {
248 _exit(exit_code);
249 }
250 int status;
251 waitpid(child_pid, &status, 0);
252 return status;
253}
254
255// Returns the exit status of a process that raises a given signal.
256// If the signal does not cause the process to die, then it returns
257// instead the exit status of a process that exits normally with exit
258// code 1. This is a helper function for the ExitStatusPredicateTest
259// test suite.
260static int KilledExitStatus(int signum) {
261 pid_t child_pid = fork();
262 if (child_pid == 0) {
263 raise(signum);
264 _exit(1);
265 }
266 int status;
267 waitpid(child_pid, &status, 0);
268 return status;
269}
270
271// Tests the ExitedWithCode predicate.
272TEST(ExitStatusPredicateTest, ExitedWithCode) {
273 const int status0 = NormalExitStatus(0);
274 const int status1 = NormalExitStatus(1);
275 const int status42 = NormalExitStatus(42);
276 const testing::ExitedWithCode pred0(0);
277 const testing::ExitedWithCode pred1(1);
278 const testing::ExitedWithCode pred42(42);
279 EXPECT_PRED1(pred0, status0);
280 EXPECT_PRED1(pred1, status1);
281 EXPECT_PRED1(pred42, status42);
282 EXPECT_FALSE(pred0(status1));
283 EXPECT_FALSE(pred42(status0));
284 EXPECT_FALSE(pred1(status42));
285}
286
287// Tests the KilledBySignal predicate.
288TEST(ExitStatusPredicateTest, KilledBySignal) {
289 const int status_segv = KilledExitStatus(SIGSEGV);
290 const int status_kill = KilledExitStatus(SIGKILL);
291 const testing::KilledBySignal pred_segv(SIGSEGV);
292 const testing::KilledBySignal pred_kill(SIGKILL);
293 EXPECT_PRED1(pred_segv, status_segv);
294 EXPECT_PRED1(pred_kill, status_kill);
295 EXPECT_FALSE(pred_segv(status_kill));
296 EXPECT_FALSE(pred_kill(status_segv));
297}
298
9f95a23c 299# endif // GTEST_OS_WINDOWS || GTEST_OS_FUCHSIA
7c673cae 300
f67539c2
TL
301// The following code intentionally tests a suboptimal syntax.
302#ifdef __GNUC__
303#pragma GCC diagnostic push
304#pragma GCC diagnostic ignored "-Wdangling-else"
305#pragma GCC diagnostic ignored "-Wempty-body"
306#pragma GCC diagnostic ignored "-Wpragmas"
307#endif
7c673cae
FG
308// Tests that the death test macros expand to code which may or may not
309// be followed by operator<<, and that in either case the complete text
310// comprises only a single C++ statement.
311TEST_F(TestForDeathTest, SingleStatement) {
312 if (AlwaysFalse())
313 // This would fail if executed; this is a compilation test only
314 ASSERT_DEATH(return, "");
315
316 if (AlwaysTrue())
317 EXPECT_DEATH(_exit(1), "");
318 else
319 // This empty "else" branch is meant to ensure that EXPECT_DEATH
320 // doesn't expand into an "if" statement without an "else"
321 ;
322
323 if (AlwaysFalse())
324 ASSERT_DEATH(return, "") << "did not die";
325
326 if (AlwaysFalse())
327 ;
328 else
329 EXPECT_DEATH(_exit(1), "") << 1 << 2 << 3;
330}
f67539c2
TL
331#ifdef __GNUC__
332#pragma GCC diagnostic pop
333#endif
7c673cae 334
9f95a23c
TL
335# if GTEST_USES_PCRE
336
7c673cae
FG
337void DieWithEmbeddedNul() {
338 fprintf(stderr, "Hello%cmy null world.\n", '\0');
339 fflush(stderr);
340 _exit(1);
341}
342
7c673cae
FG
343// Tests that EXPECT_DEATH and ASSERT_DEATH work when the error
344// message has a NUL character in it.
345TEST_F(TestForDeathTest, EmbeddedNulInMessage) {
7c673cae
FG
346 EXPECT_DEATH(DieWithEmbeddedNul(), "my null world");
347 ASSERT_DEATH(DieWithEmbeddedNul(), "my null world");
348}
9f95a23c 349
7c673cae
FG
350# endif // GTEST_USES_PCRE
351
352// Tests that death test macros expand to code which interacts well with switch
353// statements.
354TEST_F(TestForDeathTest, SwitchStatement) {
355 // Microsoft compiler usually complains about switch statements without
356 // case labels. We suppress that warning for this test.
357 GTEST_DISABLE_MSC_WARNINGS_PUSH_(4065)
358
359 switch (0)
360 default:
361 ASSERT_DEATH(_exit(1), "") << "exit in default switch handler";
362
363 switch (0)
364 case 0:
365 EXPECT_DEATH(_exit(1), "") << "exit in switch case";
366
367 GTEST_DISABLE_MSC_WARNINGS_POP_()
368}
369
370// Tests that a static member function can be used in a "fast" style
371// death test.
372TEST_F(TestForDeathTest, StaticMemberFunctionFastStyle) {
373 testing::GTEST_FLAG(death_test_style) = "fast";
374 ASSERT_DEATH(StaticMemberFunction(), "death.*StaticMember");
375}
376
377// Tests that a method of the test fixture can be used in a "fast"
378// style death test.
379TEST_F(TestForDeathTest, MemberFunctionFastStyle) {
380 testing::GTEST_FLAG(death_test_style) = "fast";
381 should_die_ = true;
382 EXPECT_DEATH(MemberFunction(), "inside.*MemberFunction");
383}
384
385void ChangeToRootDir() { posix::ChDir(GTEST_PATH_SEP_); }
386
387// Tests that death tests work even if the current directory has been
388// changed.
389TEST_F(TestForDeathTest, FastDeathTestInChangedDir) {
390 testing::GTEST_FLAG(death_test_style) = "fast";
391
392 ChangeToRootDir();
393 EXPECT_EXIT(_exit(1), testing::ExitedWithCode(1), "");
394
395 ChangeToRootDir();
396 ASSERT_DEATH(_exit(1), "");
397}
398
399# if GTEST_OS_LINUX
400void SigprofAction(int, siginfo_t*, void*) { /* no op */ }
401
402// Sets SIGPROF action and ITIMER_PROF timer (interval: 1ms).
403void SetSigprofActionAndTimer() {
7c673cae
FG
404 struct sigaction signal_action;
405 memset(&signal_action, 0, sizeof(signal_action));
406 sigemptyset(&signal_action.sa_mask);
407 signal_action.sa_sigaction = SigprofAction;
408 signal_action.sa_flags = SA_RESTART | SA_SIGINFO;
9f95a23c 409 ASSERT_EQ(0, sigaction(SIGPROF, &signal_action, nullptr));
f67539c2
TL
410 // timer comes second, to avoid SIGPROF premature delivery, as suggested at
411 // https://www.gnu.org/software/libc/manual/html_node/Setting-an-Alarm.html
412 struct itimerval timer;
413 timer.it_interval.tv_sec = 0;
414 timer.it_interval.tv_usec = 1;
415 timer.it_value = timer.it_interval;
416 ASSERT_EQ(0, setitimer(ITIMER_PROF, &timer, nullptr));
7c673cae
FG
417}
418
419// Disables ITIMER_PROF timer and ignores SIGPROF signal.
420void DisableSigprofActionAndTimer(struct sigaction* old_signal_action) {
421 struct itimerval timer;
422 timer.it_interval.tv_sec = 0;
423 timer.it_interval.tv_usec = 0;
424 timer.it_value = timer.it_interval;
9f95a23c 425 ASSERT_EQ(0, setitimer(ITIMER_PROF, &timer, nullptr));
7c673cae
FG
426 struct sigaction signal_action;
427 memset(&signal_action, 0, sizeof(signal_action));
428 sigemptyset(&signal_action.sa_mask);
429 signal_action.sa_handler = SIG_IGN;
430 ASSERT_EQ(0, sigaction(SIGPROF, &signal_action, old_signal_action));
431}
432
433// Tests that death tests work when SIGPROF handler and timer are set.
434TEST_F(TestForDeathTest, FastSigprofActionSet) {
435 testing::GTEST_FLAG(death_test_style) = "fast";
436 SetSigprofActionAndTimer();
437 EXPECT_DEATH(_exit(1), "");
438 struct sigaction old_signal_action;
439 DisableSigprofActionAndTimer(&old_signal_action);
440 EXPECT_TRUE(old_signal_action.sa_sigaction == SigprofAction);
441}
442
443TEST_F(TestForDeathTest, ThreadSafeSigprofActionSet) {
444 testing::GTEST_FLAG(death_test_style) = "threadsafe";
445 SetSigprofActionAndTimer();
446 EXPECT_DEATH(_exit(1), "");
447 struct sigaction old_signal_action;
448 DisableSigprofActionAndTimer(&old_signal_action);
449 EXPECT_TRUE(old_signal_action.sa_sigaction == SigprofAction);
450}
451# endif // GTEST_OS_LINUX
452
453// Repeats a representative sample of death tests in the "threadsafe" style:
454
455TEST_F(TestForDeathTest, StaticMemberFunctionThreadsafeStyle) {
456 testing::GTEST_FLAG(death_test_style) = "threadsafe";
457 ASSERT_DEATH(StaticMemberFunction(), "death.*StaticMember");
458}
459
460TEST_F(TestForDeathTest, MemberFunctionThreadsafeStyle) {
461 testing::GTEST_FLAG(death_test_style) = "threadsafe";
462 should_die_ = true;
463 EXPECT_DEATH(MemberFunction(), "inside.*MemberFunction");
464}
465
466TEST_F(TestForDeathTest, ThreadsafeDeathTestInLoop) {
467 testing::GTEST_FLAG(death_test_style) = "threadsafe";
468
469 for (int i = 0; i < 3; ++i)
470 EXPECT_EXIT(_exit(i), testing::ExitedWithCode(i), "") << ": i = " << i;
471}
472
473TEST_F(TestForDeathTest, ThreadsafeDeathTestInChangedDir) {
474 testing::GTEST_FLAG(death_test_style) = "threadsafe";
475
476 ChangeToRootDir();
477 EXPECT_EXIT(_exit(1), testing::ExitedWithCode(1), "");
478
479 ChangeToRootDir();
480 ASSERT_DEATH(_exit(1), "");
481}
482
483TEST_F(TestForDeathTest, MixedStyles) {
484 testing::GTEST_FLAG(death_test_style) = "threadsafe";
485 EXPECT_DEATH(_exit(1), "");
486 testing::GTEST_FLAG(death_test_style) = "fast";
487 EXPECT_DEATH(_exit(1), "");
488}
489
490# if GTEST_HAS_CLONE && GTEST_HAS_PTHREAD
491
7c673cae
FG
492bool pthread_flag;
493
494void SetPthreadFlag() {
495 pthread_flag = true;
496}
497
7c673cae
FG
498TEST_F(TestForDeathTest, DoesNotExecuteAtforkHooks) {
499 if (!testing::GTEST_FLAG(death_test_use_fork)) {
500 testing::GTEST_FLAG(death_test_style) = "threadsafe";
501 pthread_flag = false;
9f95a23c 502 ASSERT_EQ(0, pthread_atfork(&SetPthreadFlag, nullptr, nullptr));
7c673cae
FG
503 ASSERT_DEATH(_exit(1), "");
504 ASSERT_FALSE(pthread_flag);
505 }
506}
507
508# endif // GTEST_HAS_CLONE && GTEST_HAS_PTHREAD
509
510// Tests that a method of another class can be used in a death test.
511TEST_F(TestForDeathTest, MethodOfAnotherClass) {
512 const MayDie x(true);
513 ASSERT_DEATH(x.MemberFunction(), "MayDie\\:\\:MemberFunction");
514}
515
516// Tests that a global function can be used in a death test.
517TEST_F(TestForDeathTest, GlobalFunction) {
518 EXPECT_DEATH(GlobalFunction(), "GlobalFunction");
519}
520
521// Tests that any value convertible to an RE works as a second
522// argument to EXPECT_DEATH.
523TEST_F(TestForDeathTest, AcceptsAnythingConvertibleToRE) {
524 static const char regex_c_str[] = "GlobalFunction";
525 EXPECT_DEATH(GlobalFunction(), regex_c_str);
526
527 const testing::internal::RE regex(regex_c_str);
528 EXPECT_DEATH(GlobalFunction(), regex);
529
7c673cae
FG
530# if !GTEST_USES_PCRE
531
532 const ::std::string regex_std_str(regex_c_str);
533 EXPECT_DEATH(GlobalFunction(), regex_std_str);
534
9f95a23c
TL
535 // This one is tricky; a temporary pointer into another temporary. Reference
536 // lifetime extension of the pointer is not sufficient.
537 EXPECT_DEATH(GlobalFunction(), ::std::string(regex_c_str).c_str());
538
7c673cae
FG
539# endif // !GTEST_USES_PCRE
540}
541
542// Tests that a non-void function can be used in a death test.
543TEST_F(TestForDeathTest, NonVoidFunction) {
544 ASSERT_DEATH(NonVoidFunction(), "NonVoidFunction");
545}
546
547// Tests that functions that take parameter(s) can be used in a death test.
548TEST_F(TestForDeathTest, FunctionWithParameter) {
549 EXPECT_DEATH(DieIf(true), "DieIf\\(\\)");
550 EXPECT_DEATH(DieIfLessThan(2, 3), "DieIfLessThan");
551}
552
553// Tests that ASSERT_DEATH can be used outside a TEST, TEST_F, or test fixture.
554TEST_F(TestForDeathTest, OutsideFixture) {
555 DeathTestSubroutine();
556}
557
558// Tests that death tests can be done inside a loop.
559TEST_F(TestForDeathTest, InsideLoop) {
560 for (int i = 0; i < 5; i++) {
561 EXPECT_DEATH(DieIfLessThan(-1, i), "DieIfLessThan") << "where i == " << i;
562 }
563}
564
565// Tests that a compound statement can be used in a death test.
566TEST_F(TestForDeathTest, CompoundStatement) {
567 EXPECT_DEATH({ // NOLINT
568 const int x = 2;
569 const int y = x + 1;
570 DieIfLessThan(x, y);
571 },
572 "DieIfLessThan");
573}
574
575// Tests that code that doesn't die causes a death test to fail.
576TEST_F(TestForDeathTest, DoesNotDie) {
577 EXPECT_NONFATAL_FAILURE(EXPECT_DEATH(DieIf(false), "DieIf"),
578 "failed to die");
579}
580
581// Tests that a death test fails when the error message isn't expected.
582TEST_F(TestForDeathTest, ErrorMessageMismatch) {
583 EXPECT_NONFATAL_FAILURE({ // NOLINT
584 EXPECT_DEATH(DieIf(true), "DieIfLessThan") << "End of death test message.";
585 }, "died but not with expected error");
586}
587
9f95a23c
TL
588// On exit, *aborted will be true if and only if the EXPECT_DEATH()
589// statement aborted the function.
7c673cae
FG
590void ExpectDeathTestHelper(bool* aborted) {
591 *aborted = true;
592 EXPECT_DEATH(DieIf(false), "DieIf"); // This assertion should fail.
593 *aborted = false;
594}
595
596// Tests that EXPECT_DEATH doesn't abort the test on failure.
597TEST_F(TestForDeathTest, EXPECT_DEATH) {
598 bool aborted = true;
599 EXPECT_NONFATAL_FAILURE(ExpectDeathTestHelper(&aborted),
600 "failed to die");
601 EXPECT_FALSE(aborted);
602}
603
604// Tests that ASSERT_DEATH does abort the test on failure.
605TEST_F(TestForDeathTest, ASSERT_DEATH) {
606 static bool aborted;
607 EXPECT_FATAL_FAILURE({ // NOLINT
608 aborted = true;
609 ASSERT_DEATH(DieIf(false), "DieIf"); // This assertion should fail.
610 aborted = false;
611 }, "failed to die");
612 EXPECT_TRUE(aborted);
613}
614
615// Tests that EXPECT_DEATH evaluates the arguments exactly once.
616TEST_F(TestForDeathTest, SingleEvaluation) {
617 int x = 3;
618 EXPECT_DEATH(DieIf((++x) == 4), "DieIf");
619
620 const char* regex = "DieIf";
621 const char* regex_save = regex;
622 EXPECT_DEATH(DieIfLessThan(3, 4), regex++);
623 EXPECT_EQ(regex_save + 1, regex);
624}
625
626// Tests that run-away death tests are reported as failures.
627TEST_F(TestForDeathTest, RunawayIsFailure) {
628 EXPECT_NONFATAL_FAILURE(EXPECT_DEATH(static_cast<void>(0), "Foo"),
629 "failed to die.");
630}
631
632// Tests that death tests report executing 'return' in the statement as
633// failure.
634TEST_F(TestForDeathTest, ReturnIsFailure) {
635 EXPECT_FATAL_FAILURE(ASSERT_DEATH(return, "Bar"),
636 "illegal return in test statement.");
637}
638
639// Tests that EXPECT_DEBUG_DEATH works as expected, that is, you can stream a
640// message to it, and in debug mode it:
641// 1. Asserts on death.
642// 2. Has no side effect.
643//
644// And in opt mode, it:
645// 1. Has side effects but does not assert.
646TEST_F(TestForDeathTest, TestExpectDebugDeath) {
647 int sideeffect = 0;
648
9f95a23c
TL
649 // Put the regex in a local variable to make sure we don't get an "unused"
650 // warning in opt mode.
651 const char* regex = "death.*DieInDebugElse12";
652
653 EXPECT_DEBUG_DEATH(DieInDebugElse12(&sideeffect), regex)
654 << "Must accept a streamed message";
655
656# ifdef NDEBUG
657
658 // Checks that the assignment occurs in opt mode (sideeffect).
659 EXPECT_EQ(12, sideeffect);
660
661# else
662
663 // Checks that the assignment does not occur in dbg mode (no sideeffect).
664 EXPECT_EQ(0, sideeffect);
665
666# endif
667}
668
669# if GTEST_OS_WINDOWS
670
671// Tests that EXPECT_DEBUG_DEATH works as expected when in debug mode
672// the Windows CRT crashes the process with an assertion failure.
673// 1. Asserts on death.
674// 2. Has no side effect (doesn't pop up a window or wait for user input).
675//
676// And in opt mode, it:
677// 1. Has side effects but does not assert.
678TEST_F(TestForDeathTest, CRTDebugDeath) {
679 int sideeffect = 0;
680
681 // Put the regex in a local variable to make sure we don't get an "unused"
682 // warning in opt mode.
683 const char* regex = "dup.* : Assertion failed";
684
685 EXPECT_DEBUG_DEATH(DieInCRTDebugElse12(&sideeffect), regex)
7c673cae
FG
686 << "Must accept a streamed message";
687
688# ifdef NDEBUG
689
690 // Checks that the assignment occurs in opt mode (sideeffect).
691 EXPECT_EQ(12, sideeffect);
692
693# else
694
695 // Checks that the assignment does not occur in dbg mode (no sideeffect).
696 EXPECT_EQ(0, sideeffect);
697
698# endif
699}
700
9f95a23c
TL
701# endif // GTEST_OS_WINDOWS
702
7c673cae
FG
703// Tests that ASSERT_DEBUG_DEATH works as expected, that is, you can stream a
704// message to it, and in debug mode it:
705// 1. Asserts on death.
706// 2. Has no side effect.
707//
708// And in opt mode, it:
709// 1. Has side effects but does not assert.
710TEST_F(TestForDeathTest, TestAssertDebugDeath) {
711 int sideeffect = 0;
712
713 ASSERT_DEBUG_DEATH(DieInDebugElse12(&sideeffect), "death.*DieInDebugElse12")
714 << "Must accept a streamed message";
715
716# ifdef NDEBUG
717
718 // Checks that the assignment occurs in opt mode (sideeffect).
719 EXPECT_EQ(12, sideeffect);
720
721# else
722
723 // Checks that the assignment does not occur in dbg mode (no sideeffect).
724 EXPECT_EQ(0, sideeffect);
725
726# endif
727}
728
729# ifndef NDEBUG
730
731void ExpectDebugDeathHelper(bool* aborted) {
732 *aborted = true;
733 EXPECT_DEBUG_DEATH(return, "") << "This is expected to fail.";
734 *aborted = false;
735}
736
737# if GTEST_OS_WINDOWS
738TEST(PopUpDeathTest, DoesNotShowPopUpOnAbort) {
739 printf("This test should be considered failing if it shows "
740 "any pop-up dialogs.\n");
741 fflush(stdout);
742
743 EXPECT_DEATH({
744 testing::GTEST_FLAG(catch_exceptions) = false;
745 abort();
746 }, "");
747}
748# endif // GTEST_OS_WINDOWS
749
750// Tests that EXPECT_DEBUG_DEATH in debug mode does not abort
751// the function.
752TEST_F(TestForDeathTest, ExpectDebugDeathDoesNotAbort) {
753 bool aborted = true;
754 EXPECT_NONFATAL_FAILURE(ExpectDebugDeathHelper(&aborted), "");
755 EXPECT_FALSE(aborted);
756}
757
758void AssertDebugDeathHelper(bool* aborted) {
759 *aborted = true;
760 GTEST_LOG_(INFO) << "Before ASSERT_DEBUG_DEATH";
761 ASSERT_DEBUG_DEATH(GTEST_LOG_(INFO) << "In ASSERT_DEBUG_DEATH"; return, "")
762 << "This is expected to fail.";
763 GTEST_LOG_(INFO) << "After ASSERT_DEBUG_DEATH";
764 *aborted = false;
765}
766
767// Tests that ASSERT_DEBUG_DEATH in debug mode aborts the function on
768// failure.
769TEST_F(TestForDeathTest, AssertDebugDeathAborts) {
770 static bool aborted;
771 aborted = false;
772 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
773 EXPECT_TRUE(aborted);
774}
775
776TEST_F(TestForDeathTest, AssertDebugDeathAborts2) {
777 static bool aborted;
778 aborted = false;
779 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
780 EXPECT_TRUE(aborted);
781}
782
783TEST_F(TestForDeathTest, AssertDebugDeathAborts3) {
784 static bool aborted;
785 aborted = false;
786 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
787 EXPECT_TRUE(aborted);
788}
789
790TEST_F(TestForDeathTest, AssertDebugDeathAborts4) {
791 static bool aborted;
792 aborted = false;
793 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
794 EXPECT_TRUE(aborted);
795}
796
797TEST_F(TestForDeathTest, AssertDebugDeathAborts5) {
798 static bool aborted;
799 aborted = false;
800 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
801 EXPECT_TRUE(aborted);
802}
803
804TEST_F(TestForDeathTest, AssertDebugDeathAborts6) {
805 static bool aborted;
806 aborted = false;
807 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
808 EXPECT_TRUE(aborted);
809}
810
811TEST_F(TestForDeathTest, AssertDebugDeathAborts7) {
812 static bool aborted;
813 aborted = false;
814 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
815 EXPECT_TRUE(aborted);
816}
817
818TEST_F(TestForDeathTest, AssertDebugDeathAborts8) {
819 static bool aborted;
820 aborted = false;
821 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
822 EXPECT_TRUE(aborted);
823}
824
825TEST_F(TestForDeathTest, AssertDebugDeathAborts9) {
826 static bool aborted;
827 aborted = false;
828 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
829 EXPECT_TRUE(aborted);
830}
831
832TEST_F(TestForDeathTest, AssertDebugDeathAborts10) {
833 static bool aborted;
834 aborted = false;
835 EXPECT_FATAL_FAILURE(AssertDebugDeathHelper(&aborted), "");
836 EXPECT_TRUE(aborted);
837}
838
839# endif // _NDEBUG
840
841// Tests the *_EXIT family of macros, using a variety of predicates.
842static void TestExitMacros() {
843 EXPECT_EXIT(_exit(1), testing::ExitedWithCode(1), "");
844 ASSERT_EXIT(_exit(42), testing::ExitedWithCode(42), "");
845
846# if GTEST_OS_WINDOWS
847
848 // Of all signals effects on the process exit code, only those of SIGABRT
849 // are documented on Windows.
9f95a23c 850 // See https://msdn.microsoft.com/en-us/query-bi/m/dwwzkt4c.
7c673cae
FG
851 EXPECT_EXIT(raise(SIGABRT), testing::ExitedWithCode(3), "") << "b_ar";
852
9f95a23c 853# elif !GTEST_OS_FUCHSIA
7c673cae 854
9f95a23c 855 // Fuchsia has no unix signals.
7c673cae
FG
856 EXPECT_EXIT(raise(SIGKILL), testing::KilledBySignal(SIGKILL), "") << "foo";
857 ASSERT_EXIT(raise(SIGUSR2), testing::KilledBySignal(SIGUSR2), "") << "bar";
858
859 EXPECT_FATAL_FAILURE({ // NOLINT
860 ASSERT_EXIT(_exit(0), testing::KilledBySignal(SIGSEGV), "")
861 << "This failure is expected, too.";
862 }, "This failure is expected, too.");
863
864# endif // GTEST_OS_WINDOWS
865
866 EXPECT_NONFATAL_FAILURE({ // NOLINT
867 EXPECT_EXIT(raise(SIGSEGV), testing::ExitedWithCode(0), "")
868 << "This failure is expected.";
869 }, "This failure is expected.");
870}
871
872TEST_F(TestForDeathTest, ExitMacros) {
873 TestExitMacros();
874}
875
876TEST_F(TestForDeathTest, ExitMacrosUsingFork) {
877 testing::GTEST_FLAG(death_test_use_fork) = true;
878 TestExitMacros();
879}
880
881TEST_F(TestForDeathTest, InvalidStyle) {
882 testing::GTEST_FLAG(death_test_style) = "rococo";
883 EXPECT_NONFATAL_FAILURE({ // NOLINT
884 EXPECT_DEATH(_exit(0), "") << "This failure is expected.";
885 }, "This failure is expected.");
886}
887
888TEST_F(TestForDeathTest, DeathTestFailedOutput) {
889 testing::GTEST_FLAG(death_test_style) = "fast";
890 EXPECT_NONFATAL_FAILURE(
891 EXPECT_DEATH(DieWithMessage("death\n"),
892 "expected message"),
893 "Actual msg:\n"
894 "[ DEATH ] death\n");
895}
896
897TEST_F(TestForDeathTest, DeathTestUnexpectedReturnOutput) {
898 testing::GTEST_FLAG(death_test_style) = "fast";
899 EXPECT_NONFATAL_FAILURE(
900 EXPECT_DEATH({
901 fprintf(stderr, "returning\n");
902 fflush(stderr);
903 return;
904 }, ""),
905 " Result: illegal return in test statement.\n"
906 " Error msg:\n"
907 "[ DEATH ] returning\n");
908}
909
910TEST_F(TestForDeathTest, DeathTestBadExitCodeOutput) {
911 testing::GTEST_FLAG(death_test_style) = "fast";
912 EXPECT_NONFATAL_FAILURE(
913 EXPECT_EXIT(DieWithMessage("exiting with rc 1\n"),
914 testing::ExitedWithCode(3),
915 "expected message"),
916 " Result: died but not with expected exit code:\n"
917 " Exited with exit status 1\n"
918 "Actual msg:\n"
919 "[ DEATH ] exiting with rc 1\n");
920}
921
922TEST_F(TestForDeathTest, DeathTestMultiLineMatchFail) {
923 testing::GTEST_FLAG(death_test_style) = "fast";
924 EXPECT_NONFATAL_FAILURE(
925 EXPECT_DEATH(DieWithMessage("line 1\nline 2\nline 3\n"),
926 "line 1\nxyz\nline 3\n"),
927 "Actual msg:\n"
928 "[ DEATH ] line 1\n"
929 "[ DEATH ] line 2\n"
930 "[ DEATH ] line 3\n");
931}
932
933TEST_F(TestForDeathTest, DeathTestMultiLineMatchPass) {
934 testing::GTEST_FLAG(death_test_style) = "fast";
935 EXPECT_DEATH(DieWithMessage("line 1\nline 2\nline 3\n"),
936 "line 1\nline 2\nline 3\n");
937}
938
939// A DeathTestFactory that returns MockDeathTests.
940class MockDeathTestFactory : public DeathTestFactory {
941 public:
942 MockDeathTestFactory();
9f95a23c
TL
943 bool Create(const char* statement,
944 testing::Matcher<const std::string&> matcher, const char* file,
945 int line, DeathTest** test) override;
7c673cae
FG
946
947 // Sets the parameters for subsequent calls to Create.
948 void SetParameters(bool create, DeathTest::TestRole role,
949 int status, bool passed);
950
951 // Accessors.
952 int AssumeRoleCalls() const { return assume_role_calls_; }
953 int WaitCalls() const { return wait_calls_; }
954 size_t PassedCalls() const { return passed_args_.size(); }
9f95a23c
TL
955 bool PassedArgument(int n) const {
956 return passed_args_[static_cast<size_t>(n)];
957 }
7c673cae
FG
958 size_t AbortCalls() const { return abort_args_.size(); }
959 DeathTest::AbortReason AbortArgument(int n) const {
9f95a23c 960 return abort_args_[static_cast<size_t>(n)];
7c673cae
FG
961 }
962 bool TestDeleted() const { return test_deleted_; }
963
964 private:
965 friend class MockDeathTest;
966 // If true, Create will return a MockDeathTest; otherwise it returns
967 // NULL.
968 bool create_;
969 // The value a MockDeathTest will return from its AssumeRole method.
970 DeathTest::TestRole role_;
971 // The value a MockDeathTest will return from its Wait method.
972 int status_;
973 // The value a MockDeathTest will return from its Passed method.
974 bool passed_;
975
976 // Number of times AssumeRole was called.
977 int assume_role_calls_;
978 // Number of times Wait was called.
979 int wait_calls_;
980 // The arguments to the calls to Passed since the last call to
981 // SetParameters.
982 std::vector<bool> passed_args_;
983 // The arguments to the calls to Abort since the last call to
984 // SetParameters.
985 std::vector<DeathTest::AbortReason> abort_args_;
986 // True if the last MockDeathTest returned by Create has been
987 // deleted.
988 bool test_deleted_;
989};
990
991
992// A DeathTest implementation useful in testing. It returns values set
993// at its creation from its various inherited DeathTest methods, and
994// reports calls to those methods to its parent MockDeathTestFactory
995// object.
996class MockDeathTest : public DeathTest {
997 public:
998 MockDeathTest(MockDeathTestFactory *parent,
999 TestRole role, int status, bool passed) :
1000 parent_(parent), role_(role), status_(status), passed_(passed) {
1001 }
9f95a23c
TL
1002 ~MockDeathTest() override { parent_->test_deleted_ = true; }
1003 TestRole AssumeRole() override {
7c673cae
FG
1004 ++parent_->assume_role_calls_;
1005 return role_;
1006 }
9f95a23c 1007 int Wait() override {
7c673cae
FG
1008 ++parent_->wait_calls_;
1009 return status_;
1010 }
9f95a23c 1011 bool Passed(bool exit_status_ok) override {
7c673cae
FG
1012 parent_->passed_args_.push_back(exit_status_ok);
1013 return passed_;
1014 }
9f95a23c 1015 void Abort(AbortReason reason) override {
7c673cae
FG
1016 parent_->abort_args_.push_back(reason);
1017 }
1018
1019 private:
1020 MockDeathTestFactory* const parent_;
1021 const TestRole role_;
1022 const int status_;
1023 const bool passed_;
1024};
1025
1026
1027// MockDeathTestFactory constructor.
1028MockDeathTestFactory::MockDeathTestFactory()
1029 : create_(true),
1030 role_(DeathTest::OVERSEE_TEST),
1031 status_(0),
1032 passed_(true),
1033 assume_role_calls_(0),
1034 wait_calls_(0),
1035 passed_args_(),
1036 abort_args_() {
1037}
1038
1039
1040// Sets the parameters for subsequent calls to Create.
1041void MockDeathTestFactory::SetParameters(bool create,
1042 DeathTest::TestRole role,
1043 int status, bool passed) {
1044 create_ = create;
1045 role_ = role;
1046 status_ = status;
1047 passed_ = passed;
1048
1049 assume_role_calls_ = 0;
1050 wait_calls_ = 0;
1051 passed_args_.clear();
1052 abort_args_.clear();
1053}
1054
1055
1056// Sets test to NULL (if create_ is false) or to the address of a new
1057// MockDeathTest object with parameters taken from the last call
1058// to SetParameters (if create_ is true). Always returns true.
9f95a23c
TL
1059bool MockDeathTestFactory::Create(
1060 const char* /*statement*/, testing::Matcher<const std::string&> /*matcher*/,
1061 const char* /*file*/, int /*line*/, DeathTest** test) {
7c673cae
FG
1062 test_deleted_ = false;
1063 if (create_) {
1064 *test = new MockDeathTest(this, role_, status_, passed_);
1065 } else {
9f95a23c 1066 *test = nullptr;
7c673cae
FG
1067 }
1068 return true;
1069}
1070
1071// A test fixture for testing the logic of the GTEST_DEATH_TEST_ macro.
1072// It installs a MockDeathTestFactory that is used for the duration
1073// of the test case.
1074class MacroLogicDeathTest : public testing::Test {
1075 protected:
1076 static testing::internal::ReplaceDeathTestFactory* replacer_;
1077 static MockDeathTestFactory* factory_;
1078
9f95a23c 1079 static void SetUpTestSuite() {
7c673cae
FG
1080 factory_ = new MockDeathTestFactory;
1081 replacer_ = new testing::internal::ReplaceDeathTestFactory(factory_);
1082 }
1083
9f95a23c 1084 static void TearDownTestSuite() {
7c673cae 1085 delete replacer_;
9f95a23c 1086 replacer_ = nullptr;
7c673cae 1087 delete factory_;
9f95a23c 1088 factory_ = nullptr;
7c673cae
FG
1089 }
1090
1091 // Runs a death test that breaks the rules by returning. Such a death
1092 // test cannot be run directly from a test routine that uses a
1093 // MockDeathTest, or the remainder of the routine will not be executed.
1094 static void RunReturningDeathTest(bool* flag) {
1095 ASSERT_DEATH({ // NOLINT
1096 *flag = true;
1097 return;
1098 }, "");
1099 }
1100};
1101
9f95a23c
TL
1102testing::internal::ReplaceDeathTestFactory* MacroLogicDeathTest::replacer_ =
1103 nullptr;
1104MockDeathTestFactory* MacroLogicDeathTest::factory_ = nullptr;
7c673cae
FG
1105
1106// Test that nothing happens when the factory doesn't return a DeathTest:
1107TEST_F(MacroLogicDeathTest, NothingHappens) {
1108 bool flag = false;
1109 factory_->SetParameters(false, DeathTest::OVERSEE_TEST, 0, true);
1110 EXPECT_DEATH(flag = true, "");
1111 EXPECT_FALSE(flag);
1112 EXPECT_EQ(0, factory_->AssumeRoleCalls());
1113 EXPECT_EQ(0, factory_->WaitCalls());
1114 EXPECT_EQ(0U, factory_->PassedCalls());
1115 EXPECT_EQ(0U, factory_->AbortCalls());
1116 EXPECT_FALSE(factory_->TestDeleted());
1117}
1118
1119// Test that the parent process doesn't run the death test code,
1120// and that the Passed method returns false when the (simulated)
1121// child process exits with status 0:
1122TEST_F(MacroLogicDeathTest, ChildExitsSuccessfully) {
1123 bool flag = false;
1124 factory_->SetParameters(true, DeathTest::OVERSEE_TEST, 0, true);
1125 EXPECT_DEATH(flag = true, "");
1126 EXPECT_FALSE(flag);
1127 EXPECT_EQ(1, factory_->AssumeRoleCalls());
1128 EXPECT_EQ(1, factory_->WaitCalls());
1129 ASSERT_EQ(1U, factory_->PassedCalls());
1130 EXPECT_FALSE(factory_->PassedArgument(0));
1131 EXPECT_EQ(0U, factory_->AbortCalls());
1132 EXPECT_TRUE(factory_->TestDeleted());
1133}
1134
1135// Tests that the Passed method was given the argument "true" when
1136// the (simulated) child process exits with status 1:
1137TEST_F(MacroLogicDeathTest, ChildExitsUnsuccessfully) {
1138 bool flag = false;
1139 factory_->SetParameters(true, DeathTest::OVERSEE_TEST, 1, true);
1140 EXPECT_DEATH(flag = true, "");
1141 EXPECT_FALSE(flag);
1142 EXPECT_EQ(1, factory_->AssumeRoleCalls());
1143 EXPECT_EQ(1, factory_->WaitCalls());
1144 ASSERT_EQ(1U, factory_->PassedCalls());
1145 EXPECT_TRUE(factory_->PassedArgument(0));
1146 EXPECT_EQ(0U, factory_->AbortCalls());
1147 EXPECT_TRUE(factory_->TestDeleted());
1148}
1149
1150// Tests that the (simulated) child process executes the death test
1151// code, and is aborted with the correct AbortReason if it
1152// executes a return statement.
1153TEST_F(MacroLogicDeathTest, ChildPerformsReturn) {
1154 bool flag = false;
1155 factory_->SetParameters(true, DeathTest::EXECUTE_TEST, 0, true);
1156 RunReturningDeathTest(&flag);
1157 EXPECT_TRUE(flag);
1158 EXPECT_EQ(1, factory_->AssumeRoleCalls());
1159 EXPECT_EQ(0, factory_->WaitCalls());
1160 EXPECT_EQ(0U, factory_->PassedCalls());
1161 EXPECT_EQ(1U, factory_->AbortCalls());
1162 EXPECT_EQ(DeathTest::TEST_ENCOUNTERED_RETURN_STATEMENT,
1163 factory_->AbortArgument(0));
1164 EXPECT_TRUE(factory_->TestDeleted());
1165}
1166
1167// Tests that the (simulated) child process is aborted with the
1168// correct AbortReason if it does not die.
1169TEST_F(MacroLogicDeathTest, ChildDoesNotDie) {
1170 bool flag = false;
1171 factory_->SetParameters(true, DeathTest::EXECUTE_TEST, 0, true);
1172 EXPECT_DEATH(flag = true, "");
1173 EXPECT_TRUE(flag);
1174 EXPECT_EQ(1, factory_->AssumeRoleCalls());
1175 EXPECT_EQ(0, factory_->WaitCalls());
1176 EXPECT_EQ(0U, factory_->PassedCalls());
1177 // This time there are two calls to Abort: one since the test didn't
1178 // die, and another from the ReturnSentinel when it's destroyed. The
1179 // sentinel normally isn't destroyed if a test doesn't die, since
1180 // _exit(2) is called in that case by ForkingDeathTest, but not by
1181 // our MockDeathTest.
1182 ASSERT_EQ(2U, factory_->AbortCalls());
1183 EXPECT_EQ(DeathTest::TEST_DID_NOT_DIE,
1184 factory_->AbortArgument(0));
1185 EXPECT_EQ(DeathTest::TEST_ENCOUNTERED_RETURN_STATEMENT,
1186 factory_->AbortArgument(1));
1187 EXPECT_TRUE(factory_->TestDeleted());
1188}
1189
1190// Tests that a successful death test does not register a successful
1191// test part.
1192TEST(SuccessRegistrationDeathTest, NoSuccessPart) {
1193 EXPECT_DEATH(_exit(1), "");
1194 EXPECT_EQ(0, GetUnitTestImpl()->current_test_result()->total_part_count());
1195}
1196
1197TEST(StreamingAssertionsDeathTest, DeathTest) {
1198 EXPECT_DEATH(_exit(1), "") << "unexpected failure";
1199 ASSERT_DEATH(_exit(1), "") << "unexpected failure";
1200 EXPECT_NONFATAL_FAILURE({ // NOLINT
1201 EXPECT_DEATH(_exit(0), "") << "expected failure";
1202 }, "expected failure");
1203 EXPECT_FATAL_FAILURE({ // NOLINT
1204 ASSERT_DEATH(_exit(0), "") << "expected failure";
1205 }, "expected failure");
1206}
1207
1208// Tests that GetLastErrnoDescription returns an empty string when the
1209// last error is 0 and non-empty string when it is non-zero.
1210TEST(GetLastErrnoDescription, GetLastErrnoDescriptionWorks) {
1211 errno = ENOENT;
1212 EXPECT_STRNE("", GetLastErrnoDescription().c_str());
1213 errno = 0;
1214 EXPECT_STREQ("", GetLastErrnoDescription().c_str());
1215}
1216
1217# if GTEST_OS_WINDOWS
1218TEST(AutoHandleTest, AutoHandleWorks) {
1219 HANDLE handle = ::CreateEvent(NULL, FALSE, FALSE, NULL);
1220 ASSERT_NE(INVALID_HANDLE_VALUE, handle);
1221
1222 // Tests that the AutoHandle is correctly initialized with a handle.
1223 testing::internal::AutoHandle auto_handle(handle);
1224 EXPECT_EQ(handle, auto_handle.Get());
1225
1226 // Tests that Reset assigns INVALID_HANDLE_VALUE.
1227 // Note that this cannot verify whether the original handle is closed.
1228 auto_handle.Reset();
1229 EXPECT_EQ(INVALID_HANDLE_VALUE, auto_handle.Get());
1230
1231 // Tests that Reset assigns the new handle.
1232 // Note that this cannot verify whether the original handle is closed.
1233 handle = ::CreateEvent(NULL, FALSE, FALSE, NULL);
1234 ASSERT_NE(INVALID_HANDLE_VALUE, handle);
1235 auto_handle.Reset(handle);
1236 EXPECT_EQ(handle, auto_handle.Get());
1237
1238 // Tests that AutoHandle contains INVALID_HANDLE_VALUE by default.
1239 testing::internal::AutoHandle auto_handle2;
1240 EXPECT_EQ(INVALID_HANDLE_VALUE, auto_handle2.Get());
1241}
1242# endif // GTEST_OS_WINDOWS
1243
1244# if GTEST_OS_WINDOWS
1245typedef unsigned __int64 BiggestParsable;
1246typedef signed __int64 BiggestSignedParsable;
1247# else
1248typedef unsigned long long BiggestParsable;
1249typedef signed long long BiggestSignedParsable;
1250# endif // GTEST_OS_WINDOWS
1251
1252// We cannot use std::numeric_limits<T>::max() as it clashes with the
1253// max() macro defined by <windows.h>.
1254const BiggestParsable kBiggestParsableMax = ULLONG_MAX;
1255const BiggestSignedParsable kBiggestSignedParsableMax = LLONG_MAX;
1256
1257TEST(ParseNaturalNumberTest, RejectsInvalidFormat) {
1258 BiggestParsable result = 0;
1259
1260 // Rejects non-numbers.
1261 EXPECT_FALSE(ParseNaturalNumber("non-number string", &result));
1262
1263 // Rejects numbers with whitespace prefix.
1264 EXPECT_FALSE(ParseNaturalNumber(" 123", &result));
1265
1266 // Rejects negative numbers.
1267 EXPECT_FALSE(ParseNaturalNumber("-123", &result));
1268
1269 // Rejects numbers starting with a plus sign.
1270 EXPECT_FALSE(ParseNaturalNumber("+123", &result));
1271 errno = 0;
1272}
1273
1274TEST(ParseNaturalNumberTest, RejectsOverflownNumbers) {
1275 BiggestParsable result = 0;
1276
1277 EXPECT_FALSE(ParseNaturalNumber("99999999999999999999999", &result));
1278
1279 signed char char_result = 0;
1280 EXPECT_FALSE(ParseNaturalNumber("200", &char_result));
1281 errno = 0;
1282}
1283
1284TEST(ParseNaturalNumberTest, AcceptsValidNumbers) {
1285 BiggestParsable result = 0;
1286
1287 result = 0;
1288 ASSERT_TRUE(ParseNaturalNumber("123", &result));
1289 EXPECT_EQ(123U, result);
1290
1291 // Check 0 as an edge case.
1292 result = 1;
1293 ASSERT_TRUE(ParseNaturalNumber("0", &result));
1294 EXPECT_EQ(0U, result);
1295
1296 result = 1;
1297 ASSERT_TRUE(ParseNaturalNumber("00000", &result));
1298 EXPECT_EQ(0U, result);
1299}
1300
1301TEST(ParseNaturalNumberTest, AcceptsTypeLimits) {
1302 Message msg;
1303 msg << kBiggestParsableMax;
1304
1305 BiggestParsable result = 0;
1306 EXPECT_TRUE(ParseNaturalNumber(msg.GetString(), &result));
1307 EXPECT_EQ(kBiggestParsableMax, result);
1308
1309 Message msg2;
1310 msg2 << kBiggestSignedParsableMax;
1311
1312 BiggestSignedParsable signed_result = 0;
1313 EXPECT_TRUE(ParseNaturalNumber(msg2.GetString(), &signed_result));
1314 EXPECT_EQ(kBiggestSignedParsableMax, signed_result);
1315
1316 Message msg3;
1317 msg3 << INT_MAX;
1318
1319 int int_result = 0;
1320 EXPECT_TRUE(ParseNaturalNumber(msg3.GetString(), &int_result));
1321 EXPECT_EQ(INT_MAX, int_result);
1322
1323 Message msg4;
1324 msg4 << UINT_MAX;
1325
1326 unsigned int uint_result = 0;
1327 EXPECT_TRUE(ParseNaturalNumber(msg4.GetString(), &uint_result));
1328 EXPECT_EQ(UINT_MAX, uint_result);
1329}
1330
1331TEST(ParseNaturalNumberTest, WorksForShorterIntegers) {
1332 short short_result = 0;
1333 ASSERT_TRUE(ParseNaturalNumber("123", &short_result));
1334 EXPECT_EQ(123, short_result);
1335
1336 signed char char_result = 0;
1337 ASSERT_TRUE(ParseNaturalNumber("123", &char_result));
1338 EXPECT_EQ(123, char_result);
1339}
1340
1341# if GTEST_OS_WINDOWS
1342TEST(EnvironmentTest, HandleFitsIntoSizeT) {
7c673cae
FG
1343 ASSERT_TRUE(sizeof(HANDLE) <= sizeof(size_t));
1344}
1345# endif // GTEST_OS_WINDOWS
1346
1347// Tests that EXPECT_DEATH_IF_SUPPORTED/ASSERT_DEATH_IF_SUPPORTED trigger
1348// failures when death tests are available on the system.
1349TEST(ConditionalDeathMacrosDeathTest, ExpectsDeathWhenDeathTestsAvailable) {
1350 EXPECT_DEATH_IF_SUPPORTED(DieInside("CondDeathTestExpectMacro"),
1351 "death inside CondDeathTestExpectMacro");
1352 ASSERT_DEATH_IF_SUPPORTED(DieInside("CondDeathTestAssertMacro"),
1353 "death inside CondDeathTestAssertMacro");
1354
1355 // Empty statement will not crash, which must trigger a failure.
1356 EXPECT_NONFATAL_FAILURE(EXPECT_DEATH_IF_SUPPORTED(;, ""), "");
1357 EXPECT_FATAL_FAILURE(ASSERT_DEATH_IF_SUPPORTED(;, ""), "");
1358}
1359
1360TEST(InDeathTestChildDeathTest, ReportsDeathTestCorrectlyInFastStyle) {
1361 testing::GTEST_FLAG(death_test_style) = "fast";
1362 EXPECT_FALSE(InDeathTestChild());
1363 EXPECT_DEATH({
1364 fprintf(stderr, InDeathTestChild() ? "Inside" : "Outside");
1365 fflush(stderr);
1366 _exit(1);
1367 }, "Inside");
1368}
1369
1370TEST(InDeathTestChildDeathTest, ReportsDeathTestCorrectlyInThreadSafeStyle) {
1371 testing::GTEST_FLAG(death_test_style) = "threadsafe";
1372 EXPECT_FALSE(InDeathTestChild());
1373 EXPECT_DEATH({
1374 fprintf(stderr, InDeathTestChild() ? "Inside" : "Outside");
1375 fflush(stderr);
1376 _exit(1);
1377 }, "Inside");
1378}
1379
9f95a23c
TL
1380void DieWithMessage(const char* message) {
1381 fputs(message, stderr);
1382 fflush(stderr); // Make sure the text is printed before the process exits.
1383 _exit(1);
1384}
1385
1386TEST(MatcherDeathTest, DoesNotBreakBareRegexMatching) {
1387 // googletest tests this, of course; here we ensure that including googlemock
1388 // has not broken it.
f67539c2 1389#if GTEST_USES_POSIX_RE
9f95a23c 1390 EXPECT_DEATH(DieWithMessage("O, I die, Horatio."), "I d[aeiou]e");
f67539c2
TL
1391#else
1392 EXPECT_DEATH(DieWithMessage("O, I die, Horatio."), "I di?e");
1393#endif
9f95a23c
TL
1394}
1395
1396TEST(MatcherDeathTest, MonomorphicMatcherMatches) {
1397 EXPECT_DEATH(DieWithMessage("Behind O, I am slain!"),
1398 Matcher<const std::string&>(ContainsRegex("I am slain")));
1399}
1400
1401TEST(MatcherDeathTest, MonomorphicMatcherDoesNotMatch) {
1402 EXPECT_NONFATAL_FAILURE(
1403 EXPECT_DEATH(
1404 DieWithMessage("Behind O, I am slain!"),
1405 Matcher<const std::string&>(ContainsRegex("Ow, I am slain"))),
1406 "Expected: contains regular expression \"Ow, I am slain\"");
1407}
1408
1409TEST(MatcherDeathTest, PolymorphicMatcherMatches) {
1410 EXPECT_DEATH(DieWithMessage("The rest is silence."),
1411 ContainsRegex("rest is silence"));
1412}
1413
1414TEST(MatcherDeathTest, PolymorphicMatcherDoesNotMatch) {
1415 EXPECT_NONFATAL_FAILURE(
1416 EXPECT_DEATH(DieWithMessage("The rest is silence."),
1417 ContainsRegex("rest is science")),
1418 "Expected: contains regular expression \"rest is science\"");
1419}
1420
1421} // namespace
1422
7c673cae
FG
1423#else // !GTEST_HAS_DEATH_TEST follows
1424
9f95a23c
TL
1425namespace {
1426
7c673cae
FG
1427using testing::internal::CaptureStderr;
1428using testing::internal::GetCapturedStderr;
1429
1430// Tests that EXPECT_DEATH_IF_SUPPORTED/ASSERT_DEATH_IF_SUPPORTED are still
1431// defined but do not trigger failures when death tests are not available on
1432// the system.
1433TEST(ConditionalDeathMacrosTest, WarnsWhenDeathTestsNotAvailable) {
1434 // Empty statement will not crash, but that should not trigger a failure
1435 // when death tests are not supported.
1436 CaptureStderr();
1437 EXPECT_DEATH_IF_SUPPORTED(;, "");
1438 std::string output = GetCapturedStderr();
1439 ASSERT_TRUE(NULL != strstr(output.c_str(),
1440 "Death tests are not supported on this platform"));
1441 ASSERT_TRUE(NULL != strstr(output.c_str(), ";"));
1442
1443 // The streamed message should not be printed as there is no test failure.
1444 CaptureStderr();
1445 EXPECT_DEATH_IF_SUPPORTED(;, "") << "streamed message";
1446 output = GetCapturedStderr();
1447 ASSERT_TRUE(NULL == strstr(output.c_str(), "streamed message"));
1448
1449 CaptureStderr();
1450 ASSERT_DEATH_IF_SUPPORTED(;, ""); // NOLINT
1451 output = GetCapturedStderr();
1452 ASSERT_TRUE(NULL != strstr(output.c_str(),
1453 "Death tests are not supported on this platform"));
1454 ASSERT_TRUE(NULL != strstr(output.c_str(), ";"));
1455
1456 CaptureStderr();
1457 ASSERT_DEATH_IF_SUPPORTED(;, "") << "streamed message"; // NOLINT
1458 output = GetCapturedStderr();
1459 ASSERT_TRUE(NULL == strstr(output.c_str(), "streamed message"));
1460}
1461
1462void FuncWithAssert(int* n) {
1463 ASSERT_DEATH_IF_SUPPORTED(return;, "");
1464 (*n)++;
1465}
1466
1467// Tests that ASSERT_DEATH_IF_SUPPORTED does not return from the current
1468// function (as ASSERT_DEATH does) if death tests are not supported.
1469TEST(ConditionalDeathMacrosTest, AssertDeatDoesNotReturnhIfUnsupported) {
1470 int n = 0;
1471 FuncWithAssert(&n);
1472 EXPECT_EQ(1, n);
1473}
1474
9f95a23c
TL
1475} // namespace
1476
7c673cae
FG
1477#endif // !GTEST_HAS_DEATH_TEST
1478
9f95a23c
TL
1479namespace {
1480
f67539c2
TL
1481// The following code intentionally tests a suboptimal syntax.
1482#ifdef __GNUC__
1483#pragma GCC diagnostic push
1484#pragma GCC diagnostic ignored "-Wdangling-else"
1485#pragma GCC diagnostic ignored "-Wempty-body"
1486#pragma GCC diagnostic ignored "-Wpragmas"
1487#endif
7c673cae
FG
1488// Tests that the death test macros expand to code which may or may not
1489// be followed by operator<<, and that in either case the complete text
1490// comprises only a single C++ statement.
1491//
1492// The syntax should work whether death tests are available or not.
1493TEST(ConditionalDeathMacrosSyntaxDeathTest, SingleStatement) {
1494 if (AlwaysFalse())
1495 // This would fail if executed; this is a compilation test only
1496 ASSERT_DEATH_IF_SUPPORTED(return, "");
1497
1498 if (AlwaysTrue())
1499 EXPECT_DEATH_IF_SUPPORTED(_exit(1), "");
1500 else
1501 // This empty "else" branch is meant to ensure that EXPECT_DEATH
1502 // doesn't expand into an "if" statement without an "else"
1503 ; // NOLINT
1504
1505 if (AlwaysFalse())
1506 ASSERT_DEATH_IF_SUPPORTED(return, "") << "did not die";
1507
1508 if (AlwaysFalse())
1509 ; // NOLINT
1510 else
1511 EXPECT_DEATH_IF_SUPPORTED(_exit(1), "") << 1 << 2 << 3;
1512}
f67539c2
TL
1513#ifdef __GNUC__
1514#pragma GCC diagnostic pop
1515#endif
7c673cae
FG
1516
1517// Tests that conditional death test macros expand to code which interacts
1518// well with switch statements.
1519TEST(ConditionalDeathMacrosSyntaxDeathTest, SwitchStatement) {
1520 // Microsoft compiler usually complains about switch statements without
1521 // case labels. We suppress that warning for this test.
1522 GTEST_DISABLE_MSC_WARNINGS_PUSH_(4065)
1523
1524 switch (0)
1525 default:
1526 ASSERT_DEATH_IF_SUPPORTED(_exit(1), "")
1527 << "exit in default switch handler";
1528
1529 switch (0)
1530 case 0:
1531 EXPECT_DEATH_IF_SUPPORTED(_exit(1), "") << "exit in switch case";
1532
1533 GTEST_DISABLE_MSC_WARNINGS_POP_()
1534}
1535
1536// Tests that a test case whose name ends with "DeathTest" works fine
1537// on Windows.
1538TEST(NotADeathTest, Test) {
1539 SUCCEED();
1540}
9f95a23c
TL
1541
1542} // namespace