wxMaxima
Loading...
Searching...
No Matches
catch.hpp
1/*
2 * Catch v2.12.2
3 * Generated: 2020-05-25 15:09:23.791719
4 * ----------------------------------------------------------
5 * This file has been merged from multiple headers. Please don't edit it directly
6 * Copyright (c) 2020 Two Blue Cubes Ltd. All rights reserved.
7 *
8 * Distributed under the Boost Software License, Version 1.0. (See accompanying
9 * file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt)
10 */
11#ifndef TWOBLUECUBES_SINGLE_INCLUDE_CATCH_HPP_INCLUDED
12#define TWOBLUECUBES_SINGLE_INCLUDE_CATCH_HPP_INCLUDED
13// start catch.hpp
14
15
16#define CATCH_VERSION_MAJOR 2
17#define CATCH_VERSION_MINOR 12
18#define CATCH_VERSION_PATCH 2
19
20#ifdef __clang__
21# pragma clang system_header
22#elif defined __GNUC__
23# pragma GCC system_header
24#endif
25
26// start catch_suppress_warnings.h
27
28#ifdef __clang__
29# ifdef __ICC // icpc defines the __clang__ macro
30# pragma warning(push)
31# pragma warning(disable: 161 1682)
32# else // __ICC
33# pragma clang diagnostic push
34# pragma clang diagnostic ignored "-Wpadded"
35# pragma clang diagnostic ignored "-Wswitch-enum"
36# pragma clang diagnostic ignored "-Wcovered-switch-default"
37# endif
38#elif defined __GNUC__
39 // Because REQUIREs trigger GCC's -Wparentheses, and because still
40 // supported version of g++ have only buggy support for _Pragmas,
41 // Wparentheses have to be suppressed globally.
42# pragma GCC diagnostic ignored "-Wparentheses" // See #674 for details
43
44# pragma GCC diagnostic push
45# pragma GCC diagnostic ignored "-Wunused-variable"
46# pragma GCC diagnostic ignored "-Wpadded"
47#endif
48// end catch_suppress_warnings.h
49#if defined(CATCH_CONFIG_MAIN) || defined(CATCH_CONFIG_RUNNER)
50# define CATCH_IMPL
51# define CATCH_CONFIG_ALL_PARTS
52#endif
53
54// In the impl file, we want to have access to all parts of the headers
55// Can also be used to sanely support PCHs
56#if defined(CATCH_CONFIG_ALL_PARTS)
57# define CATCH_CONFIG_EXTERNAL_INTERFACES
58# if defined(CATCH_CONFIG_DISABLE_MATCHERS)
59# undef CATCH_CONFIG_DISABLE_MATCHERS
60# endif
61# if !defined(CATCH_CONFIG_ENABLE_CHRONO_STRINGMAKER)
62# define CATCH_CONFIG_ENABLE_CHRONO_STRINGMAKER
63# endif
64#endif
65
66#if !defined(CATCH_CONFIG_IMPL_ONLY)
67// start catch_platform.h
68
69#ifdef __APPLE__
70# include <TargetConditionals.h>
71# if TARGET_OS_OSX == 1
72# define CATCH_PLATFORM_MAC
73# elif TARGET_OS_IPHONE == 1
74# define CATCH_PLATFORM_IPHONE
75# endif
76
77#elif defined(linux) || defined(__linux) || defined(__linux__)
78# define CATCH_PLATFORM_LINUX
79
80#elif defined(WIN32) || defined(__WIN32__) || defined(_WIN32) || defined(_MSC_VER) || defined(__MINGW32__)
81# define CATCH_PLATFORM_WINDOWS
82#endif
83
84// end catch_platform.h
85
86#ifdef CATCH_IMPL
87# ifndef CLARA_CONFIG_MAIN
88# define CLARA_CONFIG_MAIN_NOT_DEFINED
89# define CLARA_CONFIG_MAIN
90# endif
91#endif
92
93// start catch_user_interfaces.h
94
95namespace Catch {
96 unsigned int rngSeed();
97}
98
99// end catch_user_interfaces.h
100// start catch_tag_alias_autoregistrar.h
101
102// start catch_common.h
103
104// start catch_compiler_capabilities.h
105
106// Detect a number of compiler features - by compiler
107// The following features are defined:
108//
109// CATCH_CONFIG_COUNTER : is the __COUNTER__ macro supported?
110// CATCH_CONFIG_WINDOWS_SEH : is Windows SEH supported?
111// CATCH_CONFIG_POSIX_SIGNALS : are POSIX signals supported?
112// CATCH_CONFIG_DISABLE_EXCEPTIONS : Are exceptions enabled?
113// ****************
114// Note to maintainers: if new toggles are added please document them
115// in configuration.md, too
116// ****************
117
118// In general each macro has a _NO_<feature name> form
119// (e.g. CATCH_CONFIG_NO_POSIX_SIGNALS) which disables the feature.
120// Many features, at point of detection, define an _INTERNAL_ macro, so they
121// can be combined, en-mass, with the _NO_ forms later.
122
123#ifdef __cplusplus
124
125# if (__cplusplus >= 201402L) || (defined(_MSVC_LANG) && _MSVC_LANG >= 201402L)
126# define CATCH_CPP14_OR_GREATER
127# endif
128
129# if (__cplusplus >= 201703L) || (defined(_MSVC_LANG) && _MSVC_LANG >= 201703L)
130# define CATCH_CPP17_OR_GREATER
131# endif
132
133#endif
134
135#if defined(__cpp_lib_uncaught_exceptions)
136# define CATCH_INTERNAL_CONFIG_CPP17_UNCAUGHT_EXCEPTIONS
137#endif
138
139// We have to avoid both ICC and Clang, because they try to mask themselves
140// as gcc, and we want only GCC in this block
141#if defined(__GNUC__) && !defined(__clang__) && !defined(__ICC)
142# define CATCH_INTERNAL_START_WARNINGS_SUPPRESSION _Pragma( "GCC diagnostic push" )
143# define CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION _Pragma( "GCC diagnostic pop" )
144
145# define CATCH_INTERNAL_IGNORE_BUT_WARN(...) (void)__builtin_constant_p(__VA_ARGS__)
146
147#endif
148
149#if defined(__clang__)
150
151# define CATCH_INTERNAL_START_WARNINGS_SUPPRESSION _Pragma( "clang diagnostic push" )
152# define CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION _Pragma( "clang diagnostic pop" )
153
154// As of this writing, IBM XL's implementation of __builtin_constant_p has a bug
155// which results in calls to destructors being emitted for each temporary,
156// without a matching initialization. In practice, this can result in something
157// like `std::string::~string` being called on an uninitialized value.
158//
159// For example, this code will likely segfault under IBM XL:
160// ```
161// REQUIRE(std::string("12") + "34" == "1234")
162// ```
163//
164// Therefore, `CATCH_INTERNAL_IGNORE_BUT_WARN` is not implemented.
165# if !defined(__ibmxl__)
166# define CATCH_INTERNAL_IGNORE_BUT_WARN(...) (void)__builtin_constant_p(__VA_ARGS__) /* NOLINT(cppcoreguidelines-pro-type-vararg, hicpp-vararg) */
167# endif
168
169# define CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
170 _Pragma( "clang diagnostic ignored \"-Wexit-time-destructors\"" ) \
171 _Pragma( "clang diagnostic ignored \"-Wglobal-constructors\"")
172
173# define CATCH_INTERNAL_SUPPRESS_PARENTHESES_WARNINGS \
174 _Pragma( "clang diagnostic ignored \"-Wparentheses\"" )
175
176# define CATCH_INTERNAL_SUPPRESS_UNUSED_WARNINGS \
177 _Pragma( "clang diagnostic ignored \"-Wunused-variable\"" )
178
179# define CATCH_INTERNAL_SUPPRESS_ZERO_VARIADIC_WARNINGS \
180 _Pragma( "clang diagnostic ignored \"-Wgnu-zero-variadic-macro-arguments\"" )
181
182# define CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS \
183 _Pragma( "clang diagnostic ignored \"-Wunused-template\"" )
184
185#endif // __clang__
186
188// Assume that non-Windows platforms support posix signals by default
189#if !defined(CATCH_PLATFORM_WINDOWS)
190 #define CATCH_INTERNAL_CONFIG_POSIX_SIGNALS
191#endif
192
194// We know some environments not to support full POSIX signals
195#if defined(__CYGWIN__) || defined(__QNX__) || defined(__EMSCRIPTEN__) || defined(__DJGPP__)
196 #define CATCH_INTERNAL_CONFIG_NO_POSIX_SIGNALS
197#endif
198
199#ifdef __OS400__
200# define CATCH_INTERNAL_CONFIG_NO_POSIX_SIGNALS
201# define CATCH_CONFIG_COLOUR_NONE
202#endif
203
205// Android somehow still does not support std::to_string
206#if defined(__ANDROID__)
207# define CATCH_INTERNAL_CONFIG_NO_CPP11_TO_STRING
208# define CATCH_INTERNAL_CONFIG_ANDROID_LOGWRITE
209#endif
210
212// Not all Windows environments support SEH properly
213#if defined(__MINGW32__)
214# define CATCH_INTERNAL_CONFIG_NO_WINDOWS_SEH
215#endif
216
218// PS4
219#if defined(__ORBIS__)
220# define CATCH_INTERNAL_CONFIG_NO_NEW_CAPTURE
221#endif
222
224// Cygwin
225#ifdef __CYGWIN__
226
227// Required for some versions of Cygwin to declare gettimeofday
228// see: http://stackoverflow.com/questions/36901803/gettimeofday-not-declared-in-this-scope-cygwin
229# define _BSD_SOURCE
230// some versions of cygwin (most) do not support std::to_string. Use the libstd check.
231// https://gcc.gnu.org/onlinedocs/gcc-4.8.2/libstdc++/api/a01053_source.html line 2812-2813
232# if !((__cplusplus >= 201103L) && defined(_GLIBCXX_USE_C99) \
233 && !defined(_GLIBCXX_HAVE_BROKEN_VSWPRINTF))
234
235# define CATCH_INTERNAL_CONFIG_NO_CPP11_TO_STRING
236
237# endif
238#endif // __CYGWIN__
239
241// Visual C++
242#if defined(_MSC_VER)
243
244# define CATCH_INTERNAL_START_WARNINGS_SUPPRESSION __pragma( warning(push) )
245# define CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION __pragma( warning(pop) )
246
247# if _MSC_VER >= 1900 // Visual Studio 2015 or newer
248# define CATCH_INTERNAL_CONFIG_CPP17_UNCAUGHT_EXCEPTIONS
249# endif
250
251// Universal Windows platform does not support SEH
252// Or console colours (or console at all...)
253# if defined(WINAPI_FAMILY) && (WINAPI_FAMILY == WINAPI_FAMILY_APP)
254# define CATCH_CONFIG_COLOUR_NONE
255# else
256# define CATCH_INTERNAL_CONFIG_WINDOWS_SEH
257# endif
258
259// MSVC traditional preprocessor needs some workaround for __VA_ARGS__
260// _MSVC_TRADITIONAL == 0 means new conformant preprocessor
261// _MSVC_TRADITIONAL == 1 means old traditional non-conformant preprocessor
262# if !defined(__clang__) // Handle Clang masquerading for msvc
263# if !defined(_MSVC_TRADITIONAL) || (defined(_MSVC_TRADITIONAL) && _MSVC_TRADITIONAL)
264# define CATCH_INTERNAL_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
265# endif // MSVC_TRADITIONAL
266# endif // __clang__
267
268#endif // _MSC_VER
269
270#if defined(_REENTRANT) || defined(_MSC_VER)
271// Enable async processing, as -pthread is specified or no additional linking is required
272# define CATCH_INTERNAL_CONFIG_USE_ASYNC
273#endif // _MSC_VER
274
276// Check if we are compiled with -fno-exceptions or equivalent
277#if defined(__EXCEPTIONS) || defined(__cpp_exceptions) || defined(_CPPUNWIND)
278# define CATCH_INTERNAL_CONFIG_EXCEPTIONS_ENABLED
279#endif
280
282// DJGPP
283#ifdef __DJGPP__
284# define CATCH_INTERNAL_CONFIG_NO_WCHAR
285#endif // __DJGPP__
286
288// Embarcadero C++Build
289#if defined(__BORLANDC__)
290 #define CATCH_INTERNAL_CONFIG_POLYFILL_ISNAN
291#endif
292
294
295// Use of __COUNTER__ is suppressed during code analysis in
296// CLion/AppCode 2017.2.x and former, because __COUNTER__ is not properly
297// handled by it.
298// Otherwise all supported compilers support COUNTER macro,
299// but user still might want to turn it off
300#if ( !defined(__JETBRAINS_IDE__) || __JETBRAINS_IDE__ >= 20170300L )
301 #define CATCH_INTERNAL_CONFIG_COUNTER
302#endif
303
305
306// RTX is a special version of Windows that is real time.
307// This means that it is detected as Windows, but does not provide
308// the same set of capabilities as real Windows does.
309#if defined(UNDER_RTSS) || defined(RTX64_BUILD)
310 #define CATCH_INTERNAL_CONFIG_NO_WINDOWS_SEH
311 #define CATCH_INTERNAL_CONFIG_NO_ASYNC
312 #define CATCH_CONFIG_COLOUR_NONE
313#endif
314
315#if !defined(_GLIBCXX_USE_C99_MATH_TR1)
316#define CATCH_INTERNAL_CONFIG_GLOBAL_NEXTAFTER
317#endif
318
319// Various stdlib support checks that require __has_include
320#if defined(__has_include)
321 // Check if string_view is available and usable
322 #if __has_include(<string_view>) && defined(CATCH_CPP17_OR_GREATER)
323 # define CATCH_INTERNAL_CONFIG_CPP17_STRING_VIEW
324 #endif
325
326 // Check if optional is available and usable
327 # if __has_include(<optional>) && defined(CATCH_CPP17_OR_GREATER)
328 # define CATCH_INTERNAL_CONFIG_CPP17_OPTIONAL
329 # endif // __has_include(<optional>) && defined(CATCH_CPP17_OR_GREATER)
330
331 // Check if byte is available and usable
332 # if __has_include(<cstddef>) && defined(CATCH_CPP17_OR_GREATER)
333 # define CATCH_INTERNAL_CONFIG_CPP17_BYTE
334 # endif // __has_include(<cstddef>) && defined(CATCH_CPP17_OR_GREATER)
335
336 // Check if variant is available and usable
337 # if __has_include(<variant>) && defined(CATCH_CPP17_OR_GREATER)
338 # if defined(__clang__) && (__clang_major__ < 8)
339 // work around clang bug with libstdc++ https://bugs.llvm.org/show_bug.cgi?id=31852
340 // fix should be in clang 8, workaround in libstdc++ 8.2
341 # include <ciso646>
342 # if defined(__GLIBCXX__) && defined(_GLIBCXX_RELEASE) && (_GLIBCXX_RELEASE < 9)
343 # define CATCH_CONFIG_NO_CPP17_VARIANT
344 # else
345 # define CATCH_INTERNAL_CONFIG_CPP17_VARIANT
346 # endif // defined(__GLIBCXX__) && defined(_GLIBCXX_RELEASE) && (_GLIBCXX_RELEASE < 9)
347 # else
348 # define CATCH_INTERNAL_CONFIG_CPP17_VARIANT
349 # endif // defined(__clang__) && (__clang_major__ < 8)
350 # endif // __has_include(<variant>) && defined(CATCH_CPP17_OR_GREATER)
351#endif // defined(__has_include)
352
353#if defined(CATCH_INTERNAL_CONFIG_COUNTER) && !defined(CATCH_CONFIG_NO_COUNTER) && !defined(CATCH_CONFIG_COUNTER)
354# define CATCH_CONFIG_COUNTER
355#endif
356#if defined(CATCH_INTERNAL_CONFIG_WINDOWS_SEH) && !defined(CATCH_CONFIG_NO_WINDOWS_SEH) && !defined(CATCH_CONFIG_WINDOWS_SEH) && !defined(CATCH_INTERNAL_CONFIG_NO_WINDOWS_SEH)
357# define CATCH_CONFIG_WINDOWS_SEH
358#endif
359// This is set by default, because we assume that unix compilers are posix-signal-compatible by default.
360#if defined(CATCH_INTERNAL_CONFIG_POSIX_SIGNALS) && !defined(CATCH_INTERNAL_CONFIG_NO_POSIX_SIGNALS) && !defined(CATCH_CONFIG_NO_POSIX_SIGNALS) && !defined(CATCH_CONFIG_POSIX_SIGNALS)
361# define CATCH_CONFIG_POSIX_SIGNALS
362#endif
363// This is set by default, because we assume that compilers with no wchar_t support are just rare exceptions.
364#if !defined(CATCH_INTERNAL_CONFIG_NO_WCHAR) && !defined(CATCH_CONFIG_NO_WCHAR) && !defined(CATCH_CONFIG_WCHAR)
365# define CATCH_CONFIG_WCHAR
366#endif
367
368#if !defined(CATCH_INTERNAL_CONFIG_NO_CPP11_TO_STRING) && !defined(CATCH_CONFIG_NO_CPP11_TO_STRING) && !defined(CATCH_CONFIG_CPP11_TO_STRING)
369# define CATCH_CONFIG_CPP11_TO_STRING
370#endif
371
372#if defined(CATCH_INTERNAL_CONFIG_CPP17_OPTIONAL) && !defined(CATCH_CONFIG_NO_CPP17_OPTIONAL) && !defined(CATCH_CONFIG_CPP17_OPTIONAL)
373# define CATCH_CONFIG_CPP17_OPTIONAL
374#endif
375
376#if defined(CATCH_INTERNAL_CONFIG_CPP17_UNCAUGHT_EXCEPTIONS) && !defined(CATCH_CONFIG_NO_CPP17_UNCAUGHT_EXCEPTIONS) && !defined(CATCH_CONFIG_CPP17_UNCAUGHT_EXCEPTIONS)
377# define CATCH_CONFIG_CPP17_UNCAUGHT_EXCEPTIONS
378#endif
379
380#if defined(CATCH_INTERNAL_CONFIG_CPP17_STRING_VIEW) && !defined(CATCH_CONFIG_NO_CPP17_STRING_VIEW) && !defined(CATCH_CONFIG_CPP17_STRING_VIEW)
381# define CATCH_CONFIG_CPP17_STRING_VIEW
382#endif
383
384#if defined(CATCH_INTERNAL_CONFIG_CPP17_VARIANT) && !defined(CATCH_CONFIG_NO_CPP17_VARIANT) && !defined(CATCH_CONFIG_CPP17_VARIANT)
385# define CATCH_CONFIG_CPP17_VARIANT
386#endif
387
388#if defined(CATCH_INTERNAL_CONFIG_CPP17_BYTE) && !defined(CATCH_CONFIG_NO_CPP17_BYTE) && !defined(CATCH_CONFIG_CPP17_BYTE)
389# define CATCH_CONFIG_CPP17_BYTE
390#endif
391
392#if defined(CATCH_CONFIG_EXPERIMENTAL_REDIRECT)
393# define CATCH_INTERNAL_CONFIG_NEW_CAPTURE
394#endif
395
396#if defined(CATCH_INTERNAL_CONFIG_NEW_CAPTURE) && !defined(CATCH_INTERNAL_CONFIG_NO_NEW_CAPTURE) && !defined(CATCH_CONFIG_NO_NEW_CAPTURE) && !defined(CATCH_CONFIG_NEW_CAPTURE)
397# define CATCH_CONFIG_NEW_CAPTURE
398#endif
399
400#if !defined(CATCH_INTERNAL_CONFIG_EXCEPTIONS_ENABLED) && !defined(CATCH_CONFIG_DISABLE_EXCEPTIONS)
401# define CATCH_CONFIG_DISABLE_EXCEPTIONS
402#endif
403
404#if defined(CATCH_INTERNAL_CONFIG_POLYFILL_ISNAN) && !defined(CATCH_CONFIG_NO_POLYFILL_ISNAN) && !defined(CATCH_CONFIG_POLYFILL_ISNAN)
405# define CATCH_CONFIG_POLYFILL_ISNAN
406#endif
407
408#if defined(CATCH_INTERNAL_CONFIG_USE_ASYNC) && !defined(CATCH_INTERNAL_CONFIG_NO_ASYNC) && !defined(CATCH_CONFIG_NO_USE_ASYNC) && !defined(CATCH_CONFIG_USE_ASYNC)
409# define CATCH_CONFIG_USE_ASYNC
410#endif
411
412#if defined(CATCH_INTERNAL_CONFIG_ANDROID_LOGWRITE) && !defined(CATCH_CONFIG_NO_ANDROID_LOGWRITE) && !defined(CATCH_CONFIG_ANDROID_LOGWRITE)
413# define CATCH_CONFIG_ANDROID_LOGWRITE
414#endif
415
416#if defined(CATCH_INTERNAL_CONFIG_GLOBAL_NEXTAFTER) && !defined(CATCH_CONFIG_NO_GLOBAL_NEXTAFTER) && !defined(CATCH_CONFIG_GLOBAL_NEXTAFTER)
417# define CATCH_CONFIG_GLOBAL_NEXTAFTER
418#endif
419
420// Even if we do not think the compiler has that warning, we still have
421// to provide a macro that can be used by the code.
422#if !defined(CATCH_INTERNAL_START_WARNINGS_SUPPRESSION)
423# define CATCH_INTERNAL_START_WARNINGS_SUPPRESSION
424#endif
425#if !defined(CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION)
426# define CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION
427#endif
428#if !defined(CATCH_INTERNAL_SUPPRESS_PARENTHESES_WARNINGS)
429# define CATCH_INTERNAL_SUPPRESS_PARENTHESES_WARNINGS
430#endif
431#if !defined(CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS)
432# define CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS
433#endif
434#if !defined(CATCH_INTERNAL_SUPPRESS_UNUSED_WARNINGS)
435# define CATCH_INTERNAL_SUPPRESS_UNUSED_WARNINGS
436#endif
437#if !defined(CATCH_INTERNAL_SUPPRESS_ZERO_VARIADIC_WARNINGS)
438# define CATCH_INTERNAL_SUPPRESS_ZERO_VARIADIC_WARNINGS
439#endif
440
441// The goal of this macro is to avoid evaluation of the arguments, but
442// still have the compiler warn on problems inside...
443#if !defined(CATCH_INTERNAL_IGNORE_BUT_WARN)
444# define CATCH_INTERNAL_IGNORE_BUT_WARN(...)
445#endif
446
447#if defined(__APPLE__) && defined(__apple_build_version__) && (__clang_major__ < 10)
448# undef CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS
449#elif defined(__clang__) && (__clang_major__ < 5)
450# undef CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS
451#endif
452
453#if !defined(CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS)
454# define CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS
455#endif
456
457#if defined(CATCH_CONFIG_DISABLE_EXCEPTIONS)
458#define CATCH_TRY if ((true))
459#define CATCH_CATCH_ALL if ((false))
460#define CATCH_CATCH_ANON(type) if ((false))
461#else
462#define CATCH_TRY try
463#define CATCH_CATCH_ALL catch (...)
464#define CATCH_CATCH_ANON(type) catch (type)
465#endif
466
467#if defined(CATCH_INTERNAL_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR) && !defined(CATCH_CONFIG_NO_TRADITIONAL_MSVC_PREPROCESSOR) && !defined(CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR)
468#define CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
469#endif
470
471// end catch_compiler_capabilities.h
472#define INTERNAL_CATCH_UNIQUE_NAME_LINE2( name, line ) name##line
473#define INTERNAL_CATCH_UNIQUE_NAME_LINE( name, line ) INTERNAL_CATCH_UNIQUE_NAME_LINE2( name, line )
474#ifdef CATCH_CONFIG_COUNTER
475# define INTERNAL_CATCH_UNIQUE_NAME( name ) INTERNAL_CATCH_UNIQUE_NAME_LINE( name, __COUNTER__ )
476#else
477# define INTERNAL_CATCH_UNIQUE_NAME( name ) INTERNAL_CATCH_UNIQUE_NAME_LINE( name, __LINE__ )
478#endif
479
480#include <iosfwd>
481#include <string>
482#include <cstdint>
483
484// We need a dummy global operator<< so we can bring it into Catch namespace later
486std::ostream& operator<<(std::ostream&, Catch_global_namespace_dummy);
487
488namespace Catch {
489
490 struct CaseSensitive { enum Choice {
491 Yes,
492 No
493 }; };
494
496 NonCopyable( NonCopyable const& ) = delete;
497 NonCopyable( NonCopyable && ) = delete;
498 NonCopyable& operator = ( NonCopyable const& ) = delete;
499 NonCopyable& operator = ( NonCopyable && ) = delete;
500
501 protected:
502 NonCopyable();
503 virtual ~NonCopyable();
504 };
505
507
508 SourceLineInfo() = delete;
509 SourceLineInfo( char const* _file, std::size_t _line ) noexcept
510 : file( _file ),
511 line( _line )
512 {}
513
514 SourceLineInfo( SourceLineInfo const& other ) = default;
515 SourceLineInfo& operator = ( SourceLineInfo const& ) = default;
516 SourceLineInfo( SourceLineInfo&& ) noexcept = default;
517 SourceLineInfo& operator = ( SourceLineInfo&& ) noexcept = default;
518
519 bool empty() const noexcept { return file[0] == '\0'; }
520 bool operator == ( SourceLineInfo const& other ) const noexcept;
521 bool operator < ( SourceLineInfo const& other ) const noexcept;
522
523 char const* file;
524 std::size_t line;
525 };
526
527 std::ostream& operator << ( std::ostream& os, SourceLineInfo const& info );
528
529 // Bring in operator<< from global namespace into Catch namespace
530 // This is necessary because the overload of operator<< above makes
531 // lookup stop at namespace Catch
532 using ::operator<<;
533
534 // Use this in variadic streaming macros to allow
535 // >> +StreamEndStop
536 // as well as
537 // >> stuff +StreamEndStop
539 std::string operator+() const;
540 };
541 template<typename T>
542 T const& operator + ( T const& value, StreamEndStop ) {
543 return value;
544 }
545}
546
547#define CATCH_INTERNAL_LINEINFO \
548 ::Catch::SourceLineInfo( __FILE__, static_cast<std::size_t>( __LINE__ ) )
549
550// end catch_common.h
551namespace Catch {
552
554 RegistrarForTagAliases( char const* alias, char const* tag, SourceLineInfo const& lineInfo );
555 };
556
557} // end namespace Catch
558
559#define CATCH_REGISTER_TAG_ALIAS( alias, spec ) \
560 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
561 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
562 namespace{ Catch::RegistrarForTagAliases INTERNAL_CATCH_UNIQUE_NAME( AutoRegisterTagAlias )( alias, spec, CATCH_INTERNAL_LINEINFO ); } \
563 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION
564
565// end catch_tag_alias_autoregistrar.h
566// start catch_test_registry.h
567
568// start catch_interfaces_testcase.h
569
570#include <vector>
571
572namespace Catch {
573
574 class TestSpec;
575
577 virtual void invoke () const = 0;
578 virtual ~ITestInvoker();
579 };
580
581 class TestCase;
582 struct IConfig;
583
585 virtual ~ITestCaseRegistry();
586 virtual std::vector<TestCase> const& getAllTests() const = 0;
587 virtual std::vector<TestCase> const& getAllTestsSorted( IConfig const& config ) const = 0;
588 };
589
590 bool isThrowSafe( TestCase const& testCase, IConfig const& config );
591 bool matchTest( TestCase const& testCase, TestSpec const& testSpec, IConfig const& config );
592 std::vector<TestCase> filterTests( std::vector<TestCase> const& testCases, TestSpec const& testSpec, IConfig const& config );
593 std::vector<TestCase> const& getAllTestCasesSorted( IConfig const& config );
594
595}
596
597// end catch_interfaces_testcase.h
598// start catch_stringref.h
599
600#include <cstddef>
601#include <string>
602#include <iosfwd>
603#include <cassert>
604
605namespace Catch {
606
610 class StringRef {
611 public:
612 using size_type = std::size_t;
613 using const_iterator = const char*;
614
615 private:
616 static constexpr char const* const s_empty = "";
617
618 char const* m_start = s_empty;
619 size_type m_size = 0;
620
621 public: // construction
622 constexpr StringRef() noexcept = default;
623
624 StringRef( char const* rawChars ) noexcept;
625
626 constexpr StringRef( char const* rawChars, size_type size ) noexcept
627 : m_start( rawChars ),
628 m_size( size )
629 {}
630
631 StringRef( std::string const& stdString ) noexcept
632 : m_start( stdString.c_str() ),
633 m_size( stdString.size() )
634 {}
635
636 explicit operator std::string() const {
637 return std::string(m_start, m_size);
638 }
639
640 public: // operators
641 auto operator == ( StringRef const& other ) const noexcept -> bool;
642 auto operator != (StringRef const& other) const noexcept -> bool {
643 return !(*this == other);
644 }
645
646 auto operator[] ( size_type index ) const noexcept -> char {
647 assert(index < m_size);
648 return m_start[index];
649 }
650
651 public: // named queries
652 constexpr auto empty() const noexcept -> bool {
653 return m_size == 0;
654 }
655 constexpr auto size() const noexcept -> size_type {
656 return m_size;
657 }
658
659 // Returns the current start pointer. If the StringRef is not
660 // null-terminated, throws std::domain_exception
661 auto c_str() const -> char const*;
662
663 public: // substrings and searches
664 // Returns a substring of [start, start + length).
665 // If start + length > size(), then the substring is [start, size()).
666 // If start > size(), then the substring is empty.
667 auto substr( size_type start, size_type length ) const noexcept -> StringRef;
668
669 // Returns the current start pointer. May not be null-terminated.
670 auto data() const noexcept -> char const*;
671
672 constexpr auto isNullTerminated() const noexcept -> bool {
673 return m_start[m_size] == '\0';
674 }
675
676 public: // iterators
677 constexpr const_iterator begin() const { return m_start; }
678 constexpr const_iterator end() const { return m_start + m_size; }
679 };
680
681 auto operator += ( std::string& lhs, StringRef const& sr ) -> std::string&;
682 auto operator << ( std::ostream& os, StringRef const& sr ) -> std::ostream&;
683
684 constexpr auto operator "" _sr( char const* rawChars, std::size_t size ) noexcept -> StringRef {
685 return StringRef( rawChars, size );
686 }
687} // namespace Catch
688
689constexpr auto operator "" _catch_sr( char const* rawChars, std::size_t size ) noexcept -> Catch::StringRef {
690 return Catch::StringRef( rawChars, size );
691}
692
693// end catch_stringref.h
694// start catch_preprocessor.hpp
695
696
697#define CATCH_RECURSION_LEVEL0(...) __VA_ARGS__
698#define CATCH_RECURSION_LEVEL1(...) CATCH_RECURSION_LEVEL0(CATCH_RECURSION_LEVEL0(CATCH_RECURSION_LEVEL0(__VA_ARGS__)))
699#define CATCH_RECURSION_LEVEL2(...) CATCH_RECURSION_LEVEL1(CATCH_RECURSION_LEVEL1(CATCH_RECURSION_LEVEL1(__VA_ARGS__)))
700#define CATCH_RECURSION_LEVEL3(...) CATCH_RECURSION_LEVEL2(CATCH_RECURSION_LEVEL2(CATCH_RECURSION_LEVEL2(__VA_ARGS__)))
701#define CATCH_RECURSION_LEVEL4(...) CATCH_RECURSION_LEVEL3(CATCH_RECURSION_LEVEL3(CATCH_RECURSION_LEVEL3(__VA_ARGS__)))
702#define CATCH_RECURSION_LEVEL5(...) CATCH_RECURSION_LEVEL4(CATCH_RECURSION_LEVEL4(CATCH_RECURSION_LEVEL4(__VA_ARGS__)))
703
704#ifdef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
705#define INTERNAL_CATCH_EXPAND_VARGS(...) __VA_ARGS__
706// MSVC needs more evaluations
707#define CATCH_RECURSION_LEVEL6(...) CATCH_RECURSION_LEVEL5(CATCH_RECURSION_LEVEL5(CATCH_RECURSION_LEVEL5(__VA_ARGS__)))
708#define CATCH_RECURSE(...) CATCH_RECURSION_LEVEL6(CATCH_RECURSION_LEVEL6(__VA_ARGS__))
709#else
710#define CATCH_RECURSE(...) CATCH_RECURSION_LEVEL5(__VA_ARGS__)
711#endif
712
713#define CATCH_REC_END(...)
714#define CATCH_REC_OUT
715
716#define CATCH_EMPTY()
717#define CATCH_DEFER(id) id CATCH_EMPTY()
718
719#define CATCH_REC_GET_END2() 0, CATCH_REC_END
720#define CATCH_REC_GET_END1(...) CATCH_REC_GET_END2
721#define CATCH_REC_GET_END(...) CATCH_REC_GET_END1
722#define CATCH_REC_NEXT0(test, next, ...) next CATCH_REC_OUT
723#define CATCH_REC_NEXT1(test, next) CATCH_DEFER ( CATCH_REC_NEXT0 ) ( test, next, 0)
724#define CATCH_REC_NEXT(test, next) CATCH_REC_NEXT1(CATCH_REC_GET_END test, next)
725
726#define CATCH_REC_LIST0(f, x, peek, ...) , f(x) CATCH_DEFER ( CATCH_REC_NEXT(peek, CATCH_REC_LIST1) ) ( f, peek, __VA_ARGS__ )
727#define CATCH_REC_LIST1(f, x, peek, ...) , f(x) CATCH_DEFER ( CATCH_REC_NEXT(peek, CATCH_REC_LIST0) ) ( f, peek, __VA_ARGS__ )
728#define CATCH_REC_LIST2(f, x, peek, ...) f(x) CATCH_DEFER ( CATCH_REC_NEXT(peek, CATCH_REC_LIST1) ) ( f, peek, __VA_ARGS__ )
729
730#define CATCH_REC_LIST0_UD(f, userdata, x, peek, ...) , f(userdata, x) CATCH_DEFER ( CATCH_REC_NEXT(peek, CATCH_REC_LIST1_UD) ) ( f, userdata, peek, __VA_ARGS__ )
731#define CATCH_REC_LIST1_UD(f, userdata, x, peek, ...) , f(userdata, x) CATCH_DEFER ( CATCH_REC_NEXT(peek, CATCH_REC_LIST0_UD) ) ( f, userdata, peek, __VA_ARGS__ )
732#define CATCH_REC_LIST2_UD(f, userdata, x, peek, ...) f(userdata, x) CATCH_DEFER ( CATCH_REC_NEXT(peek, CATCH_REC_LIST1_UD) ) ( f, userdata, peek, __VA_ARGS__ )
733
734// Applies the function macro `f` to each of the remaining parameters, inserts commas between the results,
735// and passes userdata as the first parameter to each invocation,
736// e.g. CATCH_REC_LIST_UD(f, x, a, b, c) evaluates to f(x, a), f(x, b), f(x, c)
737#define CATCH_REC_LIST_UD(f, userdata, ...) CATCH_RECURSE(CATCH_REC_LIST2_UD(f, userdata, __VA_ARGS__, ()()(), ()()(), ()()(), 0))
738
739#define CATCH_REC_LIST(f, ...) CATCH_RECURSE(CATCH_REC_LIST2(f, __VA_ARGS__, ()()(), ()()(), ()()(), 0))
740
741#define INTERNAL_CATCH_EXPAND1(param) INTERNAL_CATCH_EXPAND2(param)
742#define INTERNAL_CATCH_EXPAND2(...) INTERNAL_CATCH_NO## __VA_ARGS__
743#define INTERNAL_CATCH_DEF(...) INTERNAL_CATCH_DEF __VA_ARGS__
744#define INTERNAL_CATCH_NOINTERNAL_CATCH_DEF
745#define INTERNAL_CATCH_STRINGIZE(...) INTERNAL_CATCH_STRINGIZE2(__VA_ARGS__)
746#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
747#define INTERNAL_CATCH_STRINGIZE2(...) #__VA_ARGS__
748#define INTERNAL_CATCH_STRINGIZE_WITHOUT_PARENS(param) INTERNAL_CATCH_STRINGIZE(INTERNAL_CATCH_REMOVE_PARENS(param))
749#else
750// MSVC is adding extra space and needs another indirection to expand INTERNAL_CATCH_NOINTERNAL_CATCH_DEF
751#define INTERNAL_CATCH_STRINGIZE2(...) INTERNAL_CATCH_STRINGIZE3(__VA_ARGS__)
752#define INTERNAL_CATCH_STRINGIZE3(...) #__VA_ARGS__
753#define INTERNAL_CATCH_STRINGIZE_WITHOUT_PARENS(param) (INTERNAL_CATCH_STRINGIZE(INTERNAL_CATCH_REMOVE_PARENS(param)) + 1)
754#endif
755
756#define INTERNAL_CATCH_MAKE_NAMESPACE2(...) ns_##__VA_ARGS__
757#define INTERNAL_CATCH_MAKE_NAMESPACE(name) INTERNAL_CATCH_MAKE_NAMESPACE2(name)
758
759#define INTERNAL_CATCH_REMOVE_PARENS(...) INTERNAL_CATCH_EXPAND1(INTERNAL_CATCH_DEF __VA_ARGS__)
760
761#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
762#define INTERNAL_CATCH_MAKE_TYPE_LIST2(...) decltype(get_wrapper<INTERNAL_CATCH_REMOVE_PARENS_GEN(__VA_ARGS__)>())
763#define INTERNAL_CATCH_MAKE_TYPE_LIST(...) INTERNAL_CATCH_MAKE_TYPE_LIST2(INTERNAL_CATCH_REMOVE_PARENS(__VA_ARGS__))
764#else
765#define INTERNAL_CATCH_MAKE_TYPE_LIST2(...) INTERNAL_CATCH_EXPAND_VARGS(decltype(get_wrapper<INTERNAL_CATCH_REMOVE_PARENS_GEN(__VA_ARGS__)>()))
766#define INTERNAL_CATCH_MAKE_TYPE_LIST(...) INTERNAL_CATCH_EXPAND_VARGS(INTERNAL_CATCH_MAKE_TYPE_LIST2(INTERNAL_CATCH_REMOVE_PARENS(__VA_ARGS__)))
767#endif
768
769#define INTERNAL_CATCH_MAKE_TYPE_LISTS_FROM_TYPES(...)\
770 CATCH_REC_LIST(INTERNAL_CATCH_MAKE_TYPE_LIST,__VA_ARGS__)
771
772#define INTERNAL_CATCH_REMOVE_PARENS_1_ARG(_0) INTERNAL_CATCH_REMOVE_PARENS(_0)
773#define INTERNAL_CATCH_REMOVE_PARENS_2_ARG(_0, _1) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_1_ARG(_1)
774#define INTERNAL_CATCH_REMOVE_PARENS_3_ARG(_0, _1, _2) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_2_ARG(_1, _2)
775#define INTERNAL_CATCH_REMOVE_PARENS_4_ARG(_0, _1, _2, _3) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_3_ARG(_1, _2, _3)
776#define INTERNAL_CATCH_REMOVE_PARENS_5_ARG(_0, _1, _2, _3, _4) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_4_ARG(_1, _2, _3, _4)
777#define INTERNAL_CATCH_REMOVE_PARENS_6_ARG(_0, _1, _2, _3, _4, _5) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_5_ARG(_1, _2, _3, _4, _5)
778#define INTERNAL_CATCH_REMOVE_PARENS_7_ARG(_0, _1, _2, _3, _4, _5, _6) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_6_ARG(_1, _2, _4, _5, _6)
779#define INTERNAL_CATCH_REMOVE_PARENS_8_ARG(_0, _1, _2, _3, _4, _5, _6, _7) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_7_ARG(_1, _2, _3, _4, _5, _6, _7)
780#define INTERNAL_CATCH_REMOVE_PARENS_9_ARG(_0, _1, _2, _3, _4, _5, _6, _7, _8) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_8_ARG(_1, _2, _3, _4, _5, _6, _7, _8)
781#define INTERNAL_CATCH_REMOVE_PARENS_10_ARG(_0, _1, _2, _3, _4, _5, _6, _7, _8, _9) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_9_ARG(_1, _2, _3, _4, _5, _6, _7, _8, _9)
782#define INTERNAL_CATCH_REMOVE_PARENS_11_ARG(_0, _1, _2, _3, _4, _5, _6, _7, _8, _9, _10) INTERNAL_CATCH_REMOVE_PARENS(_0), INTERNAL_CATCH_REMOVE_PARENS_10_ARG(_1, _2, _3, _4, _5, _6, _7, _8, _9, _10)
783
784#define INTERNAL_CATCH_VA_NARGS_IMPL(_0, _1, _2, _3, _4, _5, _6, _7, _8, _9, _10, N, ...) N
785
786#define INTERNAL_CATCH_TYPE_GEN\
787 template<typename...> struct TypeList {};\
788 template<typename...Ts>\
789 constexpr auto get_wrapper() noexcept -> TypeList<Ts...> { return {}; }\
790 template<template<typename...> class...> struct TemplateTypeList{};\
791 template<template<typename...> class...Cs>\
792 constexpr auto get_wrapper() noexcept -> TemplateTypeList<Cs...> { return {}; }\
793 template<typename...>\
794 struct append;\
795 template<typename...>\
796 struct rewrap;\
797 template<template<typename...> class, typename...>\
798 struct create;\
799 template<template<typename...> class, typename>\
800 struct convert;\
801 \
802 template<typename T> \
803 struct append<T> { using type = T; };\
804 template< template<typename...> class L1, typename...E1, template<typename...> class L2, typename...E2, typename...Rest>\
805 struct append<L1<E1...>, L2<E2...>, Rest...> { using type = typename append<L1<E1...,E2...>, Rest...>::type; };\
806 template< template<typename...> class L1, typename...E1, typename...Rest>\
807 struct append<L1<E1...>, TypeList<mpl_::na>, Rest...> { using type = L1<E1...>; };\
808 \
809 template< template<typename...> class Container, template<typename...> class List, typename...elems>\
810 struct rewrap<TemplateTypeList<Container>, List<elems...>> { using type = TypeList<Container<elems...>>; };\
811 template< template<typename...> class Container, template<typename...> class List, class...Elems, typename...Elements>\
812 struct rewrap<TemplateTypeList<Container>, List<Elems...>, Elements...> { using type = typename append<TypeList<Container<Elems...>>, typename rewrap<TemplateTypeList<Container>, Elements...>::type>::type; };\
813 \
814 template<template <typename...> class Final, template< typename...> class...Containers, typename...Types>\
815 struct create<Final, TemplateTypeList<Containers...>, TypeList<Types...>> { using type = typename append<Final<>, typename rewrap<TemplateTypeList<Containers>, Types...>::type...>::type; };\
816 template<template <typename...> class Final, template <typename...> class List, typename...Ts>\
817 struct convert<Final, List<Ts...>> { using type = typename append<Final<>,TypeList<Ts>...>::type; };
818
819#define INTERNAL_CATCH_NTTP_1(signature, ...)\
820 template<INTERNAL_CATCH_REMOVE_PARENS(signature)> struct Nttp{};\
821 template<INTERNAL_CATCH_REMOVE_PARENS(signature)>\
822 constexpr auto get_wrapper() noexcept -> Nttp<__VA_ARGS__> { return {}; } \
823 template<template<INTERNAL_CATCH_REMOVE_PARENS(signature)> class...> struct NttpTemplateTypeList{};\
824 template<template<INTERNAL_CATCH_REMOVE_PARENS(signature)> class...Cs>\
825 constexpr auto get_wrapper() noexcept -> NttpTemplateTypeList<Cs...> { return {}; } \
826 \
827 template< template<INTERNAL_CATCH_REMOVE_PARENS(signature)> class Container, template<INTERNAL_CATCH_REMOVE_PARENS(signature)> class List, INTERNAL_CATCH_REMOVE_PARENS(signature)>\
828 struct rewrap<NttpTemplateTypeList<Container>, List<__VA_ARGS__>> { using type = TypeList<Container<__VA_ARGS__>>; };\
829 template< template<INTERNAL_CATCH_REMOVE_PARENS(signature)> class Container, template<INTERNAL_CATCH_REMOVE_PARENS(signature)> class List, INTERNAL_CATCH_REMOVE_PARENS(signature), typename...Elements>\
830 struct rewrap<NttpTemplateTypeList<Container>, List<__VA_ARGS__>, Elements...> { using type = typename append<TypeList<Container<__VA_ARGS__>>, typename rewrap<NttpTemplateTypeList<Container>, Elements...>::type>::type; };\
831 template<template <typename...> class Final, template<INTERNAL_CATCH_REMOVE_PARENS(signature)> class...Containers, typename...Types>\
832 struct create<Final, NttpTemplateTypeList<Containers...>, TypeList<Types...>> { using type = typename append<Final<>, typename rewrap<NttpTemplateTypeList<Containers>, Types...>::type...>::type; };
833
834#define INTERNAL_CATCH_DECLARE_SIG_TEST0(TestName)
835#define INTERNAL_CATCH_DECLARE_SIG_TEST1(TestName, signature)\
836 template<INTERNAL_CATCH_REMOVE_PARENS(signature)>\
837 static void TestName()
838#define INTERNAL_CATCH_DECLARE_SIG_TEST_X(TestName, signature, ...)\
839 template<INTERNAL_CATCH_REMOVE_PARENS(signature)>\
840 static void TestName()
841
842#define INTERNAL_CATCH_DEFINE_SIG_TEST0(TestName)
843#define INTERNAL_CATCH_DEFINE_SIG_TEST1(TestName, signature)\
844 template<INTERNAL_CATCH_REMOVE_PARENS(signature)>\
845 static void TestName()
846#define INTERNAL_CATCH_DEFINE_SIG_TEST_X(TestName, signature,...)\
847 template<INTERNAL_CATCH_REMOVE_PARENS(signature)>\
848 static void TestName()
849
850#define INTERNAL_CATCH_NTTP_REGISTER0(TestFunc, signature)\
851 template<typename Type>\
852 void reg_test(TypeList<Type>, Catch::NameAndTags nameAndTags)\
853 {\
854 Catch::AutoReg( Catch::makeTestInvoker(&TestFunc<Type>), CATCH_INTERNAL_LINEINFO, Catch::StringRef(), nameAndTags);\
855 }
856
857#define INTERNAL_CATCH_NTTP_REGISTER(TestFunc, signature, ...)\
858 template<INTERNAL_CATCH_REMOVE_PARENS(signature)>\
859 void reg_test(Nttp<__VA_ARGS__>, Catch::NameAndTags nameAndTags)\
860 {\
861 Catch::AutoReg( Catch::makeTestInvoker(&TestFunc<__VA_ARGS__>), CATCH_INTERNAL_LINEINFO, Catch::StringRef(), nameAndTags);\
862 }
863
864#define INTERNAL_CATCH_NTTP_REGISTER_METHOD0(TestName, signature, ...)\
865 template<typename Type>\
866 void reg_test(TypeList<Type>, Catch::StringRef className, Catch::NameAndTags nameAndTags)\
867 {\
868 Catch::AutoReg( Catch::makeTestInvoker(&TestName<Type>::test), CATCH_INTERNAL_LINEINFO, className, nameAndTags);\
869 }
870
871#define INTERNAL_CATCH_NTTP_REGISTER_METHOD(TestName, signature, ...)\
872 template<INTERNAL_CATCH_REMOVE_PARENS(signature)>\
873 void reg_test(Nttp<__VA_ARGS__>, Catch::StringRef className, Catch::NameAndTags nameAndTags)\
874 {\
875 Catch::AutoReg( Catch::makeTestInvoker(&TestName<__VA_ARGS__>::test), CATCH_INTERNAL_LINEINFO, className, nameAndTags);\
876 }
877
878#define INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD0(TestName, ClassName)
879#define INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD1(TestName, ClassName, signature)\
880 template<typename TestType> \
881 struct TestName : INTERNAL_CATCH_REMOVE_PARENS(ClassName)<TestType> { \
882 void test();\
883 }
884
885#define INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X(TestName, ClassName, signature, ...)\
886 template<INTERNAL_CATCH_REMOVE_PARENS(signature)> \
887 struct TestName : INTERNAL_CATCH_REMOVE_PARENS(ClassName)<__VA_ARGS__> { \
888 void test();\
889 }
890
891#define INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD0(TestName)
892#define INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD1(TestName, signature)\
893 template<typename TestType> \
894 void INTERNAL_CATCH_MAKE_NAMESPACE(TestName)::TestName<TestType>::test()
895#define INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X(TestName, signature, ...)\
896 template<INTERNAL_CATCH_REMOVE_PARENS(signature)> \
897 void INTERNAL_CATCH_MAKE_NAMESPACE(TestName)::TestName<__VA_ARGS__>::test()
898
899#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
900#define INTERNAL_CATCH_NTTP_0
901#define INTERNAL_CATCH_NTTP_GEN(...) INTERNAL_CATCH_VA_NARGS_IMPL(__VA_ARGS__, INTERNAL_CATCH_NTTP_1(__VA_ARGS__), INTERNAL_CATCH_NTTP_1(__VA_ARGS__), INTERNAL_CATCH_NTTP_1(__VA_ARGS__), INTERNAL_CATCH_NTTP_1(__VA_ARGS__), INTERNAL_CATCH_NTTP_1(__VA_ARGS__), INTERNAL_CATCH_NTTP_1( __VA_ARGS__), INTERNAL_CATCH_NTTP_1( __VA_ARGS__), INTERNAL_CATCH_NTTP_1( __VA_ARGS__), INTERNAL_CATCH_NTTP_1( __VA_ARGS__),INTERNAL_CATCH_NTTP_1( __VA_ARGS__), INTERNAL_CATCH_NTTP_0)
902#define INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD(TestName, ...) INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD1, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD0)(TestName, __VA_ARGS__)
903#define INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD(TestName, ClassName, ...) INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD1, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD0)(TestName, ClassName, __VA_ARGS__)
904#define INTERNAL_CATCH_NTTP_REG_METHOD_GEN(TestName, ...) INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD0, INTERNAL_CATCH_NTTP_REGISTER_METHOD0)(TestName, __VA_ARGS__)
905#define INTERNAL_CATCH_NTTP_REG_GEN(TestFunc, ...) INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER0, INTERNAL_CATCH_NTTP_REGISTER0)(TestFunc, __VA_ARGS__)
906#define INTERNAL_CATCH_DEFINE_SIG_TEST(TestName, ...) INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X,INTERNAL_CATCH_DEFINE_SIG_TEST_X,INTERNAL_CATCH_DEFINE_SIG_TEST1, INTERNAL_CATCH_DEFINE_SIG_TEST0)(TestName, __VA_ARGS__)
907#define INTERNAL_CATCH_DECLARE_SIG_TEST(TestName, ...) INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_DECLARE_SIG_TEST_X,INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X,INTERNAL_CATCH_DECLARE_SIG_TEST_X,INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST1, INTERNAL_CATCH_DECLARE_SIG_TEST0)(TestName, __VA_ARGS__)
908#define INTERNAL_CATCH_REMOVE_PARENS_GEN(...) INTERNAL_CATCH_VA_NARGS_IMPL(__VA_ARGS__, INTERNAL_CATCH_REMOVE_PARENS_11_ARG,INTERNAL_CATCH_REMOVE_PARENS_10_ARG,INTERNAL_CATCH_REMOVE_PARENS_9_ARG,INTERNAL_CATCH_REMOVE_PARENS_8_ARG,INTERNAL_CATCH_REMOVE_PARENS_7_ARG,INTERNAL_CATCH_REMOVE_PARENS_6_ARG,INTERNAL_CATCH_REMOVE_PARENS_5_ARG,INTERNAL_CATCH_REMOVE_PARENS_4_ARG,INTERNAL_CATCH_REMOVE_PARENS_3_ARG,INTERNAL_CATCH_REMOVE_PARENS_2_ARG,INTERNAL_CATCH_REMOVE_PARENS_1_ARG)(__VA_ARGS__)
909#else
910#define INTERNAL_CATCH_NTTP_0(signature)
911#define INTERNAL_CATCH_NTTP_GEN(...) INTERNAL_CATCH_EXPAND_VARGS(INTERNAL_CATCH_VA_NARGS_IMPL(__VA_ARGS__, INTERNAL_CATCH_NTTP_1, INTERNAL_CATCH_NTTP_1, INTERNAL_CATCH_NTTP_1, INTERNAL_CATCH_NTTP_1, INTERNAL_CATCH_NTTP_1, INTERNAL_CATCH_NTTP_1, INTERNAL_CATCH_NTTP_1, INTERNAL_CATCH_NTTP_1, INTERNAL_CATCH_NTTP_1,INTERNAL_CATCH_NTTP_1, INTERNAL_CATCH_NTTP_0)( __VA_ARGS__))
912#define INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD(TestName, ...) INTERNAL_CATCH_EXPAND_VARGS(INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD1, INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD0)(TestName, __VA_ARGS__))
913#define INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD(TestName, ClassName, ...) INTERNAL_CATCH_EXPAND_VARGS(INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X,INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD_X, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD1, INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD0)(TestName, ClassName, __VA_ARGS__))
914#define INTERNAL_CATCH_NTTP_REG_METHOD_GEN(TestName, ...) INTERNAL_CATCH_EXPAND_VARGS(INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD, INTERNAL_CATCH_NTTP_REGISTER_METHOD0, INTERNAL_CATCH_NTTP_REGISTER_METHOD0)(TestName, __VA_ARGS__))
915#define INTERNAL_CATCH_NTTP_REG_GEN(TestFunc, ...) INTERNAL_CATCH_EXPAND_VARGS(INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER, INTERNAL_CATCH_NTTP_REGISTER0, INTERNAL_CATCH_NTTP_REGISTER0)(TestFunc, __VA_ARGS__))
916#define INTERNAL_CATCH_DEFINE_SIG_TEST(TestName, ...) INTERNAL_CATCH_EXPAND_VARGS(INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X,INTERNAL_CATCH_DEFINE_SIG_TEST_X,INTERNAL_CATCH_DEFINE_SIG_TEST1, INTERNAL_CATCH_DEFINE_SIG_TEST0)(TestName, __VA_ARGS__))
917#define INTERNAL_CATCH_DECLARE_SIG_TEST(TestName, ...) INTERNAL_CATCH_EXPAND_VARGS(INTERNAL_CATCH_VA_NARGS_IMPL( "dummy", __VA_ARGS__, INTERNAL_CATCH_DECLARE_SIG_TEST_X,INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DEFINE_SIG_TEST_X,INTERNAL_CATCH_DECLARE_SIG_TEST_X,INTERNAL_CATCH_DECLARE_SIG_TEST_X, INTERNAL_CATCH_DECLARE_SIG_TEST1, INTERNAL_CATCH_DECLARE_SIG_TEST0)(TestName, __VA_ARGS__))
918#define INTERNAL_CATCH_REMOVE_PARENS_GEN(...) INTERNAL_CATCH_EXPAND_VARGS(INTERNAL_CATCH_VA_NARGS_IMPL(__VA_ARGS__, INTERNAL_CATCH_REMOVE_PARENS_11_ARG,INTERNAL_CATCH_REMOVE_PARENS_10_ARG,INTERNAL_CATCH_REMOVE_PARENS_9_ARG,INTERNAL_CATCH_REMOVE_PARENS_8_ARG,INTERNAL_CATCH_REMOVE_PARENS_7_ARG,INTERNAL_CATCH_REMOVE_PARENS_6_ARG,INTERNAL_CATCH_REMOVE_PARENS_5_ARG,INTERNAL_CATCH_REMOVE_PARENS_4_ARG,INTERNAL_CATCH_REMOVE_PARENS_3_ARG,INTERNAL_CATCH_REMOVE_PARENS_2_ARG,INTERNAL_CATCH_REMOVE_PARENS_1_ARG)(__VA_ARGS__))
919#endif
920
921// end catch_preprocessor.hpp
922// start catch_meta.hpp
923
924
925#include <type_traits>
926
927namespace Catch {
928 template<typename T>
929 struct always_false : std::false_type {};
930
931 template <typename> struct true_given : std::true_type {};
933 template <typename Fun, typename... Args>
934 true_given<decltype(std::declval<Fun>()(std::declval<Args>()...))> static test(int);
935 template <typename...>
936 std::false_type static test(...);
937 };
938
939 template <typename T>
941
942 template <typename Fun, typename... Args>
943 struct is_callable<Fun(Args...)> : decltype(is_callable_tester::test<Fun, Args...>(0)) {};
944
945#if defined(__cpp_lib_is_invocable) && __cpp_lib_is_invocable >= 201703
946 // std::result_of is deprecated in C++17 and removed in C++20. Hence, it is
947 // replaced with std::invoke_result here.
948 template <typename Func, typename... U>
949 using FunctionReturnType = std::remove_reference_t<std::remove_cv_t<std::invoke_result_t<Func, U...>>>;
950#else
951 // Keep ::type here because we still support C++11
952 template <typename Func, typename... U>
953 using FunctionReturnType = typename std::remove_reference<typename std::remove_cv<typename std::result_of<Func(U...)>::type>::type>::type;
954#endif
955
956} // namespace Catch
957
958namespace mpl_{
959 struct na;
960}
961
962// end catch_meta.hpp
963namespace Catch {
964
965template<typename C>
967 void (C::*m_testAsMethod)();
968public:
969 TestInvokerAsMethod( void (C::*testAsMethod)() ) noexcept : m_testAsMethod( testAsMethod ) {}
970
971 void invoke() const override {
972 C obj;
973 (obj.*m_testAsMethod)();
974 }
975};
976
977auto makeTestInvoker( void(*testAsFunction)() ) noexcept -> ITestInvoker*;
978
979template<typename C>
980auto makeTestInvoker( void (C::*testAsMethod)() ) noexcept -> ITestInvoker* {
981 return new(std::nothrow) TestInvokerAsMethod<C>( testAsMethod );
982}
983
985 NameAndTags( StringRef const& name_ = StringRef(), StringRef const& tags_ = StringRef() ) noexcept;
986 StringRef name;
987 StringRef tags;
988};
989
991 AutoReg( ITestInvoker* invoker, SourceLineInfo const& lineInfo, StringRef const& classOrMethod, NameAndTags const& nameAndTags ) noexcept;
992 ~AutoReg();
993};
994
995} // end namespace Catch
996
997#if defined(CATCH_CONFIG_DISABLE)
998 #define INTERNAL_CATCH_TESTCASE_NO_REGISTRATION( TestName, ... ) \
999 static void TestName()
1000 #define INTERNAL_CATCH_TESTCASE_METHOD_NO_REGISTRATION( TestName, ClassName, ... ) \
1001 namespace{ \
1002 struct TestName : INTERNAL_CATCH_REMOVE_PARENS(ClassName) { \
1003 void test(); \
1004 }; \
1005 } \
1006 void TestName::test()
1007 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION_2( TestName, TestFunc, Name, Tags, Signature, ... ) \
1008 INTERNAL_CATCH_DEFINE_SIG_TEST(TestFunc, INTERNAL_CATCH_REMOVE_PARENS(Signature))
1009 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION_2( TestNameClass, TestName, ClassName, Name, Tags, Signature, ... ) \
1010 namespace{ \
1011 namespace INTERNAL_CATCH_MAKE_NAMESPACE(TestName) { \
1012 INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD(TestName, ClassName, INTERNAL_CATCH_REMOVE_PARENS(Signature));\
1013 } \
1014 } \
1015 INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD(TestName, INTERNAL_CATCH_REMOVE_PARENS(Signature))
1016
1017 #ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1018 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION(Name, Tags, ...) \
1019 INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, typename TestType, __VA_ARGS__ )
1020 #else
1021 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION(Name, Tags, ...) \
1022 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, typename TestType, __VA_ARGS__ ) )
1023 #endif
1024
1025 #ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1026 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG_NO_REGISTRATION(Name, Tags, Signature, ...) \
1027 INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, Signature, __VA_ARGS__ )
1028 #else
1029 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG_NO_REGISTRATION(Name, Tags, Signature, ...) \
1030 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, Signature, __VA_ARGS__ ) )
1031 #endif
1032
1033 #ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1034 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION( ClassName, Name, Tags,... ) \
1035 INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____C_L_A_S_S____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ) , ClassName, Name, Tags, typename T, __VA_ARGS__ )
1036 #else
1037 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION( ClassName, Name, Tags,... ) \
1038 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____C_L_A_S_S____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ) , ClassName, Name, Tags, typename T, __VA_ARGS__ ) )
1039 #endif
1040
1041 #ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1042 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG_NO_REGISTRATION( ClassName, Name, Tags, Signature, ... ) \
1043 INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____C_L_A_S_S____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ) , ClassName, Name, Tags, Signature, __VA_ARGS__ )
1044 #else
1045 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG_NO_REGISTRATION( ClassName, Name, Tags, Signature, ... ) \
1046 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____C_L_A_S_S____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ) , ClassName, Name, Tags, Signature, __VA_ARGS__ ) )
1047 #endif
1048#endif
1049
1051 #define INTERNAL_CATCH_TESTCASE2( TestName, ... ) \
1052 static void TestName(); \
1053 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1054 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1055 namespace{ Catch::AutoReg INTERNAL_CATCH_UNIQUE_NAME( autoRegistrar )( Catch::makeTestInvoker( &TestName ), CATCH_INTERNAL_LINEINFO, Catch::StringRef(), Catch::NameAndTags{ __VA_ARGS__ } ); } /* NOLINT */ \
1056 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
1057 static void TestName()
1058 #define INTERNAL_CATCH_TESTCASE( ... ) \
1059 INTERNAL_CATCH_TESTCASE2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ), __VA_ARGS__ )
1060
1062 #define INTERNAL_CATCH_METHOD_AS_TEST_CASE( QualifiedMethod, ... ) \
1063 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1064 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1065 namespace{ Catch::AutoReg INTERNAL_CATCH_UNIQUE_NAME( autoRegistrar )( Catch::makeTestInvoker( &QualifiedMethod ), CATCH_INTERNAL_LINEINFO, "&" #QualifiedMethod, Catch::NameAndTags{ __VA_ARGS__ } ); } /* NOLINT */ \
1066 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION
1067
1069 #define INTERNAL_CATCH_TEST_CASE_METHOD2( TestName, ClassName, ... )\
1070 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1071 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1072 namespace{ \
1073 struct TestName : INTERNAL_CATCH_REMOVE_PARENS(ClassName) { \
1074 void test(); \
1075 }; \
1076 Catch::AutoReg INTERNAL_CATCH_UNIQUE_NAME( autoRegistrar ) ( Catch::makeTestInvoker( &TestName::test ), CATCH_INTERNAL_LINEINFO, #ClassName, Catch::NameAndTags{ __VA_ARGS__ } ); /* NOLINT */ \
1077 } \
1078 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
1079 void TestName::test()
1080 #define INTERNAL_CATCH_TEST_CASE_METHOD( ClassName, ... ) \
1081 INTERNAL_CATCH_TEST_CASE_METHOD2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ), ClassName, __VA_ARGS__ )
1082
1084 #define INTERNAL_CATCH_REGISTER_TESTCASE( Function, ... ) \
1085 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1086 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1087 Catch::AutoReg INTERNAL_CATCH_UNIQUE_NAME( autoRegistrar )( Catch::makeTestInvoker( Function ), CATCH_INTERNAL_LINEINFO, Catch::StringRef(), Catch::NameAndTags{ __VA_ARGS__ } ); /* NOLINT */ \
1088 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION
1089
1091 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_2(TestName, TestFunc, Name, Tags, Signature, ... )\
1092 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1093 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1094 CATCH_INTERNAL_SUPPRESS_ZERO_VARIADIC_WARNINGS \
1095 CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS \
1096 INTERNAL_CATCH_DECLARE_SIG_TEST(TestFunc, INTERNAL_CATCH_REMOVE_PARENS(Signature));\
1097 namespace {\
1098 namespace INTERNAL_CATCH_MAKE_NAMESPACE(TestName){\
1099 INTERNAL_CATCH_TYPE_GEN\
1100 INTERNAL_CATCH_NTTP_GEN(INTERNAL_CATCH_REMOVE_PARENS(Signature))\
1101 INTERNAL_CATCH_NTTP_REG_GEN(TestFunc,INTERNAL_CATCH_REMOVE_PARENS(Signature))\
1102 template<typename...Types> \
1103 struct TestName{\
1104 TestName(){\
1105 int index = 0; \
1106 constexpr char const* tmpl_types[] = {CATCH_REC_LIST(INTERNAL_CATCH_STRINGIZE_WITHOUT_PARENS, __VA_ARGS__)};\
1107 using expander = int[];\
1108 (void)expander{(reg_test(Types{}, Catch::NameAndTags{ Name " - " + std::string(tmpl_types[index]), Tags } ), index++, 0)... };/* NOLINT */ \
1109 }\
1110 };\
1111 static int INTERNAL_CATCH_UNIQUE_NAME( globalRegistrar ) = [](){\
1112 TestName<INTERNAL_CATCH_MAKE_TYPE_LISTS_FROM_TYPES(__VA_ARGS__)>();\
1113 return 0;\
1114 }();\
1115 }\
1116 }\
1117 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
1118 INTERNAL_CATCH_DEFINE_SIG_TEST(TestFunc,INTERNAL_CATCH_REMOVE_PARENS(Signature))
1119
1120#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1121 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE(Name, Tags, ...) \
1122 INTERNAL_CATCH_TEMPLATE_TEST_CASE_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, typename TestType, __VA_ARGS__ )
1123#else
1124 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE(Name, Tags, ...) \
1125 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, typename TestType, __VA_ARGS__ ) )
1126#endif
1127
1128#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1129 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG(Name, Tags, Signature, ...) \
1130 INTERNAL_CATCH_TEMPLATE_TEST_CASE_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, Signature, __VA_ARGS__ )
1131#else
1132 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG(Name, Tags, Signature, ...) \
1133 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, Signature, __VA_ARGS__ ) )
1134#endif
1135
1136 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE2(TestName, TestFuncName, Name, Tags, Signature, TmplTypes, TypesList) \
1137 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1138 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1139 CATCH_INTERNAL_SUPPRESS_ZERO_VARIADIC_WARNINGS \
1140 CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS \
1141 template<typename TestType> static void TestFuncName(); \
1142 namespace {\
1143 namespace INTERNAL_CATCH_MAKE_NAMESPACE(TestName) { \
1144 INTERNAL_CATCH_TYPE_GEN \
1145 INTERNAL_CATCH_NTTP_GEN(INTERNAL_CATCH_REMOVE_PARENS(Signature)) \
1146 template<typename... Types> \
1147 struct TestName { \
1148 void reg_tests() { \
1149 int index = 0; \
1150 using expander = int[]; \
1151 constexpr char const* tmpl_types[] = {CATCH_REC_LIST(INTERNAL_CATCH_STRINGIZE_WITHOUT_PARENS, INTERNAL_CATCH_REMOVE_PARENS(TmplTypes))};\
1152 constexpr char const* types_list[] = {CATCH_REC_LIST(INTERNAL_CATCH_STRINGIZE_WITHOUT_PARENS, INTERNAL_CATCH_REMOVE_PARENS(TypesList))};\
1153 constexpr auto num_types = sizeof(types_list) / sizeof(types_list[0]);\
1154 (void)expander{(Catch::AutoReg( Catch::makeTestInvoker( &TestFuncName<Types> ), CATCH_INTERNAL_LINEINFO, Catch::StringRef(), Catch::NameAndTags{ Name " - " + std::string(tmpl_types[index / num_types]) + "<" + std::string(types_list[index % num_types]) + ">", Tags } ), index++, 0)... };/* NOLINT */\
1155 } \
1156 }; \
1157 static int INTERNAL_CATCH_UNIQUE_NAME( globalRegistrar ) = [](){ \
1158 using TestInit = typename create<TestName, decltype(get_wrapper<INTERNAL_CATCH_REMOVE_PARENS(TmplTypes)>()), TypeList<INTERNAL_CATCH_MAKE_TYPE_LISTS_FROM_TYPES(INTERNAL_CATCH_REMOVE_PARENS(TypesList))>>::type; \
1159 TestInit t; \
1160 t.reg_tests(); \
1161 return 0; \
1162 }(); \
1163 } \
1164 } \
1165 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
1166 template<typename TestType> \
1167 static void TestFuncName()
1168
1169#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1170 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE(Name, Tags, ...)\
1171 INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE2(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, typename T,__VA_ARGS__)
1172#else
1173 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE(Name, Tags, ...)\
1174 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, typename T, __VA_ARGS__ ) )
1175#endif
1176
1177#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1178 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG(Name, Tags, Signature, ...)\
1179 INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE2(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, Signature, __VA_ARGS__)
1180#else
1181 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG(Name, Tags, Signature, ...)\
1182 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, Signature, __VA_ARGS__ ) )
1183#endif
1184
1185 #define INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE_2(TestName, TestFunc, Name, Tags, TmplList)\
1186 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1187 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1188 CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS \
1189 template<typename TestType> static void TestFunc(); \
1190 namespace {\
1191 namespace INTERNAL_CATCH_MAKE_NAMESPACE(TestName){\
1192 INTERNAL_CATCH_TYPE_GEN\
1193 template<typename... Types> \
1194 struct TestName { \
1195 void reg_tests() { \
1196 int index = 0; \
1197 using expander = int[]; \
1198 (void)expander{(Catch::AutoReg( Catch::makeTestInvoker( &TestFunc<Types> ), CATCH_INTERNAL_LINEINFO, Catch::StringRef(), Catch::NameAndTags{ Name " - " + std::string(INTERNAL_CATCH_STRINGIZE(TmplList)) + " - " + std::to_string(index), Tags } ), index++, 0)... };/* NOLINT */\
1199 } \
1200 };\
1201 static int INTERNAL_CATCH_UNIQUE_NAME( globalRegistrar ) = [](){ \
1202 using TestInit = typename convert<TestName, TmplList>::type; \
1203 TestInit t; \
1204 t.reg_tests(); \
1205 return 0; \
1206 }(); \
1207 }}\
1208 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
1209 template<typename TestType> \
1210 static void TestFunc()
1211
1212 #define INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE(Name, Tags, TmplList) \
1213 INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), Name, Tags, TmplList )
1214
1215 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_2( TestNameClass, TestName, ClassName, Name, Tags, Signature, ... ) \
1216 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1217 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1218 CATCH_INTERNAL_SUPPRESS_ZERO_VARIADIC_WARNINGS \
1219 CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS \
1220 namespace {\
1221 namespace INTERNAL_CATCH_MAKE_NAMESPACE(TestName){ \
1222 INTERNAL_CATCH_TYPE_GEN\
1223 INTERNAL_CATCH_NTTP_GEN(INTERNAL_CATCH_REMOVE_PARENS(Signature))\
1224 INTERNAL_CATCH_DECLARE_SIG_TEST_METHOD(TestName, ClassName, INTERNAL_CATCH_REMOVE_PARENS(Signature));\
1225 INTERNAL_CATCH_NTTP_REG_METHOD_GEN(TestName, INTERNAL_CATCH_REMOVE_PARENS(Signature))\
1226 template<typename...Types> \
1227 struct TestNameClass{\
1228 TestNameClass(){\
1229 int index = 0; \
1230 constexpr char const* tmpl_types[] = {CATCH_REC_LIST(INTERNAL_CATCH_STRINGIZE_WITHOUT_PARENS, __VA_ARGS__)};\
1231 using expander = int[];\
1232 (void)expander{(reg_test(Types{}, #ClassName, Catch::NameAndTags{ Name " - " + std::string(tmpl_types[index]), Tags } ), index++, 0)... };/* NOLINT */ \
1233 }\
1234 };\
1235 static int INTERNAL_CATCH_UNIQUE_NAME( globalRegistrar ) = [](){\
1236 TestNameClass<INTERNAL_CATCH_MAKE_TYPE_LISTS_FROM_TYPES(__VA_ARGS__)>();\
1237 return 0;\
1238 }();\
1239 }\
1240 }\
1241 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
1242 INTERNAL_CATCH_DEFINE_SIG_TEST_METHOD(TestName, INTERNAL_CATCH_REMOVE_PARENS(Signature))
1243
1244#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1245 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD( ClassName, Name, Tags,... ) \
1246 INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____C_L_A_S_S____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ) , ClassName, Name, Tags, typename T, __VA_ARGS__ )
1247#else
1248 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD( ClassName, Name, Tags,... ) \
1249 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____C_L_A_S_S____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ) , ClassName, Name, Tags, typename T, __VA_ARGS__ ) )
1250#endif
1251
1252#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1253 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( ClassName, Name, Tags, Signature, ... ) \
1254 INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____C_L_A_S_S____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ) , ClassName, Name, Tags, Signature, __VA_ARGS__ )
1255#else
1256 #define INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( ClassName, Name, Tags, Signature, ... ) \
1257 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____C_L_A_S_S____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ) , ClassName, Name, Tags, Signature, __VA_ARGS__ ) )
1258#endif
1259
1260 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_2(TestNameClass, TestName, ClassName, Name, Tags, Signature, TmplTypes, TypesList)\
1261 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1262 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1263 CATCH_INTERNAL_SUPPRESS_ZERO_VARIADIC_WARNINGS \
1264 CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS \
1265 template<typename TestType> \
1266 struct TestName : INTERNAL_CATCH_REMOVE_PARENS(ClassName <TestType>) { \
1267 void test();\
1268 };\
1269 namespace {\
1270 namespace INTERNAL_CATCH_MAKE_NAMESPACE(TestNameClass) {\
1271 INTERNAL_CATCH_TYPE_GEN \
1272 INTERNAL_CATCH_NTTP_GEN(INTERNAL_CATCH_REMOVE_PARENS(Signature))\
1273 template<typename...Types>\
1274 struct TestNameClass{\
1275 void reg_tests(){\
1276 int index = 0;\
1277 using expander = int[];\
1278 constexpr char const* tmpl_types[] = {CATCH_REC_LIST(INTERNAL_CATCH_STRINGIZE_WITHOUT_PARENS, INTERNAL_CATCH_REMOVE_PARENS(TmplTypes))};\
1279 constexpr char const* types_list[] = {CATCH_REC_LIST(INTERNAL_CATCH_STRINGIZE_WITHOUT_PARENS, INTERNAL_CATCH_REMOVE_PARENS(TypesList))};\
1280 constexpr auto num_types = sizeof(types_list) / sizeof(types_list[0]);\
1281 (void)expander{(Catch::AutoReg( Catch::makeTestInvoker( &TestName<Types>::test ), CATCH_INTERNAL_LINEINFO, #ClassName, Catch::NameAndTags{ Name " - " + std::string(tmpl_types[index / num_types]) + "<" + std::string(types_list[index % num_types]) + ">", Tags } ), index++, 0)... };/* NOLINT */ \
1282 }\
1283 };\
1284 static int INTERNAL_CATCH_UNIQUE_NAME( globalRegistrar ) = [](){\
1285 using TestInit = typename create<TestNameClass, decltype(get_wrapper<INTERNAL_CATCH_REMOVE_PARENS(TmplTypes)>()), TypeList<INTERNAL_CATCH_MAKE_TYPE_LISTS_FROM_TYPES(INTERNAL_CATCH_REMOVE_PARENS(TypesList))>>::type;\
1286 TestInit t;\
1287 t.reg_tests();\
1288 return 0;\
1289 }(); \
1290 }\
1291 }\
1292 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
1293 template<typename TestType> \
1294 void TestName<TestType>::test()
1295
1296#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1297 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( ClassName, Name, Tags, ... )\
1298 INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), ClassName, Name, Tags, typename T, __VA_ARGS__ )
1299#else
1300 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( ClassName, Name, Tags, ... )\
1301 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), ClassName, Name, Tags, typename T,__VA_ARGS__ ) )
1302#endif
1303
1304#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
1305 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( ClassName, Name, Tags, Signature, ... )\
1306 INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), ClassName, Name, Tags, Signature, __VA_ARGS__ )
1307#else
1308 #define INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( ClassName, Name, Tags, Signature, ... )\
1309 INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), ClassName, Name, Tags, Signature,__VA_ARGS__ ) )
1310#endif
1311
1312 #define INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE_METHOD_2( TestNameClass, TestName, ClassName, Name, Tags, TmplList) \
1313 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
1314 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
1315 CATCH_INTERNAL_SUPPRESS_UNUSED_TEMPLATE_WARNINGS \
1316 template<typename TestType> \
1317 struct TestName : INTERNAL_CATCH_REMOVE_PARENS(ClassName <TestType>) { \
1318 void test();\
1319 };\
1320 namespace {\
1321 namespace INTERNAL_CATCH_MAKE_NAMESPACE(TestName){ \
1322 INTERNAL_CATCH_TYPE_GEN\
1323 template<typename...Types>\
1324 struct TestNameClass{\
1325 void reg_tests(){\
1326 int index = 0;\
1327 using expander = int[];\
1328 (void)expander{(Catch::AutoReg( Catch::makeTestInvoker( &TestName<Types>::test ), CATCH_INTERNAL_LINEINFO, #ClassName, Catch::NameAndTags{ Name " - " + std::string(INTERNAL_CATCH_STRINGIZE(TmplList)) + " - " + std::to_string(index), Tags } ), index++, 0)... };/* NOLINT */ \
1329 }\
1330 };\
1331 static int INTERNAL_CATCH_UNIQUE_NAME( globalRegistrar ) = [](){\
1332 using TestInit = typename convert<TestNameClass, TmplList>::type;\
1333 TestInit t;\
1334 t.reg_tests();\
1335 return 0;\
1336 }(); \
1337 }}\
1338 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
1339 template<typename TestType> \
1340 void TestName<TestType>::test()
1341
1342#define INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE_METHOD(ClassName, Name, Tags, TmplList) \
1343 INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE_METHOD_2( INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____ ), INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_M_P_L_A_T_E____T_E_S_T____F_U_N_C____ ), ClassName, Name, Tags, TmplList )
1344
1345// end catch_test_registry.h
1346// start catch_capture.hpp
1347
1348// start catch_assertionhandler.h
1349
1350// start catch_assertioninfo.h
1351
1352// start catch_result_type.h
1353
1354namespace Catch {
1355
1356 // ResultWas::OfType enum
1357 struct ResultWas { enum OfType {
1358 Unknown = -1,
1359 Ok = 0,
1360 Info = 1,
1361 Warning = 2,
1362
1363 FailureBit = 0x10,
1364
1365 ExpressionFailed = FailureBit | 1,
1366 ExplicitFailure = FailureBit | 2,
1367
1368 Exception = 0x100 | FailureBit,
1369
1370 ThrewException = Exception | 1,
1371 DidntThrowException = Exception | 2,
1372
1373 FatalErrorCondition = 0x200 | FailureBit
1374
1375 }; };
1376
1377 bool isOk( ResultWas::OfType resultType );
1378 bool isJustInfo( int flags );
1379
1380 // ResultDisposition::Flags enum
1381 struct ResultDisposition { enum Flags {
1382 Normal = 0x01,
1383
1384 ContinueOnFailure = 0x02, // Failures fail test, but execution continues
1385 FalseTest = 0x04, // Prefix expression with !
1386 SuppressFail = 0x08 // Failures are reported but do not fail the test
1387 }; };
1388
1389 ResultDisposition::Flags operator | ( ResultDisposition::Flags lhs, ResultDisposition::Flags rhs );
1390
1391 bool shouldContinueOnFailure( int flags );
1392 inline bool isFalseTest( int flags ) { return ( flags & ResultDisposition::FalseTest ) != 0; }
1393 bool shouldSuppressFailure( int flags );
1394
1395} // end namespace Catch
1396
1397// end catch_result_type.h
1398namespace Catch {
1399
1401 {
1402 StringRef macroName;
1403 SourceLineInfo lineInfo;
1404 StringRef capturedExpression;
1405 ResultDisposition::Flags resultDisposition;
1406
1407 // We want to delete this constructor but a compiler bug in 4.8 means
1408 // the struct is then treated as non-aggregate
1409 //AssertionInfo() = delete;
1410 };
1411
1412} // end namespace Catch
1413
1414// end catch_assertioninfo.h
1415// start catch_decomposer.h
1416
1417// start catch_tostring.h
1418
1419#include <vector>
1420#include <cstddef>
1421#include <type_traits>
1422#include <string>
1423// start catch_stream.h
1424
1425#include <iosfwd>
1426#include <cstddef>
1427#include <ostream>
1428
1429namespace Catch {
1430
1431 std::ostream& cout();
1432 std::ostream& cerr();
1433 std::ostream& clog();
1434
1435 class StringRef;
1436
1437 struct IStream {
1438 virtual ~IStream();
1439 virtual std::ostream& stream() const = 0;
1440 };
1441
1442 auto makeStream( StringRef const &filename ) -> IStream const*;
1443
1445 std::size_t m_index;
1446 std::ostream* m_oss;
1447 public:
1450
1451 auto str() const -> std::string;
1452
1453 template<typename T>
1454 auto operator << ( T const& value ) -> ReusableStringStream& {
1455 *m_oss << value;
1456 return *this;
1457 }
1458 auto get() -> std::ostream& { return *m_oss; }
1459 };
1460}
1461
1462// end catch_stream.h
1463// start catch_interfaces_enum_values_registry.h
1464
1465#include <vector>
1466
1467namespace Catch {
1468
1469 namespace Detail {
1470 struct EnumInfo {
1471 StringRef m_name;
1472 std::vector<std::pair<int, StringRef>> m_values;
1473
1474 ~EnumInfo();
1475
1476 StringRef lookup( int value ) const;
1477 };
1478 } // namespace Detail
1479
1482
1483 virtual Detail::EnumInfo const& registerEnum( StringRef enumName, StringRef allEnums, std::vector<int> const& values ) = 0;
1484
1485 template<typename E>
1486 Detail::EnumInfo const& registerEnum( StringRef enumName, StringRef allEnums, std::initializer_list<E> values ) {
1487 static_assert(sizeof(int) >= sizeof(E), "Cannot serialize enum to int");
1488 std::vector<int> intValues;
1489 intValues.reserve( values.size() );
1490 for( auto enumValue : values )
1491 intValues.push_back( static_cast<int>( enumValue ) );
1492 return registerEnum( enumName, allEnums, intValues );
1493 }
1494 };
1495
1496} // Catch
1497
1498// end catch_interfaces_enum_values_registry.h
1499
1500#ifdef CATCH_CONFIG_CPP17_STRING_VIEW
1501#include <string_view>
1502#endif
1503
1504#ifdef __OBJC__
1505// start catch_objc_arc.hpp
1506
1507#import <Foundation/Foundation.h>
1508
1509#ifdef __has_feature
1510#define CATCH_ARC_ENABLED __has_feature(objc_arc)
1511#else
1512#define CATCH_ARC_ENABLED 0
1513#endif
1514
1515void arcSafeRelease( NSObject* obj );
1516id performOptionalSelector( id obj, SEL sel );
1517
1518#if !CATCH_ARC_ENABLED
1519inline void arcSafeRelease( NSObject* obj ) {
1520 [obj release];
1521}
1522inline id performOptionalSelector( id obj, SEL sel ) {
1523 if( [obj respondsToSelector: sel] )
1524 return [obj performSelector: sel];
1525 return nil;
1526}
1527#define CATCH_UNSAFE_UNRETAINED
1528#define CATCH_ARC_STRONG
1529#else
1530inline void arcSafeRelease( NSObject* ){}
1531inline id performOptionalSelector( id obj, SEL sel ) {
1532#ifdef __clang__
1533#pragma clang diagnostic push
1534#pragma clang diagnostic ignored "-Warc-performSelector-leaks"
1535#endif
1536 if( [obj respondsToSelector: sel] )
1537 return [obj performSelector: sel];
1538#ifdef __clang__
1539#pragma clang diagnostic pop
1540#endif
1541 return nil;
1542}
1543#define CATCH_UNSAFE_UNRETAINED __unsafe_unretained
1544#define CATCH_ARC_STRONG __strong
1545#endif
1546
1547// end catch_objc_arc.hpp
1548#endif
1549
1550#ifdef _MSC_VER
1551#pragma warning(push)
1552#pragma warning(disable:4180) // We attempt to stream a function (address) by const&, which MSVC complains about but is harmless
1553#endif
1554
1555namespace Catch {
1556 namespace Detail {
1557
1558 extern const std::string unprintableString;
1559
1560 std::string rawMemoryToString( const void *object, std::size_t size );
1561
1562 template<typename T>
1563 std::string rawMemoryToString( const T& object ) {
1564 return rawMemoryToString( &object, sizeof(object) );
1565 }
1566
1567 template<typename T>
1569 template<typename Stream, typename U>
1570 static auto test(int)
1571 -> decltype(std::declval<Stream&>() << std::declval<U>(), std::true_type());
1572
1573 template<typename, typename>
1574 static auto test(...)->std::false_type;
1575
1576 public:
1577 static const bool value = decltype(test<std::ostream, const T&>(0))::value;
1578 };
1579
1580 template<typename E>
1581 std::string convertUnknownEnumToString( E e );
1582
1583 template<typename T>
1584 typename std::enable_if<
1585 !std::is_enum<T>::value && !std::is_base_of<std::exception, T>::value,
1586 std::string>::type convertUnstreamable( T const& ) {
1587 return Detail::unprintableString;
1588 }
1589 template<typename T>
1590 typename std::enable_if<
1591 !std::is_enum<T>::value && std::is_base_of<std::exception, T>::value,
1592 std::string>::type convertUnstreamable(T const& ex) {
1593 return ex.what();
1594 }
1595
1596 template<typename T>
1597 typename std::enable_if<
1598 std::is_enum<T>::value
1599 , std::string>::type convertUnstreamable( T const& value ) {
1600 return convertUnknownEnumToString( value );
1601 }
1602
1603#if defined(_MANAGED)
1605 template<typename T>
1606 std::string clrReferenceToString( T^ ref ) {
1607 if (ref == nullptr)
1608 return std::string("null");
1609 auto bytes = System::Text::Encoding::UTF8->GetBytes(ref->ToString());
1610 cli::pin_ptr<System::Byte> p = &bytes[0];
1611 return std::string(reinterpret_cast<char const *>(p), bytes->Length);
1612 }
1613#endif
1614
1615 } // namespace Detail
1616
1617 // If we decide for C++14, change these to enable_if_ts
1618 template <typename T, typename = void>
1620 template <typename Fake = T>
1621 static
1622 typename std::enable_if<::Catch::Detail::IsStreamInsertable<Fake>::value, std::string>::type
1623 convert(const Fake& value) {
1625 // NB: call using the function-like syntax to avoid ambiguity with
1626 // user-defined templated operator<< under clang.
1627 rss.operator<<(value);
1628 return rss.str();
1629 }
1630
1631 template <typename Fake = T>
1632 static
1633 typename std::enable_if<!::Catch::Detail::IsStreamInsertable<Fake>::value, std::string>::type
1634 convert( const Fake& value ) {
1635#if !defined(CATCH_CONFIG_FALLBACK_STRINGIFIER)
1636 return Detail::convertUnstreamable(value);
1637#else
1638 return CATCH_CONFIG_FALLBACK_STRINGIFIER(value);
1639#endif
1640 }
1641 };
1642
1643 namespace Detail {
1644
1645 // This function dispatches all stringification requests inside of Catch.
1646 // Should be preferably called fully qualified, like ::Catch::Detail::stringify
1647 template <typename T>
1648 std::string stringify(const T& e) {
1649 return ::Catch::StringMaker<typename std::remove_cv<typename std::remove_reference<T>::type>::type>::convert(e);
1650 }
1651
1652 template<typename E>
1653 std::string convertUnknownEnumToString( E e ) {
1654 return ::Catch::Detail::stringify(static_cast<typename std::underlying_type<E>::type>(e));
1655 }
1656
1657#if defined(_MANAGED)
1658 template <typename T>
1659 std::string stringify( T^ e ) {
1660 return ::Catch::StringMaker<T^>::convert(e);
1661 }
1662#endif
1663
1664 } // namespace Detail
1665
1666 // Some predefined specializations
1667
1668 template<>
1669 struct StringMaker<std::string> {
1670 static std::string convert(const std::string& str);
1671 };
1672
1673#ifdef CATCH_CONFIG_CPP17_STRING_VIEW
1674 template<>
1675 struct StringMaker<std::string_view> {
1676 static std::string convert(std::string_view str);
1677 };
1678#endif
1679
1680 template<>
1681 struct StringMaker<char const *> {
1682 static std::string convert(char const * str);
1683 };
1684 template<>
1685 struct StringMaker<char *> {
1686 static std::string convert(char * str);
1687 };
1688
1689#ifdef CATCH_CONFIG_WCHAR
1690 template<>
1691 struct StringMaker<std::wstring> {
1692 static std::string convert(const std::wstring& wstr);
1693 };
1694
1695# ifdef CATCH_CONFIG_CPP17_STRING_VIEW
1696 template<>
1697 struct StringMaker<std::wstring_view> {
1698 static std::string convert(std::wstring_view str);
1699 };
1700# endif
1701
1702 template<>
1703 struct StringMaker<wchar_t const *> {
1704 static std::string convert(wchar_t const * str);
1705 };
1706 template<>
1707 struct StringMaker<wchar_t *> {
1708 static std::string convert(wchar_t * str);
1709 };
1710#endif
1711
1712 // TBD: Should we use `strnlen` to ensure that we don't go out of the buffer,
1713 // while keeping string semantics?
1714 template<int SZ>
1715 struct StringMaker<char[SZ]> {
1716 static std::string convert(char const* str) {
1717 return ::Catch::Detail::stringify(std::string{ str });
1718 }
1719 };
1720 template<int SZ>
1721 struct StringMaker<signed char[SZ]> {
1722 static std::string convert(signed char const* str) {
1723 return ::Catch::Detail::stringify(std::string{ reinterpret_cast<char const *>(str) });
1724 }
1725 };
1726 template<int SZ>
1727 struct StringMaker<unsigned char[SZ]> {
1728 static std::string convert(unsigned char const* str) {
1729 return ::Catch::Detail::stringify(std::string{ reinterpret_cast<char const *>(str) });
1730 }
1731 };
1732
1733#if defined(CATCH_CONFIG_CPP17_BYTE)
1734 template<>
1735 struct StringMaker<std::byte> {
1736 static std::string convert(std::byte value);
1737 };
1738#endif // defined(CATCH_CONFIG_CPP17_BYTE)
1739 template<>
1740 struct StringMaker<int> {
1741 static std::string convert(int value);
1742 };
1743 template<>
1744 struct StringMaker<long> {
1745 static std::string convert(long value);
1746 };
1747 template<>
1748 struct StringMaker<long long> {
1749 static std::string convert(long long value);
1750 };
1751 template<>
1752 struct StringMaker<unsigned int> {
1753 static std::string convert(unsigned int value);
1754 };
1755 template<>
1756 struct StringMaker<unsigned long> {
1757 static std::string convert(unsigned long value);
1758 };
1759 template<>
1760 struct StringMaker<unsigned long long> {
1761 static std::string convert(unsigned long long value);
1762 };
1763
1764 template<>
1765 struct StringMaker<bool> {
1766 static std::string convert(bool b);
1767 };
1768
1769 template<>
1770 struct StringMaker<char> {
1771 static std::string convert(char c);
1772 };
1773 template<>
1774 struct StringMaker<signed char> {
1775 static std::string convert(signed char c);
1776 };
1777 template<>
1778 struct StringMaker<unsigned char> {
1779 static std::string convert(unsigned char c);
1780 };
1781
1782 template<>
1783 struct StringMaker<std::nullptr_t> {
1784 static std::string convert(std::nullptr_t);
1785 };
1786
1787 template<>
1788 struct StringMaker<float> {
1789 static std::string convert(float value);
1790 static int precision;
1791 };
1792
1793 template<>
1794 struct StringMaker<double> {
1795 static std::string convert(double value);
1796 static int precision;
1797 };
1798
1799 template <typename T>
1800 struct StringMaker<T*> {
1801 template <typename U>
1802 static std::string convert(U* p) {
1803 if (p) {
1804 return ::Catch::Detail::rawMemoryToString(p);
1805 } else {
1806 return "nullptr";
1807 }
1808 }
1809 };
1810
1811 template <typename R, typename C>
1812 struct StringMaker<R C::*> {
1813 static std::string convert(R C::* p) {
1814 if (p) {
1815 return ::Catch::Detail::rawMemoryToString(p);
1816 } else {
1817 return "nullptr";
1818 }
1819 }
1820 };
1821
1822#if defined(_MANAGED)
1823 template <typename T>
1824 struct StringMaker<T^> {
1825 static std::string convert( T^ ref ) {
1826 return ::Catch::Detail::clrReferenceToString(ref);
1827 }
1828 };
1829#endif
1830
1831 namespace Detail {
1832 template<typename InputIterator>
1833 std::string rangeToString(InputIterator first, InputIterator last) {
1834 ReusableStringStream rss;
1835 rss << "{ ";
1836 if (first != last) {
1837 rss << ::Catch::Detail::stringify(*first);
1838 for (++first; first != last; ++first)
1839 rss << ", " << ::Catch::Detail::stringify(*first);
1840 }
1841 rss << " }";
1842 return rss.str();
1843 }
1844 }
1845
1846#ifdef __OBJC__
1847 template<>
1848 struct StringMaker<NSString*> {
1849 static std::string convert(NSString * nsstring) {
1850 if (!nsstring)
1851 return "nil";
1852 return std::string("@") + [nsstring UTF8String];
1853 }
1854 };
1855 template<>
1856 struct StringMaker<NSObject*> {
1857 static std::string convert(NSObject* nsObject) {
1858 return ::Catch::Detail::stringify([nsObject description]);
1859 }
1860
1861 };
1862 namespace Detail {
1863 inline std::string stringify( NSString* nsstring ) {
1864 return StringMaker<NSString*>::convert( nsstring );
1865 }
1866
1867 } // namespace Detail
1868#endif // __OBJC__
1869
1870} // namespace Catch
1871
1873// Separate std-lib types stringification, so it can be selectively enabled
1874// This means that we do not bring in
1875
1876#if defined(CATCH_CONFIG_ENABLE_ALL_STRINGMAKERS)
1877# define CATCH_CONFIG_ENABLE_PAIR_STRINGMAKER
1878# define CATCH_CONFIG_ENABLE_TUPLE_STRINGMAKER
1879# define CATCH_CONFIG_ENABLE_VARIANT_STRINGMAKER
1880# define CATCH_CONFIG_ENABLE_CHRONO_STRINGMAKER
1881# define CATCH_CONFIG_ENABLE_OPTIONAL_STRINGMAKER
1882#endif
1883
1884// Separate std::pair specialization
1885#if defined(CATCH_CONFIG_ENABLE_PAIR_STRINGMAKER)
1886#include <utility>
1887namespace Catch {
1888 template<typename T1, typename T2>
1889 struct StringMaker<std::pair<T1, T2> > {
1890 static std::string convert(const std::pair<T1, T2>& pair) {
1891 ReusableStringStream rss;
1892 rss << "{ "
1893 << ::Catch::Detail::stringify(pair.first)
1894 << ", "
1895 << ::Catch::Detail::stringify(pair.second)
1896 << " }";
1897 return rss.str();
1898 }
1899 };
1900}
1901#endif // CATCH_CONFIG_ENABLE_PAIR_STRINGMAKER
1902
1903#if defined(CATCH_CONFIG_ENABLE_OPTIONAL_STRINGMAKER) && defined(CATCH_CONFIG_CPP17_OPTIONAL)
1904#include <optional>
1905namespace Catch {
1906 template<typename T>
1907 struct StringMaker<std::optional<T> > {
1908 static std::string convert(const std::optional<T>& optional) {
1909 ReusableStringStream rss;
1910 if (optional.has_value()) {
1911 rss << ::Catch::Detail::stringify(*optional);
1912 } else {
1913 rss << "{ }";
1914 }
1915 return rss.str();
1916 }
1917 };
1918}
1919#endif // CATCH_CONFIG_ENABLE_OPTIONAL_STRINGMAKER
1920
1921// Separate std::tuple specialization
1922#if defined(CATCH_CONFIG_ENABLE_TUPLE_STRINGMAKER)
1923#include <tuple>
1924namespace Catch {
1925 namespace Detail {
1926 template<
1927 typename Tuple,
1928 std::size_t N = 0,
1929 bool = (N < std::tuple_size<Tuple>::value)
1930 >
1931 struct TupleElementPrinter {
1932 static void print(const Tuple& tuple, std::ostream& os) {
1933 os << (N ? ", " : " ")
1934 << ::Catch::Detail::stringify(std::get<N>(tuple));
1935 TupleElementPrinter<Tuple, N + 1>::print(tuple, os);
1936 }
1937 };
1938
1939 template<
1940 typename Tuple,
1941 std::size_t N
1942 >
1943 struct TupleElementPrinter<Tuple, N, false> {
1944 static void print(const Tuple&, std::ostream&) {}
1945 };
1946
1947 }
1948
1949 template<typename ...Types>
1950 struct StringMaker<std::tuple<Types...>> {
1951 static std::string convert(const std::tuple<Types...>& tuple) {
1952 ReusableStringStream rss;
1953 rss << '{';
1954 Detail::TupleElementPrinter<std::tuple<Types...>>::print(tuple, rss.get());
1955 rss << " }";
1956 return rss.str();
1957 }
1958 };
1959}
1960#endif // CATCH_CONFIG_ENABLE_TUPLE_STRINGMAKER
1961
1962#if defined(CATCH_CONFIG_ENABLE_VARIANT_STRINGMAKER) && defined(CATCH_CONFIG_CPP17_VARIANT)
1963#include <variant>
1964namespace Catch {
1965 template<>
1966 struct StringMaker<std::monostate> {
1967 static std::string convert(const std::monostate&) {
1968 return "{ }";
1969 }
1970 };
1971
1972 template<typename... Elements>
1973 struct StringMaker<std::variant<Elements...>> {
1974 static std::string convert(const std::variant<Elements...>& variant) {
1975 if (variant.valueless_by_exception()) {
1976 return "{valueless variant}";
1977 } else {
1978 return std::visit(
1979 [](const auto& value) {
1980 return ::Catch::Detail::stringify(value);
1981 },
1982 variant
1983 );
1984 }
1985 }
1986 };
1987}
1988#endif // CATCH_CONFIG_ENABLE_VARIANT_STRINGMAKER
1989
1990namespace Catch {
1991 // Import begin/ end from std here
1992 using std::begin;
1993 using std::end;
1994
1995 namespace detail {
1996 template <typename...>
1997 struct void_type {
1998 using type = void;
1999 };
2000
2001 template <typename T, typename = void>
2002 struct is_range_impl : std::false_type {
2003 };
2004
2005 template <typename T>
2007 };
2008 } // namespace detail
2009
2010 template <typename T>
2012 };
2013
2014#if defined(_MANAGED) // Managed types are never ranges
2015 template <typename T>
2016 struct is_range<T^> {
2017 static const bool value = false;
2018 };
2019#endif
2020
2021 template<typename Range>
2022 std::string rangeToString( Range const& range ) {
2023 return ::Catch::Detail::rangeToString( begin( range ), end( range ) );
2024 }
2025
2026 // Handle vector<bool> specially
2027 template<typename Allocator>
2028 std::string rangeToString( std::vector<bool, Allocator> const& v ) {
2029 ReusableStringStream rss;
2030 rss << "{ ";
2031 bool first = true;
2032 for( bool b : v ) {
2033 if( first )
2034 first = false;
2035 else
2036 rss << ", ";
2037 rss << ::Catch::Detail::stringify( b );
2038 }
2039 rss << " }";
2040 return rss.str();
2041 }
2042
2043 template<typename R>
2044 struct StringMaker<R, typename std::enable_if<is_range<R>::value && !::Catch::Detail::IsStreamInsertable<R>::value>::type> {
2045 static std::string convert( R const& range ) {
2046 return rangeToString( range );
2047 }
2048 };
2049
2050 template <typename T, int SZ>
2051 struct StringMaker<T[SZ]> {
2052 static std::string convert(T const(&arr)[SZ]) {
2053 return rangeToString(arr);
2054 }
2055 };
2056
2057} // namespace Catch
2058
2059// Separate std::chrono::duration specialization
2060#if defined(CATCH_CONFIG_ENABLE_CHRONO_STRINGMAKER)
2061#include <ctime>
2062#include <ratio>
2063#include <chrono>
2064
2065namespace Catch {
2066
2067template <class Ratio>
2068struct ratio_string {
2069 static std::string symbol();
2070};
2071
2072template <class Ratio>
2073std::string ratio_string<Ratio>::symbol() {
2075 rss << '[' << Ratio::num << '/'
2076 << Ratio::den << ']';
2077 return rss.str();
2078}
2079template <>
2080struct ratio_string<std::atto> {
2081 static std::string symbol();
2082};
2083template <>
2084struct ratio_string<std::femto> {
2085 static std::string symbol();
2086};
2087template <>
2088struct ratio_string<std::pico> {
2089 static std::string symbol();
2090};
2091template <>
2092struct ratio_string<std::nano> {
2093 static std::string symbol();
2094};
2095template <>
2096struct ratio_string<std::micro> {
2097 static std::string symbol();
2098};
2099template <>
2100struct ratio_string<std::milli> {
2101 static std::string symbol();
2102};
2103
2105 // std::chrono::duration specializations
2106 template<typename Value, typename Ratio>
2107 struct StringMaker<std::chrono::duration<Value, Ratio>> {
2108 static std::string convert(std::chrono::duration<Value, Ratio> const& duration) {
2109 ReusableStringStream rss;
2110 rss << duration.count() << ' ' << ratio_string<Ratio>::symbol() << 's';
2111 return rss.str();
2112 }
2113 };
2114 template<typename Value>
2115 struct StringMaker<std::chrono::duration<Value, std::ratio<1>>> {
2116 static std::string convert(std::chrono::duration<Value, std::ratio<1>> const& duration) {
2117 ReusableStringStream rss;
2118 rss << duration.count() << " s";
2119 return rss.str();
2120 }
2121 };
2122 template<typename Value>
2123 struct StringMaker<std::chrono::duration<Value, std::ratio<60>>> {
2124 static std::string convert(std::chrono::duration<Value, std::ratio<60>> const& duration) {
2125 ReusableStringStream rss;
2126 rss << duration.count() << " m";
2127 return rss.str();
2128 }
2129 };
2130 template<typename Value>
2131 struct StringMaker<std::chrono::duration<Value, std::ratio<3600>>> {
2132 static std::string convert(std::chrono::duration<Value, std::ratio<3600>> const& duration) {
2133 ReusableStringStream rss;
2134 rss << duration.count() << " h";
2135 return rss.str();
2136 }
2137 };
2138
2140 // std::chrono::time_point specialization
2141 // Generic time_point cannot be specialized, only std::chrono::time_point<system_clock>
2142 template<typename Clock, typename Duration>
2143 struct StringMaker<std::chrono::time_point<Clock, Duration>> {
2144 static std::string convert(std::chrono::time_point<Clock, Duration> const& time_point) {
2145 return ::Catch::Detail::stringify(time_point.time_since_epoch()) + " since epoch";
2146 }
2147 };
2148 // std::chrono::time_point<system_clock> specialization
2149 template<typename Duration>
2150 struct StringMaker<std::chrono::time_point<std::chrono::system_clock, Duration>> {
2151 static std::string convert(std::chrono::time_point<std::chrono::system_clock, Duration> const& time_point) {
2152 auto converted = std::chrono::system_clock::to_time_t(time_point);
2153
2154#ifdef _MSC_VER
2155 std::tm timeInfo = {};
2156 gmtime_s(&timeInfo, &converted);
2157#else
2158 std::tm* timeInfo = std::gmtime(&converted);
2159#endif
2160
2161 auto const timeStampSize = sizeof("2017-01-16T17:06:45Z");
2162 char timeStamp[timeStampSize];
2163 const char * const fmt = "%Y-%m-%dT%H:%M:%SZ";
2164
2165#ifdef _MSC_VER
2166 std::strftime(timeStamp, timeStampSize, fmt, &timeInfo);
2167#else
2168 std::strftime(timeStamp, timeStampSize, fmt, timeInfo);
2169#endif
2170 return std::string(timeStamp);
2171 }
2172 };
2173}
2174#endif // CATCH_CONFIG_ENABLE_CHRONO_STRINGMAKER
2175
2176#define INTERNAL_CATCH_REGISTER_ENUM( enumName, ... ) \
2177namespace Catch { \
2178 template<> struct StringMaker<enumName> { \
2179 static std::string convert( enumName value ) { \
2180 static const auto& enumInfo = ::Catch::getMutableRegistryHub().getMutableEnumValuesRegistry().registerEnum( #enumName, #__VA_ARGS__, { __VA_ARGS__ } ); \
2181 return static_cast<std::string>(enumInfo.lookup( static_cast<int>( value ) )); \
2182 } \
2183 }; \
2184}
2185
2186#define CATCH_REGISTER_ENUM( enumName, ... ) INTERNAL_CATCH_REGISTER_ENUM( enumName, __VA_ARGS__ )
2187
2188#ifdef _MSC_VER
2189#pragma warning(pop)
2190#endif
2191
2192// end catch_tostring.h
2193#include <iosfwd>
2194
2195#ifdef _MSC_VER
2196#pragma warning(push)
2197#pragma warning(disable:4389) // '==' : signed/unsigned mismatch
2198#pragma warning(disable:4018) // more "signed/unsigned mismatch"
2199#pragma warning(disable:4312) // Converting int to T* using reinterpret_cast (issue on x64 platform)
2200#pragma warning(disable:4180) // qualifier applied to function type has no meaning
2201#pragma warning(disable:4800) // Forcing result to true or false
2202#endif
2203
2204namespace Catch {
2205
2207 auto isBinaryExpression() const -> bool { return m_isBinaryExpression; }
2208 auto getResult() const -> bool { return m_result; }
2209 virtual void streamReconstructedExpression( std::ostream &os ) const = 0;
2210
2211 ITransientExpression( bool isBinaryExpression, bool result )
2212 : m_isBinaryExpression( isBinaryExpression ),
2213 m_result( result )
2214 {}
2215
2216 // We don't actually need a virtual destructor, but many static analyzers
2217 // complain if it's not here :-(
2218 virtual ~ITransientExpression();
2219
2220 bool m_isBinaryExpression;
2221 bool m_result;
2222
2223 };
2224
2225 void formatReconstructedExpression( std::ostream &os, std::string const& lhs, StringRef op, std::string const& rhs );
2226
2227 template<typename LhsT, typename RhsT>
2229 LhsT m_lhs;
2230 StringRef m_op;
2231 RhsT m_rhs;
2232
2233 void streamReconstructedExpression( std::ostream &os ) const override {
2234 formatReconstructedExpression
2235 ( os, Catch::Detail::stringify( m_lhs ), m_op, Catch::Detail::stringify( m_rhs ) );
2236 }
2237
2238 public:
2239 BinaryExpr( bool comparisonResult, LhsT lhs, StringRef op, RhsT rhs )
2240 : ITransientExpression{ true, comparisonResult },
2241 m_lhs( lhs ),
2242 m_op( op ),
2243 m_rhs( rhs )
2244 {}
2245
2246 template<typename T>
2247 auto operator && ( T ) const -> BinaryExpr<LhsT, RhsT const&> const {
2248 static_assert(always_false<T>::value,
2249 "chained comparisons are not supported inside assertions, "
2250 "wrap the expression inside parentheses, or decompose it");
2251 }
2252
2253 template<typename T>
2254 auto operator || ( T ) const -> BinaryExpr<LhsT, RhsT const&> const {
2255 static_assert(always_false<T>::value,
2256 "chained comparisons are not supported inside assertions, "
2257 "wrap the expression inside parentheses, or decompose it");
2258 }
2259
2260 template<typename T>
2261 auto operator == ( T ) const -> BinaryExpr<LhsT, RhsT const&> const {
2262 static_assert(always_false<T>::value,
2263 "chained comparisons are not supported inside assertions, "
2264 "wrap the expression inside parentheses, or decompose it");
2265 }
2266
2267 template<typename T>
2268 auto operator != ( T ) const -> BinaryExpr<LhsT, RhsT const&> const {
2269 static_assert(always_false<T>::value,
2270 "chained comparisons are not supported inside assertions, "
2271 "wrap the expression inside parentheses, or decompose it");
2272 }
2273
2274 template<typename T>
2275 auto operator > ( T ) const -> BinaryExpr<LhsT, RhsT const&> const {
2276 static_assert(always_false<T>::value,
2277 "chained comparisons are not supported inside assertions, "
2278 "wrap the expression inside parentheses, or decompose it");
2279 }
2280
2281 template<typename T>
2282 auto operator < ( T ) const -> BinaryExpr<LhsT, RhsT const&> const {
2283 static_assert(always_false<T>::value,
2284 "chained comparisons are not supported inside assertions, "
2285 "wrap the expression inside parentheses, or decompose it");
2286 }
2287
2288 template<typename T>
2289 auto operator >= ( T ) const -> BinaryExpr<LhsT, RhsT const&> const {
2290 static_assert(always_false<T>::value,
2291 "chained comparisons are not supported inside assertions, "
2292 "wrap the expression inside parentheses, or decompose it");
2293 }
2294
2295 template<typename T>
2296 auto operator <= ( T ) const -> BinaryExpr<LhsT, RhsT const&> const {
2297 static_assert(always_false<T>::value,
2298 "chained comparisons are not supported inside assertions, "
2299 "wrap the expression inside parentheses, or decompose it");
2300 }
2301 };
2302
2303 template<typename LhsT>
2305 LhsT m_lhs;
2306
2307 void streamReconstructedExpression( std::ostream &os ) const override {
2308 os << Catch::Detail::stringify( m_lhs );
2309 }
2310
2311 public:
2312 explicit UnaryExpr( LhsT lhs )
2313 : ITransientExpression{ false, static_cast<bool>(lhs) },
2314 m_lhs( lhs )
2315 {}
2316 };
2317
2318 // Specialised comparison functions to handle equality comparisons between ints and pointers (NULL deduces as an int)
2319 template<typename LhsT, typename RhsT>
2320 auto compareEqual( LhsT const& lhs, RhsT const& rhs ) -> bool { return static_cast<bool>(lhs == rhs); }
2321 template<typename T>
2322 auto compareEqual( T* const& lhs, int rhs ) -> bool { return lhs == reinterpret_cast<void const*>( rhs ); }
2323 template<typename T>
2324 auto compareEqual( T* const& lhs, long rhs ) -> bool { return lhs == reinterpret_cast<void const*>( rhs ); }
2325 template<typename T>
2326 auto compareEqual( int lhs, T* const& rhs ) -> bool { return reinterpret_cast<void const*>( lhs ) == rhs; }
2327 template<typename T>
2328 auto compareEqual( long lhs, T* const& rhs ) -> bool { return reinterpret_cast<void const*>( lhs ) == rhs; }
2329
2330 template<typename LhsT, typename RhsT>
2331 auto compareNotEqual( LhsT const& lhs, RhsT&& rhs ) -> bool { return static_cast<bool>(lhs != rhs); }
2332 template<typename T>
2333 auto compareNotEqual( T* const& lhs, int rhs ) -> bool { return lhs != reinterpret_cast<void const*>( rhs ); }
2334 template<typename T>
2335 auto compareNotEqual( T* const& lhs, long rhs ) -> bool { return lhs != reinterpret_cast<void const*>( rhs ); }
2336 template<typename T>
2337 auto compareNotEqual( int lhs, T* const& rhs ) -> bool { return reinterpret_cast<void const*>( lhs ) != rhs; }
2338 template<typename T>
2339 auto compareNotEqual( long lhs, T* const& rhs ) -> bool { return reinterpret_cast<void const*>( lhs ) != rhs; }
2340
2341 template<typename LhsT>
2342 class ExprLhs {
2343 LhsT m_lhs;
2344 public:
2345 explicit ExprLhs( LhsT lhs ) : m_lhs( lhs ) {}
2346
2347 template<typename RhsT>
2348 auto operator == ( RhsT const& rhs ) -> BinaryExpr<LhsT, RhsT const&> const {
2349 return { compareEqual( m_lhs, rhs ), m_lhs, "==", rhs };
2350 }
2351 auto operator == ( bool rhs ) -> BinaryExpr<LhsT, bool> const {
2352 return { m_lhs == rhs, m_lhs, "==", rhs };
2353 }
2354
2355 template<typename RhsT>
2356 auto operator != ( RhsT const& rhs ) -> BinaryExpr<LhsT, RhsT const&> const {
2357 return { compareNotEqual( m_lhs, rhs ), m_lhs, "!=", rhs };
2358 }
2359 auto operator != ( bool rhs ) -> BinaryExpr<LhsT, bool> const {
2360 return { m_lhs != rhs, m_lhs, "!=", rhs };
2361 }
2362
2363 template<typename RhsT>
2364 auto operator > ( RhsT const& rhs ) -> BinaryExpr<LhsT, RhsT const&> const {
2365 return { static_cast<bool>(m_lhs > rhs), m_lhs, ">", rhs };
2366 }
2367 template<typename RhsT>
2368 auto operator < ( RhsT const& rhs ) -> BinaryExpr<LhsT, RhsT const&> const {
2369 return { static_cast<bool>(m_lhs < rhs), m_lhs, "<", rhs };
2370 }
2371 template<typename RhsT>
2372 auto operator >= ( RhsT const& rhs ) -> BinaryExpr<LhsT, RhsT const&> const {
2373 return { static_cast<bool>(m_lhs >= rhs), m_lhs, ">=", rhs };
2374 }
2375 template<typename RhsT>
2376 auto operator <= ( RhsT const& rhs ) -> BinaryExpr<LhsT, RhsT const&> const {
2377 return { static_cast<bool>(m_lhs <= rhs), m_lhs, "<=", rhs };
2378 }
2379 template <typename RhsT>
2380 auto operator | (RhsT const& rhs) -> BinaryExpr<LhsT, RhsT const&> const {
2381 return { static_cast<bool>(m_lhs | rhs), m_lhs, "|", rhs };
2382 }
2383 template <typename RhsT>
2384 auto operator & (RhsT const& rhs) -> BinaryExpr<LhsT, RhsT const&> const {
2385 return { static_cast<bool>(m_lhs & rhs), m_lhs, "&", rhs };
2386 }
2387 template <typename RhsT>
2388 auto operator ^ (RhsT const& rhs) -> BinaryExpr<LhsT, RhsT const&> const {
2389 return { static_cast<bool>(m_lhs ^ rhs), m_lhs, "^", rhs };
2390 }
2391
2392 template<typename RhsT>
2393 auto operator && ( RhsT const& ) -> BinaryExpr<LhsT, RhsT const&> const {
2394 static_assert(always_false<RhsT>::value,
2395 "operator&& is not supported inside assertions, "
2396 "wrap the expression inside parentheses, or decompose it");
2397 }
2398
2399 template<typename RhsT>
2400 auto operator || ( RhsT const& ) -> BinaryExpr<LhsT, RhsT const&> const {
2401 static_assert(always_false<RhsT>::value,
2402 "operator|| is not supported inside assertions, "
2403 "wrap the expression inside parentheses, or decompose it");
2404 }
2405
2406 auto makeUnaryExpr() const -> UnaryExpr<LhsT> {
2407 return UnaryExpr<LhsT>{ m_lhs };
2408 }
2409 };
2410
2411 void handleExpression( ITransientExpression const& expr );
2412
2413 template<typename T>
2414 void handleExpression( ExprLhs<T> const& expr ) {
2415 handleExpression( expr.makeUnaryExpr() );
2416 }
2417
2418 struct Decomposer {
2419 template<typename T>
2420 auto operator <= ( T const& lhs ) -> ExprLhs<T const&> {
2421 return ExprLhs<T const&>{ lhs };
2422 }
2423
2424 auto operator <=( bool value ) -> ExprLhs<bool> {
2425 return ExprLhs<bool>{ value };
2426 }
2427 };
2428
2429} // end namespace Catch
2430
2431#ifdef _MSC_VER
2432#pragma warning(pop)
2433#endif
2434
2435// end catch_decomposer.h
2436// start catch_interfaces_capture.h
2437
2438#include <string>
2439#include <chrono>
2440
2441namespace Catch {
2442
2443 class AssertionResult;
2444 struct AssertionInfo;
2445 struct SectionInfo;
2446 struct SectionEndInfo;
2447 struct MessageInfo;
2448 struct MessageBuilder;
2449 struct Counts;
2450 struct AssertionReaction;
2451 struct SourceLineInfo;
2452
2453 struct ITransientExpression;
2454 struct IGeneratorTracker;
2455
2456#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
2457 struct BenchmarkInfo;
2458 template <typename Duration = std::chrono::duration<double, std::nano>>
2459 struct BenchmarkStats;
2460#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
2461
2463
2464 virtual ~IResultCapture();
2465
2466 virtual bool sectionStarted( SectionInfo const& sectionInfo,
2467 Counts& assertions ) = 0;
2468 virtual void sectionEnded( SectionEndInfo const& endInfo ) = 0;
2469 virtual void sectionEndedEarly( SectionEndInfo const& endInfo ) = 0;
2470
2471 virtual auto acquireGeneratorTracker( SourceLineInfo const& lineInfo ) -> IGeneratorTracker& = 0;
2472
2473#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
2474 virtual void benchmarkPreparing( std::string const& name ) = 0;
2475 virtual void benchmarkStarting( BenchmarkInfo const& info ) = 0;
2476 virtual void benchmarkEnded( BenchmarkStats<> const& stats ) = 0;
2477 virtual void benchmarkFailed( std::string const& error ) = 0;
2478#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
2479
2480 virtual void pushScopedMessage( MessageInfo const& message ) = 0;
2481 virtual void popScopedMessage( MessageInfo const& message ) = 0;
2482
2483 virtual void emplaceUnscopedMessage( MessageBuilder const& builder ) = 0;
2484
2485 virtual void handleFatalErrorCondition( StringRef message ) = 0;
2486
2487 virtual void handleExpr
2488 ( AssertionInfo const& info,
2489 ITransientExpression const& expr,
2490 AssertionReaction& reaction ) = 0;
2491 virtual void handleMessage
2492 ( AssertionInfo const& info,
2493 ResultWas::OfType resultType,
2494 StringRef const& message,
2495 AssertionReaction& reaction ) = 0;
2496 virtual void handleUnexpectedExceptionNotThrown
2497 ( AssertionInfo const& info,
2498 AssertionReaction& reaction ) = 0;
2499 virtual void handleUnexpectedInflightException
2500 ( AssertionInfo const& info,
2501 std::string const& message,
2502 AssertionReaction& reaction ) = 0;
2503 virtual void handleIncomplete
2504 ( AssertionInfo const& info ) = 0;
2505 virtual void handleNonExpr
2506 ( AssertionInfo const &info,
2507 ResultWas::OfType resultType,
2508 AssertionReaction &reaction ) = 0;
2509
2510 virtual bool lastAssertionPassed() = 0;
2511 virtual void assertionPassed() = 0;
2512
2513 // Deprecated, do not use:
2514 virtual std::string getCurrentTestName() const = 0;
2515 virtual const AssertionResult* getLastResult() const = 0;
2516 virtual void exceptionEarlyReported() = 0;
2517 };
2518
2519 IResultCapture& getResultCapture();
2520}
2521
2522// end catch_interfaces_capture.h
2523namespace Catch {
2524
2526 struct AssertionResultData;
2527 struct IResultCapture;
2528 class RunContext;
2529
2531 friend class AssertionHandler;
2532 friend struct AssertionStats;
2533 friend class RunContext;
2534
2535 ITransientExpression const* m_transientExpression = nullptr;
2536 bool m_isNegated;
2537 public:
2538 LazyExpression( bool isNegated );
2539 LazyExpression( LazyExpression const& other );
2540 LazyExpression& operator = ( LazyExpression const& ) = delete;
2541
2542 explicit operator bool() const;
2543
2544 friend auto operator << ( std::ostream& os, LazyExpression const& lazyExpr ) -> std::ostream&;
2545 };
2546
2548 bool shouldDebugBreak = false;
2549 bool shouldThrow = false;
2550 };
2551
2553 AssertionInfo m_assertionInfo;
2554 AssertionReaction m_reaction;
2555 bool m_completed = false;
2556 IResultCapture& m_resultCapture;
2557
2558 public:
2560 ( StringRef const& macroName,
2561 SourceLineInfo const& lineInfo,
2562 StringRef capturedExpression,
2563 ResultDisposition::Flags resultDisposition );
2565 if ( !m_completed ) {
2566 m_resultCapture.handleIncomplete( m_assertionInfo );
2567 }
2568 }
2569
2570 template<typename T>
2571 void handleExpr( ExprLhs<T> const& expr ) {
2572 handleExpr( expr.makeUnaryExpr() );
2573 }
2574 void handleExpr( ITransientExpression const& expr );
2575
2576 void handleMessage(ResultWas::OfType resultType, StringRef const& message);
2577
2578 void handleExceptionThrownAsExpected();
2579 void handleUnexpectedExceptionNotThrown();
2580 void handleExceptionNotThrownAsExpected();
2581 void handleThrowingCallSkipped();
2582 void handleUnexpectedInflightException();
2583
2584 void complete();
2585 void setCompleted();
2586
2587 // query
2588 auto allowThrows() const -> bool;
2589 };
2590
2591 void handleExceptionMatchExpr( AssertionHandler& handler, std::string const& str, StringRef const& matcherString );
2592
2593} // namespace Catch
2594
2595// end catch_assertionhandler.h
2596// start catch_message.h
2597
2598#include <string>
2599#include <vector>
2600
2601namespace Catch {
2602
2604 MessageInfo( StringRef const& _macroName,
2605 SourceLineInfo const& _lineInfo,
2606 ResultWas::OfType _type );
2607
2608 StringRef macroName;
2609 std::string message;
2610 SourceLineInfo lineInfo;
2611 ResultWas::OfType type;
2612 unsigned int sequence;
2613
2614 bool operator == ( MessageInfo const& other ) const;
2615 bool operator < ( MessageInfo const& other ) const;
2616 private:
2617 static unsigned int globalCount;
2618 };
2619
2621
2622 template<typename T>
2623 MessageStream& operator << ( T const& value ) {
2624 m_stream << value;
2625 return *this;
2626 }
2627
2628 ReusableStringStream m_stream;
2629 };
2630
2632 MessageBuilder( StringRef const& macroName,
2633 SourceLineInfo const& lineInfo,
2634 ResultWas::OfType type );
2635
2636 template<typename T>
2637 MessageBuilder& operator << ( T const& value ) {
2638 m_stream << value;
2639 return *this;
2640 }
2641
2642 MessageInfo m_info;
2643 };
2644
2646 public:
2647 explicit ScopedMessage( MessageBuilder const& builder );
2648 ScopedMessage( ScopedMessage& duplicate ) = delete;
2651
2652 MessageInfo m_info;
2653 bool m_moved;
2654 };
2655
2656 class Capturer {
2657 std::vector<MessageInfo> m_messages;
2658 IResultCapture& m_resultCapture = getResultCapture();
2659 size_t m_captured = 0;
2660 public:
2661 Capturer( StringRef macroName, SourceLineInfo const& lineInfo, ResultWas::OfType resultType, StringRef names );
2662 ~Capturer();
2663
2664 void captureValue( size_t index, std::string const& value );
2665
2666 template<typename T>
2667 void captureValues( size_t index, T const& value ) {
2668 captureValue( index, Catch::Detail::stringify( value ) );
2669 }
2670
2671 template<typename T, typename... Ts>
2672 void captureValues( size_t index, T const& value, Ts const&... values ) {
2673 captureValue( index, Catch::Detail::stringify(value) );
2674 captureValues( index+1, values... );
2675 }
2676 };
2677
2678} // end namespace Catch
2679
2680// end catch_message.h
2681#if !defined(CATCH_CONFIG_DISABLE)
2682
2683#if !defined(CATCH_CONFIG_DISABLE_STRINGIFICATION)
2684 #define CATCH_INTERNAL_STRINGIFY(...) #__VA_ARGS__
2685#else
2686 #define CATCH_INTERNAL_STRINGIFY(...) "Disabled by CATCH_CONFIG_DISABLE_STRINGIFICATION"
2687#endif
2688
2689#if defined(CATCH_CONFIG_FAST_COMPILE) || defined(CATCH_CONFIG_DISABLE_EXCEPTIONS)
2690
2692// Another way to speed-up compilation is to omit local try-catch for REQUIRE*
2693// macros.
2694#define INTERNAL_CATCH_TRY
2695#define INTERNAL_CATCH_CATCH( capturer )
2696
2697#else // CATCH_CONFIG_FAST_COMPILE
2698
2699#define INTERNAL_CATCH_TRY try
2700#define INTERNAL_CATCH_CATCH( handler ) catch(...) { handler.handleUnexpectedInflightException(); }
2701
2702#endif
2703
2704#define INTERNAL_CATCH_REACT( handler ) handler.complete();
2705
2707#define INTERNAL_CATCH_TEST( macroName, resultDisposition, ... ) \
2708 do { \
2709 CATCH_INTERNAL_IGNORE_BUT_WARN(__VA_ARGS__); \
2710 Catch::AssertionHandler catchAssertionHandler( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, CATCH_INTERNAL_STRINGIFY(__VA_ARGS__), resultDisposition ); \
2711 INTERNAL_CATCH_TRY { \
2712 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
2713 CATCH_INTERNAL_SUPPRESS_PARENTHESES_WARNINGS \
2714 catchAssertionHandler.handleExpr( Catch::Decomposer() <= __VA_ARGS__ ); \
2715 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
2716 } INTERNAL_CATCH_CATCH( catchAssertionHandler ) \
2717 INTERNAL_CATCH_REACT( catchAssertionHandler ) \
2718 } while( (void)0, (false) && static_cast<bool>( !!(__VA_ARGS__) ) )
2719
2721#define INTERNAL_CATCH_IF( macroName, resultDisposition, ... ) \
2722 INTERNAL_CATCH_TEST( macroName, resultDisposition, __VA_ARGS__ ); \
2723 if( Catch::getResultCapture().lastAssertionPassed() )
2724
2726#define INTERNAL_CATCH_ELSE( macroName, resultDisposition, ... ) \
2727 INTERNAL_CATCH_TEST( macroName, resultDisposition, __VA_ARGS__ ); \
2728 if( !Catch::getResultCapture().lastAssertionPassed() )
2729
2731#define INTERNAL_CATCH_NO_THROW( macroName, resultDisposition, ... ) \
2732 do { \
2733 Catch::AssertionHandler catchAssertionHandler( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, CATCH_INTERNAL_STRINGIFY(__VA_ARGS__), resultDisposition ); \
2734 try { \
2735 static_cast<void>(__VA_ARGS__); \
2736 catchAssertionHandler.handleExceptionNotThrownAsExpected(); \
2737 } \
2738 catch( ... ) { \
2739 catchAssertionHandler.handleUnexpectedInflightException(); \
2740 } \
2741 INTERNAL_CATCH_REACT( catchAssertionHandler ) \
2742 } while( false )
2743
2745#define INTERNAL_CATCH_THROWS( macroName, resultDisposition, ... ) \
2746 do { \
2747 Catch::AssertionHandler catchAssertionHandler( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, CATCH_INTERNAL_STRINGIFY(__VA_ARGS__), resultDisposition); \
2748 if( catchAssertionHandler.allowThrows() ) \
2749 try { \
2750 static_cast<void>(__VA_ARGS__); \
2751 catchAssertionHandler.handleUnexpectedExceptionNotThrown(); \
2752 } \
2753 catch( ... ) { \
2754 catchAssertionHandler.handleExceptionThrownAsExpected(); \
2755 } \
2756 else \
2757 catchAssertionHandler.handleThrowingCallSkipped(); \
2758 INTERNAL_CATCH_REACT( catchAssertionHandler ) \
2759 } while( false )
2760
2762#define INTERNAL_CATCH_THROWS_AS( macroName, exceptionType, resultDisposition, expr ) \
2763 do { \
2764 Catch::AssertionHandler catchAssertionHandler( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, CATCH_INTERNAL_STRINGIFY(expr) ", " CATCH_INTERNAL_STRINGIFY(exceptionType), resultDisposition ); \
2765 if( catchAssertionHandler.allowThrows() ) \
2766 try { \
2767 static_cast<void>(expr); \
2768 catchAssertionHandler.handleUnexpectedExceptionNotThrown(); \
2769 } \
2770 catch( exceptionType const& ) { \
2771 catchAssertionHandler.handleExceptionThrownAsExpected(); \
2772 } \
2773 catch( ... ) { \
2774 catchAssertionHandler.handleUnexpectedInflightException(); \
2775 } \
2776 else \
2777 catchAssertionHandler.handleThrowingCallSkipped(); \
2778 INTERNAL_CATCH_REACT( catchAssertionHandler ) \
2779 } while( false )
2780
2782#define INTERNAL_CATCH_MSG( macroName, messageType, resultDisposition, ... ) \
2783 do { \
2784 Catch::AssertionHandler catchAssertionHandler( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, Catch::StringRef(), resultDisposition ); \
2785 catchAssertionHandler.handleMessage( messageType, ( Catch::MessageStream() << __VA_ARGS__ + ::Catch::StreamEndStop() ).m_stream.str() ); \
2786 INTERNAL_CATCH_REACT( catchAssertionHandler ) \
2787 } while( false )
2788
2790#define INTERNAL_CATCH_CAPTURE( varName, macroName, ... ) \
2791 auto varName = Catch::Capturer( macroName, CATCH_INTERNAL_LINEINFO, Catch::ResultWas::Info, #__VA_ARGS__ ); \
2792 varName.captureValues( 0, __VA_ARGS__ )
2793
2795#define INTERNAL_CATCH_INFO( macroName, log ) \
2796 Catch::ScopedMessage INTERNAL_CATCH_UNIQUE_NAME( scopedMessage )( Catch::MessageBuilder( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, Catch::ResultWas::Info ) << log );
2797
2799#define INTERNAL_CATCH_UNSCOPED_INFO( macroName, log ) \
2800 Catch::getResultCapture().emplaceUnscopedMessage( Catch::MessageBuilder( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, Catch::ResultWas::Info ) << log )
2801
2803// Although this is matcher-based, it can be used with just a string
2804#define INTERNAL_CATCH_THROWS_STR_MATCHES( macroName, resultDisposition, matcher, ... ) \
2805 do { \
2806 Catch::AssertionHandler catchAssertionHandler( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, CATCH_INTERNAL_STRINGIFY(__VA_ARGS__) ", " CATCH_INTERNAL_STRINGIFY(matcher), resultDisposition ); \
2807 if( catchAssertionHandler.allowThrows() ) \
2808 try { \
2809 static_cast<void>(__VA_ARGS__); \
2810 catchAssertionHandler.handleUnexpectedExceptionNotThrown(); \
2811 } \
2812 catch( ... ) { \
2813 Catch::handleExceptionMatchExpr( catchAssertionHandler, matcher, #matcher##_catch_sr ); \
2814 } \
2815 else \
2816 catchAssertionHandler.handleThrowingCallSkipped(); \
2817 INTERNAL_CATCH_REACT( catchAssertionHandler ) \
2818 } while( false )
2819
2820#endif // CATCH_CONFIG_DISABLE
2821
2822// end catch_capture.hpp
2823// start catch_section.h
2824
2825// start catch_section_info.h
2826
2827// start catch_totals.h
2828
2829#include <cstddef>
2830
2831namespace Catch {
2832
2833 struct Counts {
2834 Counts operator - ( Counts const& other ) const;
2835 Counts& operator += ( Counts const& other );
2836
2837 std::size_t total() const;
2838 bool allPassed() const;
2839 bool allOk() const;
2840
2841 std::size_t passed = 0;
2842 std::size_t failed = 0;
2843 std::size_t failedButOk = 0;
2844 };
2845
2846 struct Totals {
2847
2848 Totals operator - ( Totals const& other ) const;
2849 Totals& operator += ( Totals const& other );
2850
2851 Totals delta( Totals const& prevTotals ) const;
2852
2853 int error = 0;
2854 Counts assertions;
2855 Counts testCases;
2856 };
2857}
2858
2859// end catch_totals.h
2860#include <string>
2861
2862namespace Catch {
2863
2866 ( SourceLineInfo const& _lineInfo,
2867 std::string const& _name );
2868
2869 // Deprecated
2871 ( SourceLineInfo const& _lineInfo,
2872 std::string const& _name,
2873 std::string const& ) : SectionInfo( _lineInfo, _name ) {}
2874
2875 std::string name;
2876 std::string description; // !Deprecated: this will always be empty
2877 SourceLineInfo lineInfo;
2878 };
2879
2881 SectionInfo sectionInfo;
2882 Counts prevAssertions;
2883 double durationInSeconds;
2884 };
2885
2886} // end namespace Catch
2887
2888// end catch_section_info.h
2889// start catch_timer.h
2890
2891#include <cstdint>
2892
2893namespace Catch {
2894
2895 auto getCurrentNanosecondsSinceEpoch() -> uint64_t;
2896 auto getEstimatedClockResolution() -> uint64_t;
2897
2898 class Timer {
2899 uint64_t m_nanoseconds = 0;
2900 public:
2901 void start();
2902 auto getElapsedNanoseconds() const -> uint64_t;
2903 auto getElapsedMicroseconds() const -> uint64_t;
2904 auto getElapsedMilliseconds() const -> unsigned int;
2905 auto getElapsedSeconds() const -> double;
2906 };
2907
2908} // namespace Catch
2909
2910// end catch_timer.h
2911#include <string>
2912
2913namespace Catch {
2914
2916 public:
2917 Section( SectionInfo const& info );
2918 ~Section();
2919
2920 // This indicates whether the section should be executed or not
2921 explicit operator bool() const;
2922
2923 private:
2924 SectionInfo m_info;
2925
2926 std::string m_name;
2927 Counts m_assertions;
2928 bool m_sectionIncluded;
2929 Timer m_timer;
2930 };
2931
2932} // end namespace Catch
2933
2934#define INTERNAL_CATCH_SECTION( ... ) \
2935 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
2936 CATCH_INTERNAL_SUPPRESS_UNUSED_WARNINGS \
2937 if( Catch::Section const& INTERNAL_CATCH_UNIQUE_NAME( catch_internal_Section ) = Catch::SectionInfo( CATCH_INTERNAL_LINEINFO, __VA_ARGS__ ) ) \
2938 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION
2939
2940#define INTERNAL_CATCH_DYNAMIC_SECTION( ... ) \
2941 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
2942 CATCH_INTERNAL_SUPPRESS_UNUSED_WARNINGS \
2943 if( Catch::Section const& INTERNAL_CATCH_UNIQUE_NAME( catch_internal_Section ) = Catch::SectionInfo( CATCH_INTERNAL_LINEINFO, (Catch::ReusableStringStream() << __VA_ARGS__).str() ) ) \
2944 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION
2945
2946// end catch_section.h
2947// start catch_interfaces_exception.h
2948
2949// start catch_interfaces_registry_hub.h
2950
2951#include <string>
2952#include <memory>
2953
2954namespace Catch {
2955
2956 class TestCase;
2957 struct ITestCaseRegistry;
2958 struct IExceptionTranslatorRegistry;
2959 struct IExceptionTranslator;
2960 struct IReporterRegistry;
2961 struct IReporterFactory;
2962 struct ITagAliasRegistry;
2963 struct IMutableEnumValuesRegistry;
2964
2965 class StartupExceptionRegistry;
2966
2967 using IReporterFactoryPtr = std::shared_ptr<IReporterFactory>;
2968
2970 virtual ~IRegistryHub();
2971
2972 virtual IReporterRegistry const& getReporterRegistry() const = 0;
2973 virtual ITestCaseRegistry const& getTestCaseRegistry() const = 0;
2974 virtual ITagAliasRegistry const& getTagAliasRegistry() const = 0;
2975 virtual IExceptionTranslatorRegistry const& getExceptionTranslatorRegistry() const = 0;
2976
2977 virtual StartupExceptionRegistry const& getStartupExceptionRegistry() const = 0;
2978 };
2979
2981 virtual ~IMutableRegistryHub();
2982 virtual void registerReporter( std::string const& name, IReporterFactoryPtr const& factory ) = 0;
2983 virtual void registerListener( IReporterFactoryPtr const& factory ) = 0;
2984 virtual void registerTest( TestCase const& testInfo ) = 0;
2985 virtual void registerTranslator( const IExceptionTranslator* translator ) = 0;
2986 virtual void registerTagAlias( std::string const& alias, std::string const& tag, SourceLineInfo const& lineInfo ) = 0;
2987 virtual void registerStartupException() noexcept = 0;
2988 virtual IMutableEnumValuesRegistry& getMutableEnumValuesRegistry() = 0;
2989 };
2990
2991 IRegistryHub const& getRegistryHub();
2992 IMutableRegistryHub& getMutableRegistryHub();
2993 void cleanUp();
2994 std::string translateActiveException();
2995
2996}
2997
2998// end catch_interfaces_registry_hub.h
2999#if defined(CATCH_CONFIG_DISABLE)
3000 #define INTERNAL_CATCH_TRANSLATE_EXCEPTION_NO_REG( translatorName, signature) \
3001 static std::string translatorName( signature )
3002#endif
3003
3004#include <exception>
3005#include <string>
3006#include <vector>
3007
3008namespace Catch {
3009 using exceptionTranslateFunction = std::string(*)();
3010
3011 struct IExceptionTranslator;
3012 using ExceptionTranslators = std::vector<std::unique_ptr<IExceptionTranslator const>>;
3013
3015 virtual ~IExceptionTranslator();
3016 virtual std::string translate( ExceptionTranslators::const_iterator it, ExceptionTranslators::const_iterator itEnd ) const = 0;
3017 };
3018
3021
3022 virtual std::string translateActiveException() const = 0;
3023 };
3024
3026 template<typename T>
3027 class ExceptionTranslator : public IExceptionTranslator {
3028 public:
3029
3030 ExceptionTranslator( std::string(*translateFunction)( T& ) )
3031 : m_translateFunction( translateFunction )
3032 {}
3033
3034 std::string translate( ExceptionTranslators::const_iterator it, ExceptionTranslators::const_iterator itEnd ) const override {
3035#if defined(CATCH_CONFIG_DISABLE_EXCEPTIONS)
3036 return "";
3037#else
3038 try {
3039 if( it == itEnd )
3040 std::rethrow_exception(std::current_exception());
3041 else
3042 return (*it)->translate( it+1, itEnd );
3043 }
3044 catch( T& ex ) {
3045 return m_translateFunction( ex );
3046 }
3047#endif
3048 }
3049
3050 protected:
3051 std::string(*m_translateFunction)( T& );
3052 };
3053
3054 public:
3055 template<typename T>
3056 ExceptionTranslatorRegistrar( std::string(*translateFunction)( T& ) ) {
3057 getMutableRegistryHub().registerTranslator
3058 ( new ExceptionTranslator<T>( translateFunction ) );
3059 }
3060 };
3061}
3062
3064#define INTERNAL_CATCH_TRANSLATE_EXCEPTION2( translatorName, signature ) \
3065 static std::string translatorName( signature ); \
3066 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
3067 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
3068 namespace{ Catch::ExceptionTranslatorRegistrar INTERNAL_CATCH_UNIQUE_NAME( catch_internal_ExceptionRegistrar )( &translatorName ); } \
3069 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION \
3070 static std::string translatorName( signature )
3071
3072#define INTERNAL_CATCH_TRANSLATE_EXCEPTION( signature ) INTERNAL_CATCH_TRANSLATE_EXCEPTION2( INTERNAL_CATCH_UNIQUE_NAME( catch_internal_ExceptionTranslator ), signature )
3073
3074// end catch_interfaces_exception.h
3075// start catch_approx.h
3076
3077#include <type_traits>
3078
3079namespace Catch {
3080namespace Detail {
3081
3082 class Approx {
3083 private:
3084 bool equalityComparisonImpl(double other) const;
3085 // Validates the new margin (margin >= 0)
3086 // out-of-line to avoid including stdexcept in the header
3087 void setMargin(double margin);
3088 // Validates the new epsilon (0 < epsilon < 1)
3089 // out-of-line to avoid including stdexcept in the header
3090 void setEpsilon(double epsilon);
3091
3092 public:
3093 explicit Approx ( double value );
3094
3095 static Approx custom();
3096
3097 Approx operator-() const;
3098
3099 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3100 Approx operator()( T const& value ) {
3101 Approx approx( static_cast<double>(value) );
3102 approx.m_epsilon = m_epsilon;
3103 approx.m_margin = m_margin;
3104 approx.m_scale = m_scale;
3105 return approx;
3106 }
3107
3108 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3109 explicit Approx( T const& value ): Approx(static_cast<double>(value))
3110 {}
3111
3112 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3113 friend bool operator == ( const T& lhs, Approx const& rhs ) {
3114 auto lhs_v = static_cast<double>(lhs);
3115 return rhs.equalityComparisonImpl(lhs_v);
3116 }
3117
3118 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3119 friend bool operator == ( Approx const& lhs, const T& rhs ) {
3120 return operator==( rhs, lhs );
3121 }
3122
3123 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3124 friend bool operator != ( T const& lhs, Approx const& rhs ) {
3125 return !operator==( lhs, rhs );
3126 }
3127
3128 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3129 friend bool operator != ( Approx const& lhs, T const& rhs ) {
3130 return !operator==( rhs, lhs );
3131 }
3132
3133 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3134 friend bool operator <= ( T const& lhs, Approx const& rhs ) {
3135 return static_cast<double>(lhs) < rhs.m_value || lhs == rhs;
3136 }
3137
3138 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3139 friend bool operator <= ( Approx const& lhs, T const& rhs ) {
3140 return lhs.m_value < static_cast<double>(rhs) || lhs == rhs;
3141 }
3142
3143 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3144 friend bool operator >= ( T const& lhs, Approx const& rhs ) {
3145 return static_cast<double>(lhs) > rhs.m_value || lhs == rhs;
3146 }
3147
3148 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3149 friend bool operator >= ( Approx const& lhs, T const& rhs ) {
3150 return lhs.m_value > static_cast<double>(rhs) || lhs == rhs;
3151 }
3152
3153 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3154 Approx& epsilon( T const& newEpsilon ) {
3155 double epsilonAsDouble = static_cast<double>(newEpsilon);
3156 setEpsilon(epsilonAsDouble);
3157 return *this;
3158 }
3159
3160 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3161 Approx& margin( T const& newMargin ) {
3162 double marginAsDouble = static_cast<double>(newMargin);
3163 setMargin(marginAsDouble);
3164 return *this;
3165 }
3166
3167 template <typename T, typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3168 Approx& scale( T const& newScale ) {
3169 m_scale = static_cast<double>(newScale);
3170 return *this;
3171 }
3172
3173 std::string toString() const;
3174
3175 private:
3176 double m_epsilon;
3177 double m_margin;
3178 double m_scale;
3179 double m_value;
3180 };
3181} // end namespace Detail
3182
3183namespace literals {
3184 Detail::Approx operator "" _a(long double val);
3185 Detail::Approx operator "" _a(unsigned long long val);
3186} // end namespace literals
3187
3188template<>
3190 static std::string convert(Catch::Detail::Approx const& value);
3191};
3192
3193} // end namespace Catch
3194
3195// end catch_approx.h
3196// start catch_string_manip.h
3197
3198#include <string>
3199#include <iosfwd>
3200#include <vector>
3201
3202namespace Catch {
3203
3204 bool startsWith( std::string const& s, std::string const& prefix );
3205 bool startsWith( std::string const& s, char prefix );
3206 bool endsWith( std::string const& s, std::string const& suffix );
3207 bool endsWith( std::string const& s, char suffix );
3208 bool contains( std::string const& s, std::string const& infix );
3209 void toLowerInPlace( std::string& s );
3210 std::string toLower( std::string const& s );
3212 std::string trim( std::string const& str );
3214 StringRef trim(StringRef ref);
3215
3216 // !!! Be aware, returns refs into original string - make sure original string outlives them
3217 std::vector<StringRef> splitStringRef( StringRef str, char delimiter );
3218 bool replaceInPlace( std::string& str, std::string const& replaceThis, std::string const& withThis );
3219
3220 struct pluralise {
3221 pluralise( std::size_t count, std::string const& label );
3222
3223 friend std::ostream& operator << ( std::ostream& os, pluralise const& pluraliser );
3224
3225 std::size_t m_count;
3226 std::string m_label;
3227 };
3228}
3229
3230// end catch_string_manip.h
3231#ifndef CATCH_CONFIG_DISABLE_MATCHERS
3232// start catch_capture_matchers.h
3233
3234// start catch_matchers.h
3235
3236#include <string>
3237#include <vector>
3238
3239namespace Catch {
3240namespace Matchers {
3241 namespace Impl {
3242
3243 template<typename ArgT> struct MatchAllOf;
3244 template<typename ArgT> struct MatchAnyOf;
3245 template<typename ArgT> struct MatchNotOf;
3246
3248 public:
3249 MatcherUntypedBase() = default;
3250 MatcherUntypedBase ( MatcherUntypedBase const& ) = default;
3251 MatcherUntypedBase& operator = ( MatcherUntypedBase const& ) = delete;
3252 std::string toString() const;
3253
3254 protected:
3255 virtual ~MatcherUntypedBase();
3256 virtual std::string describe() const = 0;
3257 mutable std::string m_cachedToString;
3258 };
3259
3260#ifdef __clang__
3261# pragma clang diagnostic push
3262# pragma clang diagnostic ignored "-Wnon-virtual-dtor"
3263#endif
3264
3265 template<typename ObjectT>
3267 virtual bool match( ObjectT const& arg ) const = 0;
3268 };
3269
3270#if defined(__OBJC__)
3271 // Hack to fix Catch GH issue #1661. Could use id for generic Object support.
3272 // use of const for Object pointers is very uncommon and under ARC it causes some kind of signature mismatch that breaks compilation
3273 template<>
3274 struct MatcherMethod<NSString*> {
3275 virtual bool match( NSString* arg ) const = 0;
3276 };
3277#endif
3278
3279#ifdef __clang__
3280# pragma clang diagnostic pop
3281#endif
3282
3283 template<typename T>
3285
3286 MatchAllOf<T> operator && ( MatcherBase const& other ) const;
3287 MatchAnyOf<T> operator || ( MatcherBase const& other ) const;
3288 MatchNotOf<T> operator ! () const;
3289 };
3290
3291 template<typename ArgT>
3292 struct MatchAllOf : MatcherBase<ArgT> {
3293 bool match( ArgT const& arg ) const override {
3294 for( auto matcher : m_matchers ) {
3295 if (!matcher->match(arg))
3296 return false;
3297 }
3298 return true;
3299 }
3300 std::string describe() const override {
3301 std::string description;
3302 description.reserve( 4 + m_matchers.size()*32 );
3303 description += "( ";
3304 bool first = true;
3305 for( auto matcher : m_matchers ) {
3306 if( first )
3307 first = false;
3308 else
3309 description += " and ";
3310 description += matcher->toString();
3311 }
3312 description += " )";
3313 return description;
3314 }
3315
3316 MatchAllOf<ArgT> operator && ( MatcherBase<ArgT> const& other ) {
3317 auto copy(*this);
3318 copy.m_matchers.push_back( &other );
3319 return copy;
3320 }
3321
3322 std::vector<MatcherBase<ArgT> const*> m_matchers;
3323 };
3324 template<typename ArgT>
3325 struct MatchAnyOf : MatcherBase<ArgT> {
3326
3327 bool match( ArgT const& arg ) const override {
3328 for( auto matcher : m_matchers ) {
3329 if (matcher->match(arg))
3330 return true;
3331 }
3332 return false;
3333 }
3334 std::string describe() const override {
3335 std::string description;
3336 description.reserve( 4 + m_matchers.size()*32 );
3337 description += "( ";
3338 bool first = true;
3339 for( auto matcher : m_matchers ) {
3340 if( first )
3341 first = false;
3342 else
3343 description += " or ";
3344 description += matcher->toString();
3345 }
3346 description += " )";
3347 return description;
3348 }
3349
3350 MatchAnyOf<ArgT> operator || ( MatcherBase<ArgT> const& other ) {
3351 auto copy(*this);
3352 copy.m_matchers.push_back( &other );
3353 return copy;
3354 }
3355
3356 std::vector<MatcherBase<ArgT> const*> m_matchers;
3357 };
3358
3359 template<typename ArgT>
3360 struct MatchNotOf : MatcherBase<ArgT> {
3361
3362 MatchNotOf( MatcherBase<ArgT> const& underlyingMatcher ) : m_underlyingMatcher( underlyingMatcher ) {}
3363
3364 bool match( ArgT const& arg ) const override {
3365 return !m_underlyingMatcher.match( arg );
3366 }
3367
3368 std::string describe() const override {
3369 return "not " + m_underlyingMatcher.toString();
3370 }
3371 MatcherBase<ArgT> const& m_underlyingMatcher;
3372 };
3373
3374 template<typename T>
3376 return MatchAllOf<T>() && *this && other;
3377 }
3378 template<typename T>
3379 MatchAnyOf<T> MatcherBase<T>::operator || ( MatcherBase const& other ) const {
3380 return MatchAnyOf<T>() || *this || other;
3381 }
3382 template<typename T>
3383 MatchNotOf<T> MatcherBase<T>::operator ! () const {
3384 return MatchNotOf<T>( *this );
3385 }
3386
3387 } // namespace Impl
3388
3389} // namespace Matchers
3390
3391using namespace Matchers;
3392using Matchers::Impl::MatcherBase;
3393
3394} // namespace Catch
3395
3396// end catch_matchers.h
3397// start catch_matchers_exception.hpp
3398
3399namespace Catch {
3400namespace Matchers {
3401namespace Exception {
3402
3403class ExceptionMessageMatcher : public MatcherBase<std::exception> {
3404 std::string m_message;
3405public:
3406
3407 ExceptionMessageMatcher(std::string const& message):
3408 m_message(message)
3409 {}
3410
3411 bool match(std::exception const& ex) const override;
3412
3413 std::string describe() const override;
3414};
3415
3416} // namespace Exception
3417
3418Exception::ExceptionMessageMatcher Message(std::string const& message);
3419
3420} // namespace Matchers
3421} // namespace Catch
3422
3423// end catch_matchers_exception.hpp
3424// start catch_matchers_floating.h
3425
3426namespace Catch {
3427namespace Matchers {
3428
3429 namespace Floating {
3430
3431 enum class FloatingPointKind : uint8_t;
3432
3434 WithinAbsMatcher(double target, double margin);
3435 bool match(double const& matchee) const override;
3436 std::string describe() const override;
3437 private:
3438 double m_target;
3439 double m_margin;
3440 };
3441
3443 WithinUlpsMatcher(double target, uint64_t ulps, FloatingPointKind baseType);
3444 bool match(double const& matchee) const override;
3445 std::string describe() const override;
3446 private:
3447 double m_target;
3448 uint64_t m_ulps;
3449 FloatingPointKind m_type;
3450 };
3451
3452 // Given IEEE-754 format for floats and doubles, we can assume
3453 // that float -> double promotion is lossless. Given this, we can
3454 // assume that if we do the standard relative comparison of
3455 // |lhs - rhs| <= epsilon * max(fabs(lhs), fabs(rhs)), then we get
3456 // the same result if we do this for floats, as if we do this for
3457 // doubles that were promoted from floats.
3459 WithinRelMatcher(double target, double epsilon);
3460 bool match(double const& matchee) const override;
3461 std::string describe() const override;
3462 private:
3463 double m_target;
3464 double m_epsilon;
3465 };
3466
3467 } // namespace Floating
3468
3469 // The following functions create the actual matcher objects.
3470 // This allows the types to be inferred
3471 Floating::WithinUlpsMatcher WithinULP(double target, uint64_t maxUlpDiff);
3472 Floating::WithinUlpsMatcher WithinULP(float target, uint64_t maxUlpDiff);
3473 Floating::WithinAbsMatcher WithinAbs(double target, double margin);
3474 Floating::WithinRelMatcher WithinRel(double target, double eps);
3475 // defaults epsilon to 100*numeric_limits<double>::epsilon()
3476 Floating::WithinRelMatcher WithinRel(double target);
3477 Floating::WithinRelMatcher WithinRel(float target, float eps);
3478 // defaults epsilon to 100*numeric_limits<float>::epsilon()
3479 Floating::WithinRelMatcher WithinRel(float target);
3480
3481} // namespace Matchers
3482} // namespace Catch
3483
3484// end catch_matchers_floating.h
3485// start catch_matchers_generic.hpp
3486
3487#include <functional>
3488#include <string>
3489
3490namespace Catch {
3491namespace Matchers {
3492namespace Generic {
3493
3494namespace Detail {
3495 std::string finalizeDescription(const std::string& desc);
3496}
3497
3498template <typename T>
3500 std::function<bool(T const&)> m_predicate;
3501 std::string m_description;
3502public:
3503
3504 PredicateMatcher(std::function<bool(T const&)> const& elem, std::string const& descr)
3505 :m_predicate(std::move(elem)),
3506 m_description(Detail::finalizeDescription(descr))
3507 {}
3508
3509 bool match( T const& item ) const override {
3510 return m_predicate(item);
3511 }
3512
3513 std::string describe() const override {
3514 return m_description;
3515 }
3516};
3517
3518} // namespace Generic
3519
3520 // The following functions create the actual matcher objects.
3521 // The user has to explicitly specify type to the function, because
3522 // inferring std::function<bool(T const&)> is hard (but possible) and
3523 // requires a lot of TMP.
3524 template<typename T>
3525 Generic::PredicateMatcher<T> Predicate(std::function<bool(T const&)> const& predicate, std::string const& description = "") {
3526 return Generic::PredicateMatcher<T>(predicate, description);
3527 }
3528
3529} // namespace Matchers
3530} // namespace Catch
3531
3532// end catch_matchers_generic.hpp
3533// start catch_matchers_string.h
3534
3535#include <string>
3536
3537namespace Catch {
3538namespace Matchers {
3539
3540 namespace StdString {
3541
3543 {
3544 CasedString( std::string const& str, CaseSensitive::Choice caseSensitivity );
3545 std::string adjustString( std::string const& str ) const;
3546 std::string caseSensitivitySuffix() const;
3547
3548 CaseSensitive::Choice m_caseSensitivity;
3549 std::string m_str;
3550 };
3551
3552 struct StringMatcherBase : MatcherBase<std::string> {
3553 StringMatcherBase( std::string const& operation, CasedString const& comparator );
3554 std::string describe() const override;
3555
3556 CasedString m_comparator;
3557 std::string m_operation;
3558 };
3559
3561 EqualsMatcher( CasedString const& comparator );
3562 bool match( std::string const& source ) const override;
3563 };
3565 ContainsMatcher( CasedString const& comparator );
3566 bool match( std::string const& source ) const override;
3567 };
3569 StartsWithMatcher( CasedString const& comparator );
3570 bool match( std::string const& source ) const override;
3571 };
3573 EndsWithMatcher( CasedString const& comparator );
3574 bool match( std::string const& source ) const override;
3575 };
3576
3577 struct RegexMatcher : MatcherBase<std::string> {
3578 RegexMatcher( std::string regex, CaseSensitive::Choice caseSensitivity );
3579 bool match( std::string const& matchee ) const override;
3580 std::string describe() const override;
3581
3582 private:
3583 std::string m_regex;
3584 CaseSensitive::Choice m_caseSensitivity;
3585 };
3586
3587 } // namespace StdString
3588
3589 // The following functions create the actual matcher objects.
3590 // This allows the types to be inferred
3591
3592 StdString::EqualsMatcher Equals( std::string const& str, CaseSensitive::Choice caseSensitivity = CaseSensitive::Yes );
3593 StdString::ContainsMatcher Contains( std::string const& str, CaseSensitive::Choice caseSensitivity = CaseSensitive::Yes );
3594 StdString::EndsWithMatcher EndsWith( std::string const& str, CaseSensitive::Choice caseSensitivity = CaseSensitive::Yes );
3595 StdString::StartsWithMatcher StartsWith( std::string const& str, CaseSensitive::Choice caseSensitivity = CaseSensitive::Yes );
3596 StdString::RegexMatcher Matches( std::string const& regex, CaseSensitive::Choice caseSensitivity = CaseSensitive::Yes );
3597
3598} // namespace Matchers
3599} // namespace Catch
3600
3601// end catch_matchers_string.h
3602// start catch_matchers_vector.h
3603
3604#include <algorithm>
3605
3606namespace Catch {
3607namespace Matchers {
3608
3609 namespace Vector {
3610 template<typename T, typename Alloc>
3611 struct ContainsElementMatcher : MatcherBase<std::vector<T, Alloc>> {
3612
3613 ContainsElementMatcher(T const &comparator) : m_comparator( comparator) {}
3614
3615 bool match(std::vector<T, Alloc> const &v) const override {
3616 for (auto const& el : v) {
3617 if (el == m_comparator) {
3618 return true;
3619 }
3620 }
3621 return false;
3622 }
3623
3624 std::string describe() const override {
3625 return "Contains: " + ::Catch::Detail::stringify( m_comparator );
3626 }
3627
3628 T const& m_comparator;
3629 };
3630
3631 template<typename T, typename AllocComp, typename AllocMatch>
3632 struct ContainsMatcher : MatcherBase<std::vector<T, AllocMatch>> {
3633
3634 ContainsMatcher(std::vector<T, AllocComp> const &comparator) : m_comparator( comparator ) {}
3635
3636 bool match(std::vector<T, AllocMatch> const &v) const override {
3637 // !TBD: see note in EqualsMatcher
3638 if (m_comparator.size() > v.size())
3639 return false;
3640 for (auto const& comparator : m_comparator) {
3641 auto present = false;
3642 for (const auto& el : v) {
3643 if (el == comparator) {
3644 present = true;
3645 break;
3646 }
3647 }
3648 if (!present) {
3649 return false;
3650 }
3651 }
3652 return true;
3653 }
3654 std::string describe() const override {
3655 return "Contains: " + ::Catch::Detail::stringify( m_comparator );
3656 }
3657
3658 std::vector<T, AllocComp> const& m_comparator;
3659 };
3660
3661 template<typename T, typename AllocComp, typename AllocMatch>
3662 struct EqualsMatcher : MatcherBase<std::vector<T, AllocMatch>> {
3663
3664 EqualsMatcher(std::vector<T, AllocComp> const &comparator) : m_comparator( comparator ) {}
3665
3666 bool match(std::vector<T, AllocMatch> const &v) const override {
3667 // !TBD: This currently works if all elements can be compared using !=
3668 // - a more general approach would be via a compare template that defaults
3669 // to using !=. but could be specialised for, e.g. std::vector<T, Alloc> etc
3670 // - then just call that directly
3671 if (m_comparator.size() != v.size())
3672 return false;
3673 for (std::size_t i = 0; i < v.size(); ++i)
3674 if (m_comparator[i] != v[i])
3675 return false;
3676 return true;
3677 }
3678 std::string describe() const override {
3679 return "Equals: " + ::Catch::Detail::stringify( m_comparator );
3680 }
3681 std::vector<T, AllocComp> const& m_comparator;
3682 };
3683
3684 template<typename T, typename AllocComp, typename AllocMatch>
3685 struct ApproxMatcher : MatcherBase<std::vector<T, AllocMatch>> {
3686
3687 ApproxMatcher(std::vector<T, AllocComp> const& comparator) : m_comparator( comparator ) {}
3688
3689 bool match(std::vector<T, AllocMatch> const &v) const override {
3690 if (m_comparator.size() != v.size())
3691 return false;
3692 for (std::size_t i = 0; i < v.size(); ++i)
3693 if (m_comparator[i] != approx(v[i]))
3694 return false;
3695 return true;
3696 }
3697 std::string describe() const override {
3698 return "is approx: " + ::Catch::Detail::stringify( m_comparator );
3699 }
3700 template <typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3701 ApproxMatcher& epsilon( T const& newEpsilon ) {
3702 approx.epsilon(newEpsilon);
3703 return *this;
3704 }
3705 template <typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3706 ApproxMatcher& margin( T const& newMargin ) {
3707 approx.margin(newMargin);
3708 return *this;
3709 }
3710 template <typename = typename std::enable_if<std::is_constructible<double, T>::value>::type>
3711 ApproxMatcher& scale( T const& newScale ) {
3712 approx.scale(newScale);
3713 return *this;
3714 }
3715
3716 std::vector<T, AllocComp> const& m_comparator;
3717 mutable Catch::Detail::Approx approx = Catch::Detail::Approx::custom();
3718 };
3719
3720 template<typename T, typename AllocComp, typename AllocMatch>
3721 struct UnorderedEqualsMatcher : MatcherBase<std::vector<T, AllocMatch>> {
3722 UnorderedEqualsMatcher(std::vector<T, AllocComp> const& target) : m_target(target) {}
3723 bool match(std::vector<T, AllocMatch> const& vec) const override {
3724 if (m_target.size() != vec.size()) {
3725 return false;
3726 }
3727 return std::is_permutation(m_target.begin(), m_target.end(), vec.begin());
3728 }
3729
3730 std::string describe() const override {
3731 return "UnorderedEquals: " + ::Catch::Detail::stringify(m_target);
3732 }
3733 private:
3734 std::vector<T, AllocComp> const& m_target;
3735 };
3736
3737 } // namespace Vector
3738
3739 // The following functions create the actual matcher objects.
3740 // This allows the types to be inferred
3741
3742 template<typename T, typename AllocComp = std::allocator<T>, typename AllocMatch = AllocComp>
3743 Vector::ContainsMatcher<T, AllocComp, AllocMatch> Contains( std::vector<T, AllocComp> const& comparator ) {
3745 }
3746
3747 template<typename T, typename Alloc = std::allocator<T>>
3748 Vector::ContainsElementMatcher<T, Alloc> VectorContains( T const& comparator ) {
3749 return Vector::ContainsElementMatcher<T, Alloc>( comparator );
3750 }
3751
3752 template<typename T, typename AllocComp = std::allocator<T>, typename AllocMatch = AllocComp>
3753 Vector::EqualsMatcher<T, AllocComp, AllocMatch> Equals( std::vector<T, AllocComp> const& comparator ) {
3754 return Vector::EqualsMatcher<T, AllocComp, AllocMatch>( comparator );
3755 }
3756
3757 template<typename T, typename AllocComp = std::allocator<T>, typename AllocMatch = AllocComp>
3758 Vector::ApproxMatcher<T, AllocComp, AllocMatch> Approx( std::vector<T, AllocComp> const& comparator ) {
3759 return Vector::ApproxMatcher<T, AllocComp, AllocMatch>( comparator );
3760 }
3761
3762 template<typename T, typename AllocComp = std::allocator<T>, typename AllocMatch = AllocComp>
3763 Vector::UnorderedEqualsMatcher<T, AllocComp, AllocMatch> UnorderedEquals(std::vector<T, AllocComp> const& target) {
3764 return Vector::UnorderedEqualsMatcher<T, AllocComp, AllocMatch>( target );
3765 }
3766
3767} // namespace Matchers
3768} // namespace Catch
3769
3770// end catch_matchers_vector.h
3771namespace Catch {
3772
3773 template<typename ArgT, typename MatcherT>
3775 ArgT const& m_arg;
3776 MatcherT m_matcher;
3777 StringRef m_matcherString;
3778 public:
3779 MatchExpr( ArgT const& arg, MatcherT const& matcher, StringRef const& matcherString )
3780 : ITransientExpression{ true, matcher.match( arg ) },
3781 m_arg( arg ),
3782 m_matcher( matcher ),
3783 m_matcherString( matcherString )
3784 {}
3785
3786 void streamReconstructedExpression( std::ostream &os ) const override {
3787 auto matcherAsString = m_matcher.toString();
3788 os << Catch::Detail::stringify( m_arg ) << ' ';
3789 if( matcherAsString == Detail::unprintableString )
3790 os << m_matcherString;
3791 else
3792 os << matcherAsString;
3793 }
3794 };
3795
3797
3798 void handleExceptionMatchExpr( AssertionHandler& handler, StringMatcher const& matcher, StringRef const& matcherString );
3799
3800 template<typename ArgT, typename MatcherT>
3801 auto makeMatchExpr( ArgT const& arg, MatcherT const& matcher, StringRef const& matcherString ) -> MatchExpr<ArgT, MatcherT> {
3802 return MatchExpr<ArgT, MatcherT>( arg, matcher, matcherString );
3803 }
3804
3805} // namespace Catch
3806
3808#define INTERNAL_CHECK_THAT( macroName, matcher, resultDisposition, arg ) \
3809 do { \
3810 Catch::AssertionHandler catchAssertionHandler( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, CATCH_INTERNAL_STRINGIFY(arg) ", " CATCH_INTERNAL_STRINGIFY(matcher), resultDisposition ); \
3811 INTERNAL_CATCH_TRY { \
3812 catchAssertionHandler.handleExpr( Catch::makeMatchExpr( arg, matcher, #matcher##_catch_sr ) ); \
3813 } INTERNAL_CATCH_CATCH( catchAssertionHandler ) \
3814 INTERNAL_CATCH_REACT( catchAssertionHandler ) \
3815 } while( false )
3816
3818#define INTERNAL_CATCH_THROWS_MATCHES( macroName, exceptionType, resultDisposition, matcher, ... ) \
3819 do { \
3820 Catch::AssertionHandler catchAssertionHandler( macroName##_catch_sr, CATCH_INTERNAL_LINEINFO, CATCH_INTERNAL_STRINGIFY(__VA_ARGS__) ", " CATCH_INTERNAL_STRINGIFY(exceptionType) ", " CATCH_INTERNAL_STRINGIFY(matcher), resultDisposition ); \
3821 if( catchAssertionHandler.allowThrows() ) \
3822 try { \
3823 static_cast<void>(__VA_ARGS__ ); \
3824 catchAssertionHandler.handleUnexpectedExceptionNotThrown(); \
3825 } \
3826 catch( exceptionType const& ex ) { \
3827 catchAssertionHandler.handleExpr( Catch::makeMatchExpr( ex, matcher, #matcher##_catch_sr ) ); \
3828 } \
3829 catch( ... ) { \
3830 catchAssertionHandler.handleUnexpectedInflightException(); \
3831 } \
3832 else \
3833 catchAssertionHandler.handleThrowingCallSkipped(); \
3834 INTERNAL_CATCH_REACT( catchAssertionHandler ) \
3835 } while( false )
3836
3837// end catch_capture_matchers.h
3838#endif
3839// start catch_generators.hpp
3840
3841// start catch_interfaces_generatortracker.h
3842
3843
3844#include <memory>
3845
3846namespace Catch {
3847
3848 namespace Generators {
3850 public:
3851 GeneratorUntypedBase() = default;
3852 virtual ~GeneratorUntypedBase();
3853 // Attempts to move the generator to the next element
3854 //
3855 // Returns true iff the move succeeded (and a valid element
3856 // can be retrieved).
3857 virtual bool next() = 0;
3858 };
3859 using GeneratorBasePtr = std::unique_ptr<GeneratorUntypedBase>;
3860
3861 } // namespace Generators
3862
3864 virtual ~IGeneratorTracker();
3865 virtual auto hasGenerator() const -> bool = 0;
3866 virtual auto getGenerator() const -> Generators::GeneratorBasePtr const& = 0;
3867 virtual void setGenerator( Generators::GeneratorBasePtr&& generator ) = 0;
3868 };
3869
3870} // namespace Catch
3871
3872// end catch_interfaces_generatortracker.h
3873// start catch_enforce.h
3874
3875#include <exception>
3876
3877namespace Catch {
3878#if !defined(CATCH_CONFIG_DISABLE_EXCEPTIONS)
3879 template <typename Ex>
3880 [[noreturn]]
3881 void throw_exception(Ex const& e) {
3882 throw e;
3883 }
3884#else // ^^ Exceptions are enabled // Exceptions are disabled vv
3885 [[noreturn]]
3886 void throw_exception(std::exception const& e);
3887#endif
3888
3889 [[noreturn]]
3890 void throw_logic_error(std::string const& msg);
3891 [[noreturn]]
3892 void throw_domain_error(std::string const& msg);
3893 [[noreturn]]
3894 void throw_runtime_error(std::string const& msg);
3895
3896} // namespace Catch;
3897
3898#define CATCH_MAKE_MSG(...) \
3899 (Catch::ReusableStringStream() << __VA_ARGS__).str()
3900
3901#define CATCH_INTERNAL_ERROR(...) \
3902 Catch::throw_logic_error(CATCH_MAKE_MSG( CATCH_INTERNAL_LINEINFO << ": Internal Catch2 error: " << __VA_ARGS__))
3903
3904#define CATCH_ERROR(...) \
3905 Catch::throw_domain_error(CATCH_MAKE_MSG( __VA_ARGS__ ))
3906
3907#define CATCH_RUNTIME_ERROR(...) \
3908 Catch::throw_runtime_error(CATCH_MAKE_MSG( __VA_ARGS__ ))
3909
3910#define CATCH_ENFORCE( condition, ... ) \
3911 do{ if( !(condition) ) CATCH_ERROR( __VA_ARGS__ ); } while(false)
3912
3913// end catch_enforce.h
3914#include <memory>
3915#include <vector>
3916#include <cassert>
3917
3918#include <utility>
3919#include <exception>
3920
3921namespace Catch {
3922
3923class GeneratorException : public std::exception {
3924 const char* const m_msg = "";
3925
3926public:
3927 GeneratorException(const char* msg):
3928 m_msg(msg)
3929 {}
3930
3931 const char* what() const noexcept override final;
3932};
3933
3934namespace Generators {
3935
3936 // !TBD move this into its own location?
3937 namespace pf{
3938 template<typename T, typename... Args>
3939 std::unique_ptr<T> make_unique( Args&&... args ) {
3940 return std::unique_ptr<T>(new T(std::forward<Args>(args)...));
3941 }
3942 }
3943
3944 template<typename T>
3946 virtual ~IGenerator() = default;
3947
3948 // Returns the current element of the generator
3949 //
3950 // \Precondition The generator is either freshly constructed,
3951 // or the last call to `next()` returned true
3952 virtual T const& get() const = 0;
3953 using type = T;
3954 };
3955
3956 template<typename T>
3957 class SingleValueGenerator final : public IGenerator<T> {
3958 T m_value;
3959 public:
3960 SingleValueGenerator(T&& value) : m_value(std::move(value)) {}
3961
3962 T const& get() const override {
3963 return m_value;
3964 }
3965 bool next() override {
3966 return false;
3967 }
3968 };
3969
3970 template<typename T>
3971 class FixedValuesGenerator final : public IGenerator<T> {
3972 static_assert(!std::is_same<T, bool>::value,
3973 "FixedValuesGenerator does not support bools because of std::vector<bool>"
3974 "specialization, use SingleValue Generator instead.");
3975 std::vector<T> m_values;
3976 size_t m_idx = 0;
3977 public:
3978 FixedValuesGenerator( std::initializer_list<T> values ) : m_values( values ) {}
3979
3980 T const& get() const override {
3981 return m_values[m_idx];
3982 }
3983 bool next() override {
3984 ++m_idx;
3985 return m_idx < m_values.size();
3986 }
3987 };
3988
3989 template <typename T>
3990 class GeneratorWrapper final {
3991 std::unique_ptr<IGenerator<T>> m_generator;
3992 public:
3993 GeneratorWrapper(std::unique_ptr<IGenerator<T>> generator):
3994 m_generator(std::move(generator))
3995 {}
3996 T const& get() const {
3997 return m_generator->get();
3998 }
3999 bool next() {
4000 return m_generator->next();
4001 }
4002 };
4003
4004 template <typename T>
4005 GeneratorWrapper<T> value(T&& value) {
4006 return GeneratorWrapper<T>(pf::make_unique<SingleValueGenerator<T>>(std::forward<T>(value)));
4007 }
4008 template <typename T>
4009 GeneratorWrapper<T> values(std::initializer_list<T> values) {
4010 return GeneratorWrapper<T>(pf::make_unique<FixedValuesGenerator<T>>(values));
4011 }
4012
4013 template<typename T>
4014 class Generators : public IGenerator<T> {
4015 std::vector<GeneratorWrapper<T>> m_generators;
4016 size_t m_current = 0;
4017
4018 void populate(GeneratorWrapper<T>&& generator) {
4019 m_generators.emplace_back(std::move(generator));
4020 }
4021 void populate(T&& val) {
4022 m_generators.emplace_back(value(std::forward<T>(val)));
4023 }
4024 template<typename U>
4025 void populate(U&& val) {
4026 populate(T(std::forward<U>(val)));
4027 }
4028 template<typename U, typename... Gs>
4029 void populate(U&& valueOrGenerator, Gs &&... moreGenerators) {
4030 populate(std::forward<U>(valueOrGenerator));
4031 populate(std::forward<Gs>(moreGenerators)...);
4032 }
4033
4034 public:
4035 template <typename... Gs>
4036 Generators(Gs &&... moreGenerators) {
4037 m_generators.reserve(sizeof...(Gs));
4038 populate(std::forward<Gs>(moreGenerators)...);
4039 }
4040
4041 T const& get() const override {
4042 return m_generators[m_current].get();
4043 }
4044
4045 bool next() override {
4046 if (m_current >= m_generators.size()) {
4047 return false;
4048 }
4049 const bool current_status = m_generators[m_current].next();
4050 if (!current_status) {
4051 ++m_current;
4052 }
4053 return m_current < m_generators.size();
4054 }
4055 };
4056
4057 template<typename... Ts>
4058 GeneratorWrapper<std::tuple<Ts...>> table( std::initializer_list<std::tuple<typename std::decay<Ts>::type...>> tuples ) {
4059 return values<std::tuple<Ts...>>( tuples );
4060 }
4061
4062 // Tag type to signal that a generator sequence should convert arguments to a specific type
4063 template <typename T>
4064 struct as {};
4065
4066 template<typename T, typename... Gs>
4067 auto makeGenerators( GeneratorWrapper<T>&& generator, Gs &&... moreGenerators ) -> Generators<T> {
4068 return Generators<T>(std::move(generator), std::forward<Gs>(moreGenerators)...);
4069 }
4070 template<typename T>
4071 auto makeGenerators( GeneratorWrapper<T>&& generator ) -> Generators<T> {
4072 return Generators<T>(std::move(generator));
4073 }
4074 template<typename T, typename... Gs>
4075 auto makeGenerators( T&& val, Gs &&... moreGenerators ) -> Generators<T> {
4076 return makeGenerators( value( std::forward<T>( val ) ), std::forward<Gs>( moreGenerators )... );
4077 }
4078 template<typename T, typename U, typename... Gs>
4079 auto makeGenerators( as<T>, U&& val, Gs &&... moreGenerators ) -> Generators<T> {
4080 return makeGenerators( value( T( std::forward<U>( val ) ) ), std::forward<Gs>( moreGenerators )... );
4081 }
4082
4083 auto acquireGeneratorTracker( SourceLineInfo const& lineInfo ) -> IGeneratorTracker&;
4084
4085 template<typename L>
4086 // Note: The type after -> is weird, because VS2015 cannot parse
4087 // the expression used in the typedef inside, when it is in
4088 // return type. Yeah.
4089 auto generate( SourceLineInfo const& lineInfo, L const& generatorExpression ) -> decltype(std::declval<decltype(generatorExpression())>().get()) {
4090 using UnderlyingType = typename decltype(generatorExpression())::type;
4091
4092 IGeneratorTracker& tracker = acquireGeneratorTracker( lineInfo );
4093 if (!tracker.hasGenerator()) {
4094 tracker.setGenerator(pf::make_unique<Generators<UnderlyingType>>(generatorExpression()));
4095 }
4096
4097 auto const& generator = static_cast<IGenerator<UnderlyingType> const&>( *tracker.getGenerator() );
4098 return generator.get();
4099 }
4100
4101} // namespace Generators
4102} // namespace Catch
4103
4104#define GENERATE( ... ) \
4105 Catch::Generators::generate( CATCH_INTERNAL_LINEINFO, [ ]{ using namespace Catch::Generators; return makeGenerators( __VA_ARGS__ ); } ) //NOLINT(google-build-using-namespace)
4106#define GENERATE_COPY( ... ) \
4107 Catch::Generators::generate( CATCH_INTERNAL_LINEINFO, [=]{ using namespace Catch::Generators; return makeGenerators( __VA_ARGS__ ); } ) //NOLINT(google-build-using-namespace)
4108#define GENERATE_REF( ... ) \
4109 Catch::Generators::generate( CATCH_INTERNAL_LINEINFO, [&]{ using namespace Catch::Generators; return makeGenerators( __VA_ARGS__ ); } ) //NOLINT(google-build-using-namespace)
4110
4111// end catch_generators.hpp
4112// start catch_generators_generic.hpp
4113
4114namespace Catch {
4115namespace Generators {
4116
4117 template <typename T>
4118 class TakeGenerator : public IGenerator<T> {
4119 GeneratorWrapper<T> m_generator;
4120 size_t m_returned = 0;
4121 size_t m_target;
4122 public:
4123 TakeGenerator(size_t target, GeneratorWrapper<T>&& generator):
4124 m_generator(std::move(generator)),
4125 m_target(target)
4126 {
4127 assert(target != 0 && "Empty generators are not allowed");
4128 }
4129 T const& get() const override {
4130 return m_generator.get();
4131 }
4132 bool next() override {
4133 ++m_returned;
4134 if (m_returned >= m_target) {
4135 return false;
4136 }
4137
4138 const auto success = m_generator.next();
4139 // If the underlying generator does not contain enough values
4140 // then we cut short as well
4141 if (!success) {
4142 m_returned = m_target;
4143 }
4144 return success;
4145 }
4146 };
4147
4148 template <typename T>
4149 GeneratorWrapper<T> take(size_t target, GeneratorWrapper<T>&& generator) {
4150 return GeneratorWrapper<T>(pf::make_unique<TakeGenerator<T>>(target, std::move(generator)));
4151 }
4152
4153 template <typename T, typename Predicate>
4154 class FilterGenerator : public IGenerator<T> {
4155 GeneratorWrapper<T> m_generator;
4156 Predicate m_predicate;
4157 public:
4158 template <typename P = Predicate>
4159 FilterGenerator(P&& pred, GeneratorWrapper<T>&& generator):
4160 m_generator(std::move(generator)),
4161 m_predicate(std::forward<P>(pred))
4162 {
4163 if (!m_predicate(m_generator.get())) {
4164 // It might happen that there are no values that pass the
4165 // filter. In that case we throw an exception.
4166 auto has_initial_value = next();
4167 if (!has_initial_value) {
4168 Catch::throw_exception(GeneratorException("No valid value found in filtered generator"));
4169 }
4170 }
4171 }
4172
4173 T const& get() const override {
4174 return m_generator.get();
4175 }
4176
4177 bool next() override {
4178 bool success = m_generator.next();
4179 if (!success) {
4180 return false;
4181 }
4182 while (!m_predicate(m_generator.get()) && (success = m_generator.next()) == true);
4183 return success;
4184 }
4185 };
4186
4187 template <typename T, typename Predicate>
4188 GeneratorWrapper<T> filter(Predicate&& pred, GeneratorWrapper<T>&& generator) {
4189 return GeneratorWrapper<T>(std::unique_ptr<IGenerator<T>>(pf::make_unique<FilterGenerator<T, Predicate>>(std::forward<Predicate>(pred), std::move(generator))));
4190 }
4191
4192 template <typename T>
4193 class RepeatGenerator : public IGenerator<T> {
4194 static_assert(!std::is_same<T, bool>::value,
4195 "RepeatGenerator currently does not support bools"
4196 "because of std::vector<bool> specialization");
4197 GeneratorWrapper<T> m_generator;
4198 mutable std::vector<T> m_returned;
4199 size_t m_target_repeats;
4200 size_t m_current_repeat = 0;
4201 size_t m_repeat_index = 0;
4202 public:
4203 RepeatGenerator(size_t repeats, GeneratorWrapper<T>&& generator):
4204 m_generator(std::move(generator)),
4205 m_target_repeats(repeats)
4206 {
4207 assert(m_target_repeats > 0 && "Repeat generator must repeat at least once");
4208 }
4209
4210 T const& get() const override {
4211 if (m_current_repeat == 0) {
4212 m_returned.push_back(m_generator.get());
4213 return m_returned.back();
4214 }
4215 return m_returned[m_repeat_index];
4216 }
4217
4218 bool next() override {
4219 // There are 2 basic cases:
4220 // 1) We are still reading the generator
4221 // 2) We are reading our own cache
4222
4223 // In the first case, we need to poke the underlying generator.
4224 // If it happily moves, we are left in that state, otherwise it is time to start reading from our cache
4225 if (m_current_repeat == 0) {
4226 const auto success = m_generator.next();
4227 if (!success) {
4228 ++m_current_repeat;
4229 }
4230 return m_current_repeat < m_target_repeats;
4231 }
4232
4233 // In the second case, we need to move indices forward and check that we haven't run up against the end
4234 ++m_repeat_index;
4235 if (m_repeat_index == m_returned.size()) {
4236 m_repeat_index = 0;
4237 ++m_current_repeat;
4238 }
4239 return m_current_repeat < m_target_repeats;
4240 }
4241 };
4242
4243 template <typename T>
4244 GeneratorWrapper<T> repeat(size_t repeats, GeneratorWrapper<T>&& generator) {
4245 return GeneratorWrapper<T>(pf::make_unique<RepeatGenerator<T>>(repeats, std::move(generator)));
4246 }
4247
4248 template <typename T, typename U, typename Func>
4249 class MapGenerator : public IGenerator<T> {
4250 // TBD: provide static assert for mapping function, for friendly error message
4251 GeneratorWrapper<U> m_generator;
4252 Func m_function;
4253 // To avoid returning dangling reference, we have to save the values
4254 T m_cache;
4255 public:
4256 template <typename F2 = Func>
4257 MapGenerator(F2&& function, GeneratorWrapper<U>&& generator) :
4258 m_generator(std::move(generator)),
4259 m_function(std::forward<F2>(function)),
4260 m_cache(m_function(m_generator.get()))
4261 {}
4262
4263 T const& get() const override {
4264 return m_cache;
4265 }
4266 bool next() override {
4267 const auto success = m_generator.next();
4268 if (success) {
4269 m_cache = m_function(m_generator.get());
4270 }
4271 return success;
4272 }
4273 };
4274
4275 template <typename Func, typename U, typename T = FunctionReturnType<Func, U>>
4276 GeneratorWrapper<T> map(Func&& function, GeneratorWrapper<U>&& generator) {
4277 return GeneratorWrapper<T>(
4278 pf::make_unique<MapGenerator<T, U, Func>>(std::forward<Func>(function), std::move(generator))
4279 );
4280 }
4281
4282 template <typename T, typename U, typename Func>
4283 GeneratorWrapper<T> map(Func&& function, GeneratorWrapper<U>&& generator) {
4284 return GeneratorWrapper<T>(
4285 pf::make_unique<MapGenerator<T, U, Func>>(std::forward<Func>(function), std::move(generator))
4286 );
4287 }
4288
4289 template <typename T>
4290 class ChunkGenerator final : public IGenerator<std::vector<T>> {
4291 std::vector<T> m_chunk;
4292 size_t m_chunk_size;
4293 GeneratorWrapper<T> m_generator;
4294 bool m_used_up = false;
4295 public:
4296 ChunkGenerator(size_t size, GeneratorWrapper<T> generator) :
4297 m_chunk_size(size), m_generator(std::move(generator))
4298 {
4299 m_chunk.reserve(m_chunk_size);
4300 if (m_chunk_size != 0) {
4301 m_chunk.push_back(m_generator.get());
4302 for (size_t i = 1; i < m_chunk_size; ++i) {
4303 if (!m_generator.next()) {
4304 Catch::throw_exception(GeneratorException("Not enough values to initialize the first chunk"));
4305 }
4306 m_chunk.push_back(m_generator.get());
4307 }
4308 }
4309 }
4310 std::vector<T> const& get() const override {
4311 return m_chunk;
4312 }
4313 bool next() override {
4314 m_chunk.clear();
4315 for (size_t idx = 0; idx < m_chunk_size; ++idx) {
4316 if (!m_generator.next()) {
4317 return false;
4318 }
4319 m_chunk.push_back(m_generator.get());
4320 }
4321 return true;
4322 }
4323 };
4324
4325 template <typename T>
4326 GeneratorWrapper<std::vector<T>> chunk(size_t size, GeneratorWrapper<T>&& generator) {
4328 pf::make_unique<ChunkGenerator<T>>(size, std::move(generator))
4329 );
4330 }
4331
4332} // namespace Generators
4333} // namespace Catch
4334
4335// end catch_generators_generic.hpp
4336// start catch_generators_specific.hpp
4337
4338// start catch_context.h
4339
4340#include <memory>
4341
4342namespace Catch {
4343
4344 struct IResultCapture;
4345 struct IRunner;
4346 struct IConfig;
4347 struct IMutableContext;
4348
4349 using IConfigPtr = std::shared_ptr<IConfig const>;
4350
4352 {
4353 virtual ~IContext();
4354
4355 virtual IResultCapture* getResultCapture() = 0;
4356 virtual IRunner* getRunner() = 0;
4357 virtual IConfigPtr const& getConfig() const = 0;
4358 };
4359
4361 {
4362 virtual ~IMutableContext();
4363 virtual void setResultCapture( IResultCapture* resultCapture ) = 0;
4364 virtual void setRunner( IRunner* runner ) = 0;
4365 virtual void setConfig( IConfigPtr const& config ) = 0;
4366
4367 private:
4368 static IMutableContext *currentContext;
4369 friend IMutableContext& getCurrentMutableContext();
4370 friend void cleanUpContext();
4371 static void createContext();
4372 };
4373
4374 inline IMutableContext& getCurrentMutableContext()
4375 {
4376 if( !IMutableContext::currentContext )
4377 IMutableContext::createContext();
4378 // NOLINTNEXTLINE(clang-analyzer-core.uninitialized.UndefReturn)
4379 return *IMutableContext::currentContext;
4380 }
4381
4382 inline IContext& getCurrentContext()
4383 {
4384 return getCurrentMutableContext();
4385 }
4386
4387 void cleanUpContext();
4388
4389 class SimplePcg32;
4390 SimplePcg32& rng();
4391}
4392
4393// end catch_context.h
4394// start catch_interfaces_config.h
4395
4396// start catch_option.hpp
4397
4398namespace Catch {
4399
4400 // An optional type
4401 template<typename T>
4402 class Option {
4403 public:
4404 Option() : nullableValue( nullptr ) {}
4405 Option( T const& _value )
4406 : nullableValue( new( storage ) T( _value ) )
4407 {}
4408 Option( Option const& _other )
4409 : nullableValue( _other ? new( storage ) T( *_other ) : nullptr )
4410 {}
4411
4412 ~Option() {
4413 reset();
4414 }
4415
4416 Option& operator= ( Option const& _other ) {
4417 if( &_other != this ) {
4418 reset();
4419 if( _other )
4420 nullableValue = new( storage ) T( *_other );
4421 }
4422 return *this;
4423 }
4424 Option& operator = ( T const& _value ) {
4425 reset();
4426 nullableValue = new( storage ) T( _value );
4427 return *this;
4428 }
4429
4430 void reset() {
4431 if( nullableValue )
4432 nullableValue->~T();
4433 nullableValue = nullptr;
4434 }
4435
4436 T& operator*() { return *nullableValue; }
4437 T const& operator*() const { return *nullableValue; }
4438 T* operator->() { return nullableValue; }
4439 const T* operator->() const { return nullableValue; }
4440
4441 T valueOr( T const& defaultValue ) const {
4442 return nullableValue ? *nullableValue : defaultValue;
4443 }
4444
4445 bool some() const { return nullableValue != nullptr; }
4446 bool none() const { return nullableValue == nullptr; }
4447
4448 bool operator !() const { return nullableValue == nullptr; }
4449 explicit operator bool() const {
4450 return some();
4451 }
4452
4453 private:
4454 T *nullableValue;
4455 alignas(alignof(T)) char storage[sizeof(T)];
4456 };
4457
4458} // end namespace Catch
4459
4460// end catch_option.hpp
4461#include <chrono>
4462#include <iosfwd>
4463#include <string>
4464#include <vector>
4465#include <memory>
4466
4467namespace Catch {
4468
4469 enum class Verbosity {
4470 Quiet = 0,
4471 Normal,
4472 High
4473 };
4474
4475 struct WarnAbout { enum What {
4476 Nothing = 0x00,
4477 NoAssertions = 0x01,
4478 NoTests = 0x02
4479 }; };
4480
4481 struct ShowDurations { enum OrNot {
4482 DefaultForReporter,
4483 Always,
4484 Never
4485 }; };
4486 struct RunTests { enum InWhatOrder {
4487 InDeclarationOrder,
4488 InLexicographicalOrder,
4489 InRandomOrder
4490 }; };
4491 struct UseColour { enum YesOrNo {
4492 Auto,
4493 Yes,
4494 No
4495 }; };
4496 struct WaitForKeypress { enum When {
4497 Never,
4498 BeforeStart = 1,
4499 BeforeExit = 2,
4500 BeforeStartAndExit = BeforeStart | BeforeExit
4501 }; };
4502
4503 class TestSpec;
4504
4506
4507 virtual ~IConfig();
4508
4509 virtual bool allowThrows() const = 0;
4510 virtual std::ostream& stream() const = 0;
4511 virtual std::string name() const = 0;
4512 virtual bool includeSuccessfulResults() const = 0;
4513 virtual bool shouldDebugBreak() const = 0;
4514 virtual bool warnAboutMissingAssertions() const = 0;
4515 virtual bool warnAboutNoTests() const = 0;
4516 virtual int abortAfter() const = 0;
4517 virtual bool showInvisibles() const = 0;
4518 virtual ShowDurations::OrNot showDurations() const = 0;
4519 virtual TestSpec const& testSpec() const = 0;
4520 virtual bool hasTestFilters() const = 0;
4521 virtual std::vector<std::string> const& getTestsOrTags() const = 0;
4522 virtual RunTests::InWhatOrder runOrder() const = 0;
4523 virtual unsigned int rngSeed() const = 0;
4524 virtual UseColour::YesOrNo useColour() const = 0;
4525 virtual std::vector<std::string> const& getSectionsToRun() const = 0;
4526 virtual Verbosity verbosity() const = 0;
4527
4528 virtual bool benchmarkNoAnalysis() const = 0;
4529 virtual int benchmarkSamples() const = 0;
4530 virtual double benchmarkConfidenceInterval() const = 0;
4531 virtual unsigned int benchmarkResamples() const = 0;
4532 virtual std::chrono::milliseconds benchmarkWarmupTime() const = 0;
4533 };
4534
4535 using IConfigPtr = std::shared_ptr<IConfig const>;
4536}
4537
4538// end catch_interfaces_config.h
4539// start catch_random_number_generator.h
4540
4541#include <cstdint>
4542
4543namespace Catch {
4544
4545 // This is a simple implementation of C++11 Uniform Random Number
4546 // Generator. It does not provide all operators, because Catch2
4547 // does not use it, but it should behave as expected inside stdlib's
4548 // distributions.
4549 // The implementation is based on the PCG family (http://pcg-random.org)
4551 using state_type = std::uint64_t;
4552 public:
4553 using result_type = std::uint32_t;
4554 static constexpr result_type (min)() {
4555 return 0;
4556 }
4557 static constexpr result_type (max)() {
4558 return static_cast<result_type>(-1);
4559 }
4560
4561 // Provide some default initial state for the default constructor
4562 SimplePcg32():SimplePcg32(0xed743cc4U) {}
4563
4564 explicit SimplePcg32(result_type seed_);
4565
4566 void seed(result_type seed_);
4567 void discard(uint64_t skip);
4568
4569 result_type operator()();
4570
4571 private:
4572 friend bool operator==(SimplePcg32 const& lhs, SimplePcg32 const& rhs);
4573 friend bool operator!=(SimplePcg32 const& lhs, SimplePcg32 const& rhs);
4574
4575 // In theory we also need operator<< and operator>>
4576 // In practice we do not use them, so we will skip them for now
4577
4578 std::uint64_t m_state;
4579 // This part of the state determines which "stream" of the numbers
4580 // is chosen -- we take it as a constant for Catch2, so we only
4581 // need to deal with seeding the main state.
4582 // Picked by reading 8 bytes from `/dev/random` :-)
4583 static const std::uint64_t s_inc = (0x13ed0cc53f939476ULL << 1ULL) | 1ULL;
4584 };
4585
4586} // end namespace Catch
4587
4588// end catch_random_number_generator.h
4589#include <random>
4590
4591namespace Catch {
4592namespace Generators {
4593
4594template <typename Float>
4595class RandomFloatingGenerator final : public IGenerator<Float> {
4596 Catch::SimplePcg32& m_rng;
4597 std::uniform_real_distribution<Float> m_dist;
4598 Float m_current_number;
4599public:
4600
4601 RandomFloatingGenerator(Float a, Float b):
4602 m_rng(rng()),
4603 m_dist(a, b) {
4604 static_cast<void>(next());
4605 }
4606
4607 Float const& get() const override {
4608 return m_current_number;
4609 }
4610 bool next() override {
4611 m_current_number = m_dist(m_rng);
4612 return true;
4613 }
4614};
4615
4616template <typename Integer>
4617class RandomIntegerGenerator final : public IGenerator<Integer> {
4618 Catch::SimplePcg32& m_rng;
4619 std::uniform_int_distribution<Integer> m_dist;
4620 Integer m_current_number;
4621public:
4622
4623 RandomIntegerGenerator(Integer a, Integer b):
4624 m_rng(rng()),
4625 m_dist(a, b) {
4626 static_cast<void>(next());
4627 }
4628
4629 Integer const& get() const override {
4630 return m_current_number;
4631 }
4632 bool next() override {
4633 m_current_number = m_dist(m_rng);
4634 return true;
4635 }
4636};
4637
4638// TODO: Ideally this would be also constrained against the various char types,
4639// but I don't expect users to run into that in practice.
4640template <typename T>
4641typename std::enable_if<std::is_integral<T>::value && !std::is_same<T, bool>::value,
4643random(T a, T b) {
4644 return GeneratorWrapper<T>(
4645 pf::make_unique<RandomIntegerGenerator<T>>(a, b)
4646 );
4647}
4648
4649template <typename T>
4650typename std::enable_if<std::is_floating_point<T>::value,
4651GeneratorWrapper<T>>::type
4652random(T a, T b) {
4653 return GeneratorWrapper<T>(
4654 pf::make_unique<RandomFloatingGenerator<T>>(a, b)
4655 );
4656}
4657
4658template <typename T>
4659class RangeGenerator final : public IGenerator<T> {
4660 T m_current;
4661 T m_end;
4662 T m_step;
4663 bool m_positive;
4664
4665public:
4666 RangeGenerator(T const& start, T const& end, T const& step):
4667 m_current(start),
4668 m_end(end),
4669 m_step(step),
4670 m_positive(m_step > T(0))
4671 {
4672 assert(m_current != m_end && "Range start and end cannot be equal");
4673 assert(m_step != T(0) && "Step size cannot be zero");
4674 assert(((m_positive && m_current <= m_end) || (!m_positive && m_current >= m_end)) && "Step moves away from end");
4675 }
4676
4677 RangeGenerator(T const& start, T const& end):
4678 RangeGenerator(start, end, (start < end) ? T(1) : T(-1))
4679 {}
4680
4681 T const& get() const override {
4682 return m_current;
4683 }
4684
4685 bool next() override {
4686 m_current += m_step;
4687 return (m_positive) ? (m_current < m_end) : (m_current > m_end);
4688 }
4689};
4690
4691template <typename T>
4692GeneratorWrapper<T> range(T const& start, T const& end, T const& step) {
4693 static_assert(std::is_arithmetic<T>::value && !std::is_same<T, bool>::value, "Type must be numeric");
4694 return GeneratorWrapper<T>(pf::make_unique<RangeGenerator<T>>(start, end, step));
4695}
4696
4697template <typename T>
4698GeneratorWrapper<T> range(T const& start, T const& end) {
4699 static_assert(std::is_integral<T>::value && !std::is_same<T, bool>::value, "Type must be an integer");
4700 return GeneratorWrapper<T>(pf::make_unique<RangeGenerator<T>>(start, end));
4701}
4702
4703template <typename T>
4704class IteratorGenerator final : public IGenerator<T> {
4705 static_assert(!std::is_same<T, bool>::value,
4706 "IteratorGenerator currently does not support bools"
4707 "because of std::vector<bool> specialization");
4708
4709 std::vector<T> m_elems;
4710 size_t m_current = 0;
4711public:
4712 template <typename InputIterator, typename InputSentinel>
4713 IteratorGenerator(InputIterator first, InputSentinel last):m_elems(first, last) {
4714 if (m_elems.empty()) {
4715 Catch::throw_exception(GeneratorException("IteratorGenerator received no valid values"));
4716 }
4717 }
4718
4719 T const& get() const override {
4720 return m_elems[m_current];
4721 }
4722
4723 bool next() override {
4724 ++m_current;
4725 return m_current != m_elems.size();
4726 }
4727};
4728
4729template <typename InputIterator,
4730 typename InputSentinel,
4731 typename ResultType = typename std::iterator_traits<InputIterator>::value_type>
4732GeneratorWrapper<ResultType> from_range(InputIterator from, InputSentinel to) {
4733 return GeneratorWrapper<ResultType>(pf::make_unique<IteratorGenerator<ResultType>>(from, to));
4734}
4735
4736template <typename Container,
4737 typename ResultType = typename Container::value_type>
4738GeneratorWrapper<ResultType> from_range(Container const& cnt) {
4739 return GeneratorWrapper<ResultType>(pf::make_unique<IteratorGenerator<ResultType>>(cnt.begin(), cnt.end()));
4740}
4741
4742} // namespace Generators
4743} // namespace Catch
4744
4745// end catch_generators_specific.hpp
4746
4747// These files are included here so the single_include script doesn't put them
4748// in the conditionally compiled sections
4749// start catch_test_case_info.h
4750
4751#include <string>
4752#include <vector>
4753#include <memory>
4754
4755#ifdef __clang__
4756#pragma clang diagnostic push
4757#pragma clang diagnostic ignored "-Wpadded"
4758#endif
4759
4760namespace Catch {
4761
4762 struct ITestInvoker;
4763
4765 enum SpecialProperties{
4766 None = 0,
4767 IsHidden = 1 << 1,
4768 ShouldFail = 1 << 2,
4769 MayFail = 1 << 3,
4770 Throws = 1 << 4,
4771 NonPortable = 1 << 5,
4772 Benchmark = 1 << 6
4773 };
4774
4775 TestCaseInfo( std::string const& _name,
4776 std::string const& _className,
4777 std::string const& _description,
4778 std::vector<std::string> const& _tags,
4779 SourceLineInfo const& _lineInfo );
4780
4781 friend void setTags( TestCaseInfo& testCaseInfo, std::vector<std::string> tags );
4782
4783 bool isHidden() const;
4784 bool throws() const;
4785 bool okToFail() const;
4786 bool expectedToFail() const;
4787
4788 std::string tagsAsString() const;
4789
4790 std::string name;
4791 std::string className;
4792 std::string description;
4793 std::vector<std::string> tags;
4794 std::vector<std::string> lcaseTags;
4795 SourceLineInfo lineInfo;
4796 SpecialProperties properties;
4797 };
4798
4799 class TestCase : public TestCaseInfo {
4800 public:
4801
4802 TestCase( ITestInvoker* testCase, TestCaseInfo&& info );
4803
4804 TestCase withName( std::string const& _newName ) const;
4805
4806 void invoke() const;
4807
4808 TestCaseInfo const& getTestCaseInfo() const;
4809
4810 bool operator == ( TestCase const& other ) const;
4811 bool operator < ( TestCase const& other ) const;
4812
4813 private:
4814 std::shared_ptr<ITestInvoker> test;
4815 };
4816
4817 TestCase makeTestCase( ITestInvoker* testCase,
4818 std::string const& className,
4819 NameAndTags const& nameAndTags,
4820 SourceLineInfo const& lineInfo );
4821}
4822
4823#ifdef __clang__
4824#pragma clang diagnostic pop
4825#endif
4826
4827// end catch_test_case_info.h
4828// start catch_interfaces_runner.h
4829
4830namespace Catch {
4831
4832 struct IRunner {
4833 virtual ~IRunner();
4834 virtual bool aborting() const = 0;
4835 };
4836}
4837
4838// end catch_interfaces_runner.h
4839
4840#ifdef __OBJC__
4841// start catch_objc.hpp
4842
4843#import <objc/runtime.h>
4844
4845#include <string>
4846
4847// NB. Any general catch headers included here must be included
4848// in catch.hpp first to make sure they are included by the single
4849// header for non obj-usage
4850
4852// This protocol is really only here for (self) documenting purposes, since
4853// all its methods are optional.
4854@protocol OcFixture
4855
4856@optional
4857
4858-(void) setUp;
4859-(void) tearDown;
4860
4861@end
4862
4863namespace Catch {
4864
4865 class OcMethod : public ITestInvoker {
4866
4867 public:
4868 OcMethod( Class cls, SEL sel ) : m_cls( cls ), m_sel( sel ) {}
4869
4870 virtual void invoke() const {
4871 id obj = [[m_cls alloc] init];
4872
4873 performOptionalSelector( obj, @selector(setUp) );
4874 performOptionalSelector( obj, m_sel );
4875 performOptionalSelector( obj, @selector(tearDown) );
4876
4877 arcSafeRelease( obj );
4878 }
4879 private:
4880 virtual ~OcMethod() {}
4881
4882 Class m_cls;
4883 SEL m_sel;
4884 };
4885
4886 namespace Detail{
4887
4888 inline std::string getAnnotation( Class cls,
4889 std::string const& annotationName,
4890 std::string const& testCaseName ) {
4891 NSString* selStr = [[NSString alloc] initWithFormat:@"Catch_%s_%s", annotationName.c_str(), testCaseName.c_str()];
4892 SEL sel = NSSelectorFromString( selStr );
4893 arcSafeRelease( selStr );
4894 id value = performOptionalSelector( cls, sel );
4895 if( value )
4896 return [(NSString*)value UTF8String];
4897 return "";
4898 }
4899 }
4900
4901 inline std::size_t registerTestMethods() {
4902 std::size_t noTestMethods = 0;
4903 int noClasses = objc_getClassList( nullptr, 0 );
4904
4905 Class* classes = (CATCH_UNSAFE_UNRETAINED Class *)malloc( sizeof(Class) * noClasses);
4906 objc_getClassList( classes, noClasses );
4907
4908 for( int c = 0; c < noClasses; c++ ) {
4909 Class cls = classes[c];
4910 {
4911 u_int count;
4912 Method* methods = class_copyMethodList( cls, &count );
4913 for( u_int m = 0; m < count ; m++ ) {
4914 SEL selector = method_getName(methods[m]);
4915 std::string methodName = sel_getName(selector);
4916 if( startsWith( methodName, "Catch_TestCase_" ) ) {
4917 std::string testCaseName = methodName.substr( 15 );
4918 std::string name = Detail::getAnnotation( cls, "Name", testCaseName );
4919 std::string desc = Detail::getAnnotation( cls, "Description", testCaseName );
4920 const char* className = class_getName( cls );
4921
4922 getMutableRegistryHub().registerTest( makeTestCase( new OcMethod( cls, selector ), className, NameAndTags( name.c_str(), desc.c_str() ), SourceLineInfo("",0) ) );
4923 noTestMethods++;
4924 }
4925 }
4926 free(methods);
4927 }
4928 }
4929 return noTestMethods;
4930 }
4931
4932#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
4933
4934 namespace Matchers {
4935 namespace Impl {
4936 namespace NSStringMatchers {
4937
4938 struct StringHolder : MatcherBase<NSString*>{
4939 StringHolder( NSString* substr ) : m_substr( [substr copy] ){}
4940 StringHolder( StringHolder const& other ) : m_substr( [other.m_substr copy] ){}
4941 StringHolder() {
4942 arcSafeRelease( m_substr );
4943 }
4944
4945 bool match( NSString* str ) const override {
4946 return false;
4947 }
4948
4949 NSString* CATCH_ARC_STRONG m_substr;
4950 };
4951
4952 struct Equals : StringHolder {
4953 Equals( NSString* substr ) : StringHolder( substr ){}
4954
4955 bool match( NSString* str ) const override {
4956 return (str != nil || m_substr == nil ) &&
4957 [str isEqualToString:m_substr];
4958 }
4959
4960 std::string describe() const override {
4961 return "equals string: " + Catch::Detail::stringify( m_substr );
4962 }
4963 };
4964
4965 struct Contains : StringHolder {
4966 Contains( NSString* substr ) : StringHolder( substr ){}
4967
4968 bool match( NSString* str ) const override {
4969 return (str != nil || m_substr == nil ) &&
4970 [str rangeOfString:m_substr].location != NSNotFound;
4971 }
4972
4973 std::string describe() const override {
4974 return "contains string: " + Catch::Detail::stringify( m_substr );
4975 }
4976 };
4977
4978 struct StartsWith : StringHolder {
4979 StartsWith( NSString* substr ) : StringHolder( substr ){}
4980
4981 bool match( NSString* str ) const override {
4982 return (str != nil || m_substr == nil ) &&
4983 [str rangeOfString:m_substr].location == 0;
4984 }
4985
4986 std::string describe() const override {
4987 return "starts with: " + Catch::Detail::stringify( m_substr );
4988 }
4989 };
4990 struct EndsWith : StringHolder {
4991 EndsWith( NSString* substr ) : StringHolder( substr ){}
4992
4993 bool match( NSString* str ) const override {
4994 return (str != nil || m_substr == nil ) &&
4995 [str rangeOfString:m_substr].location == [str length] - [m_substr length];
4996 }
4997
4998 std::string describe() const override {
4999 return "ends with: " + Catch::Detail::stringify( m_substr );
5000 }
5001 };
5002
5003 } // namespace NSStringMatchers
5004 } // namespace Impl
5005
5006 inline Impl::NSStringMatchers::Equals
5007 Equals( NSString* substr ){ return Impl::NSStringMatchers::Equals( substr ); }
5008
5009 inline Impl::NSStringMatchers::Contains
5010 Contains( NSString* substr ){ return Impl::NSStringMatchers::Contains( substr ); }
5011
5012 inline Impl::NSStringMatchers::StartsWith
5013 StartsWith( NSString* substr ){ return Impl::NSStringMatchers::StartsWith( substr ); }
5014
5015 inline Impl::NSStringMatchers::EndsWith
5016 EndsWith( NSString* substr ){ return Impl::NSStringMatchers::EndsWith( substr ); }
5017
5018 } // namespace Matchers
5019
5020 using namespace Matchers;
5021
5022#endif // CATCH_CONFIG_DISABLE_MATCHERS
5023
5024} // namespace Catch
5025
5027#define OC_MAKE_UNIQUE_NAME( root, uniqueSuffix ) root##uniqueSuffix
5028#define OC_TEST_CASE2( name, desc, uniqueSuffix ) \
5029+(NSString*) OC_MAKE_UNIQUE_NAME( Catch_Name_test_, uniqueSuffix ) \
5030{ \
5031return @ name; \
5032} \
5033+(NSString*) OC_MAKE_UNIQUE_NAME( Catch_Description_test_, uniqueSuffix ) \
5034{ \
5035return @ desc; \
5036} \
5037-(void) OC_MAKE_UNIQUE_NAME( Catch_TestCase_test_, uniqueSuffix )
5038
5039#define OC_TEST_CASE( name, desc ) OC_TEST_CASE2( name, desc, __LINE__ )
5040
5041// end catch_objc.hpp
5042#endif
5043
5044// Benchmarking needs the externally-facing parts of reporters to work
5045#if defined(CATCH_CONFIG_EXTERNAL_INTERFACES) || defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
5046// start catch_external_interfaces.h
5047
5048// start catch_reporter_bases.hpp
5049
5050// start catch_interfaces_reporter.h
5051
5052// start catch_config.hpp
5053
5054// start catch_test_spec_parser.h
5055
5056#ifdef __clang__
5057#pragma clang diagnostic push
5058#pragma clang diagnostic ignored "-Wpadded"
5059#endif
5060
5061// start catch_test_spec.h
5062
5063#ifdef __clang__
5064#pragma clang diagnostic push
5065#pragma clang diagnostic ignored "-Wpadded"
5066#endif
5067
5068// start catch_wildcard_pattern.h
5069
5070namespace Catch
5071{
5072 class WildcardPattern {
5073 enum WildcardPosition {
5074 NoWildcard = 0,
5075 WildcardAtStart = 1,
5076 WildcardAtEnd = 2,
5077 WildcardAtBothEnds = WildcardAtStart | WildcardAtEnd
5078 };
5079
5080 public:
5081
5082 WildcardPattern( std::string const& pattern, CaseSensitive::Choice caseSensitivity );
5083 virtual ~WildcardPattern() = default;
5084 virtual bool matches( std::string const& str ) const;
5085
5086 private:
5087 std::string normaliseString( std::string const& str ) const;
5088 CaseSensitive::Choice m_caseSensitivity;
5089 WildcardPosition m_wildcard = NoWildcard;
5090 std::string m_pattern;
5091 };
5092}
5093
5094// end catch_wildcard_pattern.h
5095#include <string>
5096#include <vector>
5097#include <memory>
5098
5099namespace Catch {
5100
5101 struct IConfig;
5102
5103 class TestSpec {
5104 class Pattern {
5105 public:
5106 explicit Pattern( std::string const& name );
5107 virtual ~Pattern();
5108 virtual bool matches( TestCaseInfo const& testCase ) const = 0;
5109 std::string const& name() const;
5110 private:
5111 std::string const m_name;
5112 };
5113 using PatternPtr = std::shared_ptr<Pattern>;
5114
5115 class NamePattern : public Pattern {
5116 public:
5117 explicit NamePattern( std::string const& name, std::string const& filterString );
5118 bool matches( TestCaseInfo const& testCase ) const override;
5119 private:
5120 WildcardPattern m_wildcardPattern;
5121 };
5122
5123 class TagPattern : public Pattern {
5124 public:
5125 explicit TagPattern( std::string const& tag, std::string const& filterString );
5126 bool matches( TestCaseInfo const& testCase ) const override;
5127 private:
5128 std::string m_tag;
5129 };
5130
5131 class ExcludedPattern : public Pattern {
5132 public:
5133 explicit ExcludedPattern( PatternPtr const& underlyingPattern );
5134 bool matches( TestCaseInfo const& testCase ) const override;
5135 private:
5136 PatternPtr m_underlyingPattern;
5137 };
5138
5139 struct Filter {
5140 std::vector<PatternPtr> m_patterns;
5141
5142 bool matches( TestCaseInfo const& testCase ) const;
5143 std::string name() const;
5144 };
5145
5146 public:
5147 struct FilterMatch {
5148 std::string name;
5149 std::vector<TestCase const*> tests;
5150 };
5151 using Matches = std::vector<FilterMatch>;
5152 using vectorStrings = std::vector<std::string>;
5153
5154 bool hasFilters() const;
5155 bool matches( TestCaseInfo const& testCase ) const;
5156 Matches matchesByFilter( std::vector<TestCase> const& testCases, IConfig const& config ) const;
5157 const vectorStrings & getInvalidArgs() const;
5158
5159 private:
5160 std::vector<Filter> m_filters;
5161 std::vector<std::string> m_invalidArgs;
5162 friend class TestSpecParser;
5163 };
5164}
5165
5166#ifdef __clang__
5167#pragma clang diagnostic pop
5168#endif
5169
5170// end catch_test_spec.h
5171// start catch_interfaces_tag_alias_registry.h
5172
5173#include <string>
5174
5175namespace Catch {
5176
5177 struct TagAlias;
5178
5179 struct ITagAliasRegistry {
5180 virtual ~ITagAliasRegistry();
5181 // Nullptr if not present
5182 virtual TagAlias const* find( std::string const& alias ) const = 0;
5183 virtual std::string expandAliases( std::string const& unexpandedTestSpec ) const = 0;
5184
5185 static ITagAliasRegistry const& get();
5186 };
5187
5188} // end namespace Catch
5189
5190// end catch_interfaces_tag_alias_registry.h
5191namespace Catch {
5192
5193 class TestSpecParser {
5194 enum Mode{ None, Name, QuotedName, Tag, EscapedName };
5195 Mode m_mode = None;
5196 Mode lastMode = None;
5197 bool m_exclusion = false;
5198 std::size_t m_pos = 0;
5199 std::size_t m_realPatternPos = 0;
5200 std::string m_arg;
5201 std::string m_substring;
5202 std::string m_patternName;
5203 std::vector<std::size_t> m_escapeChars;
5204 TestSpec::Filter m_currentFilter;
5205 TestSpec m_testSpec;
5206 ITagAliasRegistry const* m_tagAliases = nullptr;
5207
5208 public:
5209 TestSpecParser( ITagAliasRegistry const& tagAliases );
5210
5211 TestSpecParser& parse( std::string const& arg );
5212 TestSpec testSpec();
5213
5214 private:
5215 bool visitChar( char c );
5216 void startNewMode( Mode mode );
5217 bool processNoneChar( char c );
5218 void processNameChar( char c );
5219 bool processOtherChar( char c );
5220 void endMode();
5221 void escape();
5222 bool isControlChar( char c ) const;
5223 void saveLastMode();
5224 void revertBackToLastMode();
5225 void addFilter();
5226 bool separate();
5227
5228 // Handles common preprocessing of the pattern for name/tag patterns
5229 std::string preprocessPattern();
5230 // Adds the current pattern as a test name
5231 void addNamePattern();
5232 // Adds the current pattern as a tag
5233 void addTagPattern();
5234
5235 inline void addCharToPattern(char c) {
5236 m_substring += c;
5237 m_patternName += c;
5238 m_realPatternPos++;
5239 }
5240
5241 };
5242 TestSpec parseTestSpec( std::string const& arg );
5243
5244} // namespace Catch
5245
5246#ifdef __clang__
5247#pragma clang diagnostic pop
5248#endif
5249
5250// end catch_test_spec_parser.h
5251// Libstdc++ doesn't like incomplete classes for unique_ptr
5252
5253#include <memory>
5254#include <vector>
5255#include <string>
5256
5257#ifndef CATCH_CONFIG_CONSOLE_WIDTH
5258#define CATCH_CONFIG_CONSOLE_WIDTH 80
5259#endif
5260
5261namespace Catch {
5262
5263 struct IStream;
5264
5265 struct ConfigData {
5266 bool listTests = false;
5267 bool listTags = false;
5268 bool listReporters = false;
5269 bool listTestNamesOnly = false;
5270
5271 bool showSuccessfulTests = false;
5272 bool shouldDebugBreak = false;
5273 bool noThrow = false;
5274 bool showHelp = false;
5275 bool showInvisibles = false;
5276 bool filenamesAsTags = false;
5277 bool libIdentify = false;
5278
5279 int abortAfter = -1;
5280 unsigned int rngSeed = 0;
5281
5282 bool benchmarkNoAnalysis = false;
5283 unsigned int benchmarkSamples = 100;
5284 double benchmarkConfidenceInterval = 0.95;
5285 unsigned int benchmarkResamples = 100000;
5286 std::chrono::milliseconds::rep benchmarkWarmupTime = 100;
5287
5288 Verbosity verbosity = Verbosity::Normal;
5289 WarnAbout::What warnings = WarnAbout::Nothing;
5290 ShowDurations::OrNot showDurations = ShowDurations::DefaultForReporter;
5291 RunTests::InWhatOrder runOrder = RunTests::InDeclarationOrder;
5292 UseColour::YesOrNo useColour = UseColour::Auto;
5293 WaitForKeypress::When waitForKeypress = WaitForKeypress::Never;
5294
5295 std::string outputFilename;
5296 std::string name;
5297 std::string processName;
5298#ifndef CATCH_CONFIG_DEFAULT_REPORTER
5299#define CATCH_CONFIG_DEFAULT_REPORTER "console"
5300#endif
5301 std::string reporterName = CATCH_CONFIG_DEFAULT_REPORTER;
5302#undef CATCH_CONFIG_DEFAULT_REPORTER
5303
5304 std::vector<std::string> testsOrTags;
5305 std::vector<std::string> sectionsToRun;
5306 };
5307
5308 class Config : public IConfig {
5309 public:
5310
5311 Config() = default;
5312 Config( ConfigData const& data );
5313 virtual ~Config() = default;
5314
5315 std::string const& getFilename() const;
5316
5317 bool listTests() const;
5318 bool listTestNamesOnly() const;
5319 bool listTags() const;
5320 bool listReporters() const;
5321
5322 std::string getProcessName() const;
5323 std::string const& getReporterName() const;
5324
5325 std::vector<std::string> const& getTestsOrTags() const override;
5326 std::vector<std::string> const& getSectionsToRun() const override;
5327
5328 TestSpec const& testSpec() const override;
5329 bool hasTestFilters() const override;
5330
5331 bool showHelp() const;
5332
5333 // IConfig interface
5334 bool allowThrows() const override;
5335 std::ostream& stream() const override;
5336 std::string name() const override;
5337 bool includeSuccessfulResults() const override;
5338 bool warnAboutMissingAssertions() const override;
5339 bool warnAboutNoTests() const override;
5340 ShowDurations::OrNot showDurations() const override;
5341 RunTests::InWhatOrder runOrder() const override;
5342 unsigned int rngSeed() const override;
5343 UseColour::YesOrNo useColour() const override;
5344 bool shouldDebugBreak() const override;
5345 int abortAfter() const override;
5346 bool showInvisibles() const override;
5347 Verbosity verbosity() const override;
5348 bool benchmarkNoAnalysis() const override;
5349 int benchmarkSamples() const override;
5350 double benchmarkConfidenceInterval() const override;
5351 unsigned int benchmarkResamples() const override;
5352 std::chrono::milliseconds benchmarkWarmupTime() const override;
5353
5354 private:
5355
5356 IStream const* openStream();
5357 ConfigData m_data;
5358
5359 std::unique_ptr<IStream const> m_stream;
5360 TestSpec m_testSpec;
5361 bool m_hasTestFilters = false;
5362 };
5363
5364} // end namespace Catch
5365
5366// end catch_config.hpp
5367// start catch_assertionresult.h
5368
5369#include <string>
5370
5371namespace Catch {
5372
5373 struct AssertionResultData
5374 {
5375 AssertionResultData() = delete;
5376
5377 AssertionResultData( ResultWas::OfType _resultType, LazyExpression const& _lazyExpression );
5378
5379 std::string message;
5380 mutable std::string reconstructedExpression;
5381 LazyExpression lazyExpression;
5382 ResultWas::OfType resultType;
5383
5384 std::string reconstructExpression() const;
5385 };
5386
5387 class AssertionResult {
5388 public:
5389 AssertionResult() = delete;
5390 AssertionResult( AssertionInfo const& info, AssertionResultData const& data );
5391
5392 bool isOk() const;
5393 bool succeeded() const;
5394 ResultWas::OfType getResultType() const;
5395 bool hasExpression() const;
5396 bool hasMessage() const;
5397 std::string getExpression() const;
5398 std::string getExpressionInMacro() const;
5399 bool hasExpandedExpression() const;
5400 std::string getExpandedExpression() const;
5401 std::string getMessage() const;
5402 SourceLineInfo getSourceInfo() const;
5403 StringRef getTestMacroName() const;
5404
5405 //protected:
5406 AssertionInfo m_info;
5407 AssertionResultData m_resultData;
5408 };
5409
5410} // end namespace Catch
5411
5412// end catch_assertionresult.h
5413#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
5414// start catch_estimate.hpp
5415
5416 // Statistics estimates
5417
5418
5419namespace Catch {
5420 namespace Benchmark {
5421 template <typename Duration>
5422 struct Estimate {
5423 Duration point;
5424 Duration lower_bound;
5425 Duration upper_bound;
5426 double confidence_interval;
5427
5428 template <typename Duration2>
5429 operator Estimate<Duration2>() const {
5430 return { point, lower_bound, upper_bound, confidence_interval };
5431 }
5432 };
5433 } // namespace Benchmark
5434} // namespace Catch
5435
5436// end catch_estimate.hpp
5437// start catch_outlier_classification.hpp
5438
5439// Outlier information
5440
5441namespace Catch {
5442 namespace Benchmark {
5443 struct OutlierClassification {
5444 int samples_seen = 0;
5445 int low_severe = 0; // more than 3 times IQR below Q1
5446 int low_mild = 0; // 1.5 to 3 times IQR below Q1
5447 int high_mild = 0; // 1.5 to 3 times IQR above Q3
5448 int high_severe = 0; // more than 3 times IQR above Q3
5449
5450 int total() const {
5451 return low_severe + low_mild + high_mild + high_severe;
5452 }
5453 };
5454 } // namespace Benchmark
5455} // namespace Catch
5456
5457// end catch_outlier_classification.hpp
5458#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
5459
5460#include <string>
5461#include <iosfwd>
5462#include <map>
5463#include <set>
5464#include <memory>
5465#include <algorithm>
5466
5467namespace Catch {
5468
5469 struct ReporterConfig {
5470 explicit ReporterConfig( IConfigPtr const& _fullConfig );
5471
5472 ReporterConfig( IConfigPtr const& _fullConfig, std::ostream& _stream );
5473
5474 std::ostream& stream() const;
5475 IConfigPtr fullConfig() const;
5476
5477 private:
5478 std::ostream* m_stream;
5479 IConfigPtr m_fullConfig;
5480 };
5481
5482 struct ReporterPreferences {
5483 bool shouldRedirectStdOut = false;
5484 bool shouldReportAllAssertions = false;
5485 };
5486
5487 template<typename T>
5488 struct LazyStat : Option<T> {
5489 LazyStat& operator=( T const& _value ) {
5490 Option<T>::operator=( _value );
5491 used = false;
5492 return *this;
5493 }
5494 void reset() {
5495 Option<T>::reset();
5496 used = false;
5497 }
5498 bool used = false;
5499 };
5500
5501 struct TestRunInfo {
5502 TestRunInfo( std::string const& _name );
5503 std::string name;
5504 };
5505 struct GroupInfo {
5506 GroupInfo( std::string const& _name,
5507 std::size_t _groupIndex,
5508 std::size_t _groupsCount );
5509
5510 std::string name;
5511 std::size_t groupIndex;
5512 std::size_t groupsCounts;
5513 };
5514
5515 struct AssertionStats {
5516 AssertionStats( AssertionResult const& _assertionResult,
5517 std::vector<MessageInfo> const& _infoMessages,
5518 Totals const& _totals );
5519
5520 AssertionStats( AssertionStats const& ) = default;
5521 AssertionStats( AssertionStats && ) = default;
5522 AssertionStats& operator = ( AssertionStats const& ) = delete;
5523 AssertionStats& operator = ( AssertionStats && ) = delete;
5524 virtual ~AssertionStats();
5525
5526 AssertionResult assertionResult;
5527 std::vector<MessageInfo> infoMessages;
5528 Totals totals;
5529 };
5530
5531 struct SectionStats {
5532 SectionStats( SectionInfo const& _sectionInfo,
5533 Counts const& _assertions,
5534 double _durationInSeconds,
5535 bool _missingAssertions );
5536 SectionStats( SectionStats const& ) = default;
5537 SectionStats( SectionStats && ) = default;
5538 SectionStats& operator = ( SectionStats const& ) = default;
5539 SectionStats& operator = ( SectionStats && ) = default;
5540 virtual ~SectionStats();
5541
5542 SectionInfo sectionInfo;
5543 Counts assertions;
5544 double durationInSeconds;
5545 bool missingAssertions;
5546 };
5547
5548 struct TestCaseStats {
5549 TestCaseStats( TestCaseInfo const& _testInfo,
5550 Totals const& _totals,
5551 std::string const& _stdOut,
5552 std::string const& _stdErr,
5553 bool _aborting );
5554
5555 TestCaseStats( TestCaseStats const& ) = default;
5556 TestCaseStats( TestCaseStats && ) = default;
5557 TestCaseStats& operator = ( TestCaseStats const& ) = default;
5558 TestCaseStats& operator = ( TestCaseStats && ) = default;
5559 virtual ~TestCaseStats();
5560
5561 TestCaseInfo testInfo;
5562 Totals totals;
5563 std::string stdOut;
5564 std::string stdErr;
5565 bool aborting;
5566 };
5567
5568 struct TestGroupStats {
5569 TestGroupStats( GroupInfo const& _groupInfo,
5570 Totals const& _totals,
5571 bool _aborting );
5572 TestGroupStats( GroupInfo const& _groupInfo );
5573
5574 TestGroupStats( TestGroupStats const& ) = default;
5575 TestGroupStats( TestGroupStats && ) = default;
5576 TestGroupStats& operator = ( TestGroupStats const& ) = default;
5577 TestGroupStats& operator = ( TestGroupStats && ) = default;
5578 virtual ~TestGroupStats();
5579
5580 GroupInfo groupInfo;
5581 Totals totals;
5582 bool aborting;
5583 };
5584
5585 struct TestRunStats {
5586 TestRunStats( TestRunInfo const& _runInfo,
5587 Totals const& _totals,
5588 bool _aborting );
5589
5590 TestRunStats( TestRunStats const& ) = default;
5591 TestRunStats( TestRunStats && ) = default;
5592 TestRunStats& operator = ( TestRunStats const& ) = default;
5593 TestRunStats& operator = ( TestRunStats && ) = default;
5594 virtual ~TestRunStats();
5595
5596 TestRunInfo runInfo;
5597 Totals totals;
5598 bool aborting;
5599 };
5600
5601#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
5602 struct BenchmarkInfo {
5603 std::string name;
5604 double estimatedDuration;
5605 int iterations;
5606 int samples;
5607 unsigned int resamples;
5608 double clockResolution;
5609 double clockCost;
5610 };
5611
5612 template <class Duration>
5613 struct BenchmarkStats {
5614 BenchmarkInfo info;
5615
5616 std::vector<Duration> samples;
5617 Benchmark::Estimate<Duration> mean;
5618 Benchmark::Estimate<Duration> standardDeviation;
5619 Benchmark::OutlierClassification outliers;
5620 double outlierVariance;
5621
5622 template <typename Duration2>
5623 operator BenchmarkStats<Duration2>() const {
5624 std::vector<Duration2> samples2;
5625 samples2.reserve(samples.size());
5626 std::transform(samples.begin(), samples.end(), std::back_inserter(samples2), [](Duration d) { return Duration2(d); });
5627 return {
5628 info,
5629 std::move(samples2),
5630 mean,
5631 standardDeviation,
5632 outliers,
5633 outlierVariance,
5634 };
5635 }
5636 };
5637#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
5638
5639 struct IStreamingReporter {
5640 virtual ~IStreamingReporter() = default;
5641
5642 // Implementing class must also provide the following static methods:
5643 // static std::string getDescription();
5644 // static std::set<Verbosity> getSupportedVerbosities()
5645
5646 virtual ReporterPreferences getPreferences() const = 0;
5647
5648 virtual void noMatchingTestCases( std::string const& spec ) = 0;
5649
5650 virtual void reportInvalidArguments(std::string const&) {}
5651
5652 virtual void testRunStarting( TestRunInfo const& testRunInfo ) = 0;
5653 virtual void testGroupStarting( GroupInfo const& groupInfo ) = 0;
5654
5655 virtual void testCaseStarting( TestCaseInfo const& testInfo ) = 0;
5656 virtual void sectionStarting( SectionInfo const& sectionInfo ) = 0;
5657
5658#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
5659 virtual void benchmarkPreparing( std::string const& ) {}
5660 virtual void benchmarkStarting( BenchmarkInfo const& ) {}
5661 virtual void benchmarkEnded( BenchmarkStats<> const& ) {}
5662 virtual void benchmarkFailed( std::string const& ) {}
5663#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
5664
5665 virtual void assertionStarting( AssertionInfo const& assertionInfo ) = 0;
5666
5667 // The return value indicates if the messages buffer should be cleared:
5668 virtual bool assertionEnded( AssertionStats const& assertionStats ) = 0;
5669
5670 virtual void sectionEnded( SectionStats const& sectionStats ) = 0;
5671 virtual void testCaseEnded( TestCaseStats const& testCaseStats ) = 0;
5672 virtual void testGroupEnded( TestGroupStats const& testGroupStats ) = 0;
5673 virtual void testRunEnded( TestRunStats const& testRunStats ) = 0;
5674
5675 virtual void skipTest( TestCaseInfo const& testInfo ) = 0;
5676
5677 // Default empty implementation provided
5678 virtual void fatalErrorEncountered( StringRef name );
5679
5680 virtual bool isMulti() const;
5681 };
5682 using IStreamingReporterPtr = std::unique_ptr<IStreamingReporter>;
5683
5684 struct IReporterFactory {
5685 virtual ~IReporterFactory();
5686 virtual IStreamingReporterPtr create( ReporterConfig const& config ) const = 0;
5687 virtual std::string getDescription() const = 0;
5688 };
5689 using IReporterFactoryPtr = std::shared_ptr<IReporterFactory>;
5690
5691 struct IReporterRegistry {
5692 using FactoryMap = std::map<std::string, IReporterFactoryPtr>;
5693 using Listeners = std::vector<IReporterFactoryPtr>;
5694
5695 virtual ~IReporterRegistry();
5696 virtual IStreamingReporterPtr create( std::string const& name, IConfigPtr const& config ) const = 0;
5697 virtual FactoryMap const& getFactories() const = 0;
5698 virtual Listeners const& getListeners() const = 0;
5699 };
5700
5701} // end namespace Catch
5702
5703// end catch_interfaces_reporter.h
5704#include <algorithm>
5705#include <cstring>
5706#include <cfloat>
5707#include <cstdio>
5708#include <cassert>
5709#include <memory>
5710#include <ostream>
5711
5712namespace Catch {
5713 void prepareExpandedExpression(AssertionResult& result);
5714
5715 // Returns double formatted as %.3f (format expected on output)
5716 std::string getFormattedDuration( double duration );
5717
5718 std::string serializeFilters( std::vector<std::string> const& container );
5719
5720 template<typename DerivedT>
5721 struct StreamingReporterBase : IStreamingReporter {
5722
5723 StreamingReporterBase( ReporterConfig const& _config )
5724 : m_config( _config.fullConfig() ),
5725 stream( _config.stream() )
5726 {
5727 m_reporterPrefs.shouldRedirectStdOut = false;
5728 if( !DerivedT::getSupportedVerbosities().count( m_config->verbosity() ) )
5729 CATCH_ERROR( "Verbosity level not supported by this reporter" );
5730 }
5731
5732 ReporterPreferences getPreferences() const override {
5733 return m_reporterPrefs;
5734 }
5735
5736 static std::set<Verbosity> getSupportedVerbosities() {
5737 return { Verbosity::Normal };
5738 }
5739
5740 ~StreamingReporterBase() override = default;
5741
5742 void noMatchingTestCases(std::string const&) override {}
5743
5744 void reportInvalidArguments(std::string const&) override {}
5745
5746 void testRunStarting(TestRunInfo const& _testRunInfo) override {
5747 currentTestRunInfo = _testRunInfo;
5748 }
5749
5750 void testGroupStarting(GroupInfo const& _groupInfo) override {
5751 currentGroupInfo = _groupInfo;
5752 }
5753
5754 void testCaseStarting(TestCaseInfo const& _testInfo) override {
5755 currentTestCaseInfo = _testInfo;
5756 }
5757 void sectionStarting(SectionInfo const& _sectionInfo) override {
5758 m_sectionStack.push_back(_sectionInfo);
5759 }
5760
5761 void sectionEnded(SectionStats const& /* _sectionStats */) override {
5762 m_sectionStack.pop_back();
5763 }
5764 void testCaseEnded(TestCaseStats const& /* _testCaseStats */) override {
5765 currentTestCaseInfo.reset();
5766 }
5767 void testGroupEnded(TestGroupStats const& /* _testGroupStats */) override {
5768 currentGroupInfo.reset();
5769 }
5770 void testRunEnded(TestRunStats const& /* _testRunStats */) override {
5771 currentTestCaseInfo.reset();
5772 currentGroupInfo.reset();
5773 currentTestRunInfo.reset();
5774 }
5775
5776 void skipTest(TestCaseInfo const&) override {
5777 // Don't do anything with this by default.
5778 // It can optionally be overridden in the derived class.
5779 }
5780
5781 IConfigPtr m_config;
5782 std::ostream& stream;
5783
5784 LazyStat<TestRunInfo> currentTestRunInfo;
5785 LazyStat<GroupInfo> currentGroupInfo;
5786 LazyStat<TestCaseInfo> currentTestCaseInfo;
5787
5788 std::vector<SectionInfo> m_sectionStack;
5789 ReporterPreferences m_reporterPrefs;
5790 };
5791
5792 template<typename DerivedT>
5793 struct CumulativeReporterBase : IStreamingReporter {
5794 template<typename T, typename ChildNodeT>
5795 struct Node {
5796 explicit Node( T const& _value ) : value( _value ) {}
5797 virtual ~Node() {}
5798
5799 using ChildNodes = std::vector<std::shared_ptr<ChildNodeT>>;
5800 T value;
5801 ChildNodes children;
5802 };
5803 struct SectionNode {
5804 explicit SectionNode(SectionStats const& _stats) : stats(_stats) {}
5805 virtual ~SectionNode() = default;
5806
5807 bool operator == (SectionNode const& other) const {
5808 return stats.sectionInfo.lineInfo == other.stats.sectionInfo.lineInfo;
5809 }
5810 bool operator == (std::shared_ptr<SectionNode> const& other) const {
5811 return operator==(*other);
5812 }
5813
5814 SectionStats stats;
5815 using ChildSections = std::vector<std::shared_ptr<SectionNode>>;
5816 using Assertions = std::vector<AssertionStats>;
5817 ChildSections childSections;
5818 Assertions assertions;
5819 std::string stdOut;
5820 std::string stdErr;
5821 };
5822
5823 struct BySectionInfo {
5824 BySectionInfo( SectionInfo const& other ) : m_other( other ) {}
5825 BySectionInfo( BySectionInfo const& other ) : m_other( other.m_other ) {}
5826 bool operator() (std::shared_ptr<SectionNode> const& node) const {
5827 return ((node->stats.sectionInfo.name == m_other.name) &&
5828 (node->stats.sectionInfo.lineInfo == m_other.lineInfo));
5829 }
5830 void operator=(BySectionInfo const&) = delete;
5831
5832 private:
5833 SectionInfo const& m_other;
5834 };
5835
5836 using TestCaseNode = Node<TestCaseStats, SectionNode>;
5837 using TestGroupNode = Node<TestGroupStats, TestCaseNode>;
5838 using TestRunNode = Node<TestRunStats, TestGroupNode>;
5839
5840 CumulativeReporterBase( ReporterConfig const& _config )
5841 : m_config( _config.fullConfig() ),
5842 stream( _config.stream() )
5843 {
5844 m_reporterPrefs.shouldRedirectStdOut = false;
5845 if( !DerivedT::getSupportedVerbosities().count( m_config->verbosity() ) )
5846 CATCH_ERROR( "Verbosity level not supported by this reporter" );
5847 }
5848 ~CumulativeReporterBase() override = default;
5849
5850 ReporterPreferences getPreferences() const override {
5851 return m_reporterPrefs;
5852 }
5853
5854 static std::set<Verbosity> getSupportedVerbosities() {
5855 return { Verbosity::Normal };
5856 }
5857
5858 void testRunStarting( TestRunInfo const& ) override {}
5859 void testGroupStarting( GroupInfo const& ) override {}
5860
5861 void testCaseStarting( TestCaseInfo const& ) override {}
5862
5863 void sectionStarting( SectionInfo const& sectionInfo ) override {
5864 SectionStats incompleteStats( sectionInfo, Counts(), 0, false );
5865 std::shared_ptr<SectionNode> node;
5866 if( m_sectionStack.empty() ) {
5867 if( !m_rootSection )
5868 m_rootSection = std::make_shared<SectionNode>( incompleteStats );
5869 node = m_rootSection;
5870 }
5871 else {
5872 SectionNode& parentNode = *m_sectionStack.back();
5873 auto it =
5874 std::find_if( parentNode.childSections.begin(),
5875 parentNode.childSections.end(),
5876 BySectionInfo( sectionInfo ) );
5877 if( it == parentNode.childSections.end() ) {
5878 node = std::make_shared<SectionNode>( incompleteStats );
5879 parentNode.childSections.push_back( node );
5880 }
5881 else
5882 node = *it;
5883 }
5884 m_sectionStack.push_back( node );
5885 m_deepestSection = std::move(node);
5886 }
5887
5888 void assertionStarting(AssertionInfo const&) override {}
5889
5890 bool assertionEnded(AssertionStats const& assertionStats) override {
5891 assert(!m_sectionStack.empty());
5892 // AssertionResult holds a pointer to a temporary DecomposedExpression,
5893 // which getExpandedExpression() calls to build the expression string.
5894 // Our section stack copy of the assertionResult will likely outlive the
5895 // temporary, so it must be expanded or discarded now to avoid calling
5896 // a destroyed object later.
5897 prepareExpandedExpression(const_cast<AssertionResult&>( assertionStats.assertionResult ) );
5898 SectionNode& sectionNode = *m_sectionStack.back();
5899 sectionNode.assertions.push_back(assertionStats);
5900 return true;
5901 }
5902 void sectionEnded(SectionStats const& sectionStats) override {
5903 assert(!m_sectionStack.empty());
5904 SectionNode& node = *m_sectionStack.back();
5905 node.stats = sectionStats;
5906 m_sectionStack.pop_back();
5907 }
5908 void testCaseEnded(TestCaseStats const& testCaseStats) override {
5909 auto node = std::make_shared<TestCaseNode>(testCaseStats);
5910 assert(m_sectionStack.size() == 0);
5911 node->children.push_back(m_rootSection);
5912 m_testCases.push_back(node);
5913 m_rootSection.reset();
5914
5915 assert(m_deepestSection);
5916 m_deepestSection->stdOut = testCaseStats.stdOut;
5917 m_deepestSection->stdErr = testCaseStats.stdErr;
5918 }
5919 void testGroupEnded(TestGroupStats const& testGroupStats) override {
5920 auto node = std::make_shared<TestGroupNode>(testGroupStats);
5921 node->children.swap(m_testCases);
5922 m_testGroups.push_back(node);
5923 }
5924 void testRunEnded(TestRunStats const& testRunStats) override {
5925 auto node = std::make_shared<TestRunNode>(testRunStats);
5926 node->children.swap(m_testGroups);
5927 m_testRuns.push_back(node);
5928 testRunEndedCumulative();
5929 }
5930 virtual void testRunEndedCumulative() = 0;
5931
5932 void skipTest(TestCaseInfo const&) override {}
5933
5934 IConfigPtr m_config;
5935 std::ostream& stream;
5936 std::vector<AssertionStats> m_assertions;
5937 std::vector<std::vector<std::shared_ptr<SectionNode>>> m_sections;
5938 std::vector<std::shared_ptr<TestCaseNode>> m_testCases;
5939 std::vector<std::shared_ptr<TestGroupNode>> m_testGroups;
5940
5941 std::vector<std::shared_ptr<TestRunNode>> m_testRuns;
5942
5943 std::shared_ptr<SectionNode> m_rootSection;
5944 std::shared_ptr<SectionNode> m_deepestSection;
5945 std::vector<std::shared_ptr<SectionNode>> m_sectionStack;
5946 ReporterPreferences m_reporterPrefs;
5947 };
5948
5949 template<char C>
5950 char const* getLineOfChars() {
5951 static char line[CATCH_CONFIG_CONSOLE_WIDTH] = {0};
5952 if( !*line ) {
5953 std::memset( line, C, CATCH_CONFIG_CONSOLE_WIDTH-1 );
5954 line[CATCH_CONFIG_CONSOLE_WIDTH-1] = 0;
5955 }
5956 return line;
5957 }
5958
5959 struct TestEventListenerBase : StreamingReporterBase<TestEventListenerBase> {
5960 TestEventListenerBase( ReporterConfig const& _config );
5961
5962 static std::set<Verbosity> getSupportedVerbosities();
5963
5964 void assertionStarting(AssertionInfo const&) override;
5965 bool assertionEnded(AssertionStats const&) override;
5966 };
5967
5968} // end namespace Catch
5969
5970// end catch_reporter_bases.hpp
5971// start catch_console_colour.h
5972
5973namespace Catch {
5974
5975 struct Colour {
5976 enum Code {
5977 None = 0,
5978
5979 White,
5980 Red,
5981 Green,
5982 Blue,
5983 Cyan,
5984 Yellow,
5985 Grey,
5986
5987 Bright = 0x10,
5988
5989 BrightRed = Bright | Red,
5990 BrightGreen = Bright | Green,
5991 LightGrey = Bright | Grey,
5992 BrightWhite = Bright | White,
5993 BrightYellow = Bright | Yellow,
5994
5995 // By intention
5996 FileName = LightGrey,
5997 Warning = BrightYellow,
5998 ResultError = BrightRed,
5999 ResultSuccess = BrightGreen,
6000 ResultExpectedFailure = Warning,
6001
6002 Error = BrightRed,
6003 Success = Green,
6004
6005 OriginalExpression = Cyan,
6006 ReconstructedExpression = BrightYellow,
6007
6008 SecondaryText = LightGrey,
6009 Headers = White
6010 };
6011
6012 // Use constructed object for RAII guard
6013 Colour( Code _colourCode );
6014 Colour( Colour&& other ) noexcept;
6015 Colour& operator=( Colour&& other ) noexcept;
6016 ~Colour();
6017
6018 // Use static method for one-shot changes
6019 static void use( Code _colourCode );
6020
6021 private:
6022 bool m_moved = false;
6023 };
6024
6025 std::ostream& operator << ( std::ostream& os, Colour const& );
6026
6027} // end namespace Catch
6028
6029// end catch_console_colour.h
6030// start catch_reporter_registrars.hpp
6031
6032
6033namespace Catch {
6034
6035 template<typename T>
6036 class ReporterRegistrar {
6037
6038 class ReporterFactory : public IReporterFactory {
6039
6040 IStreamingReporterPtr create( ReporterConfig const& config ) const override {
6041 return std::unique_ptr<T>( new T( config ) );
6042 }
6043
6044 std::string getDescription() const override {
6045 return T::getDescription();
6046 }
6047 };
6048
6049 public:
6050
6051 explicit ReporterRegistrar( std::string const& name ) {
6052 getMutableRegistryHub().registerReporter( name, std::make_shared<ReporterFactory>() );
6053 }
6054 };
6055
6056 template<typename T>
6057 class ListenerRegistrar {
6058
6059 class ListenerFactory : public IReporterFactory {
6060
6061 IStreamingReporterPtr create( ReporterConfig const& config ) const override {
6062 return std::unique_ptr<T>( new T( config ) );
6063 }
6064 std::string getDescription() const override {
6065 return std::string();
6066 }
6067 };
6068
6069 public:
6070
6071 ListenerRegistrar() {
6072 getMutableRegistryHub().registerListener( std::make_shared<ListenerFactory>() );
6073 }
6074 };
6075}
6076
6077#if !defined(CATCH_CONFIG_DISABLE)
6078
6079#define CATCH_REGISTER_REPORTER( name, reporterType ) \
6080 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
6081 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
6082 namespace{ Catch::ReporterRegistrar<reporterType> catch_internal_RegistrarFor##reporterType( name ); } \
6083 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION
6084
6085#define CATCH_REGISTER_LISTENER( listenerType ) \
6086 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION \
6087 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS \
6088 namespace{ Catch::ListenerRegistrar<listenerType> catch_internal_RegistrarFor##listenerType; } \
6089 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION
6090#else // CATCH_CONFIG_DISABLE
6091
6092#define CATCH_REGISTER_REPORTER(name, reporterType)
6093#define CATCH_REGISTER_LISTENER(listenerType)
6094
6095#endif // CATCH_CONFIG_DISABLE
6096
6097// end catch_reporter_registrars.hpp
6098// Allow users to base their work off existing reporters
6099// start catch_reporter_compact.h
6100
6101namespace Catch {
6102
6103 struct CompactReporter : StreamingReporterBase<CompactReporter> {
6104
6105 using StreamingReporterBase::StreamingReporterBase;
6106
6107 ~CompactReporter() override;
6108
6109 static std::string getDescription();
6110
6111 ReporterPreferences getPreferences() const override;
6112
6113 void noMatchingTestCases(std::string const& spec) override;
6114
6115 void assertionStarting(AssertionInfo const&) override;
6116
6117 bool assertionEnded(AssertionStats const& _assertionStats) override;
6118
6119 void sectionEnded(SectionStats const& _sectionStats) override;
6120
6121 void testRunEnded(TestRunStats const& _testRunStats) override;
6122
6123 };
6124
6125} // end namespace Catch
6126
6127// end catch_reporter_compact.h
6128// start catch_reporter_console.h
6129
6130#if defined(_MSC_VER)
6131#pragma warning(push)
6132#pragma warning(disable:4061) // Not all labels are EXPLICITLY handled in switch
6133 // Note that 4062 (not all labels are handled
6134 // and default is missing) is enabled
6135#endif
6136
6137namespace Catch {
6138 // Fwd decls
6139 struct SummaryColumn;
6140 class TablePrinter;
6141
6142 struct ConsoleReporter : StreamingReporterBase<ConsoleReporter> {
6143 std::unique_ptr<TablePrinter> m_tablePrinter;
6144
6145 ConsoleReporter(ReporterConfig const& config);
6146 ~ConsoleReporter() override;
6147 static std::string getDescription();
6148
6149 void noMatchingTestCases(std::string const& spec) override;
6150
6151 void reportInvalidArguments(std::string const&arg) override;
6152
6153 void assertionStarting(AssertionInfo const&) override;
6154
6155 bool assertionEnded(AssertionStats const& _assertionStats) override;
6156
6157 void sectionStarting(SectionInfo const& _sectionInfo) override;
6158 void sectionEnded(SectionStats const& _sectionStats) override;
6159
6160#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
6161 void benchmarkPreparing(std::string const& name) override;
6162 void benchmarkStarting(BenchmarkInfo const& info) override;
6163 void benchmarkEnded(BenchmarkStats<> const& stats) override;
6164 void benchmarkFailed(std::string const& error) override;
6165#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
6166
6167 void testCaseEnded(TestCaseStats const& _testCaseStats) override;
6168 void testGroupEnded(TestGroupStats const& _testGroupStats) override;
6169 void testRunEnded(TestRunStats const& _testRunStats) override;
6170 void testRunStarting(TestRunInfo const& _testRunInfo) override;
6171 private:
6172
6173 void lazyPrint();
6174
6175 void lazyPrintWithoutClosingBenchmarkTable();
6176 void lazyPrintRunInfo();
6177 void lazyPrintGroupInfo();
6178 void printTestCaseAndSectionHeader();
6179
6180 void printClosedHeader(std::string const& _name);
6181 void printOpenHeader(std::string const& _name);
6182
6183 // if string has a : in first line will set indent to follow it on
6184 // subsequent lines
6185 void printHeaderString(std::string const& _string, std::size_t indent = 0);
6186
6187 void printTotals(Totals const& totals);
6188 void printSummaryRow(std::string const& label, std::vector<SummaryColumn> const& cols, std::size_t row);
6189
6190 void printTotalsDivider(Totals const& totals);
6191 void printSummaryDivider();
6192 void printTestFilters();
6193
6194 private:
6195 bool m_headerPrinted = false;
6196 };
6197
6198} // end namespace Catch
6199
6200#if defined(_MSC_VER)
6201#pragma warning(pop)
6202#endif
6203
6204// end catch_reporter_console.h
6205// start catch_reporter_junit.h
6206
6207// start catch_xmlwriter.h
6208
6209#include <vector>
6210
6211namespace Catch {
6212 enum class XmlFormatting {
6213 None = 0x00,
6214 Indent = 0x01,
6215 Newline = 0x02,
6216 };
6217
6218 XmlFormatting operator | (XmlFormatting lhs, XmlFormatting rhs);
6219 XmlFormatting operator & (XmlFormatting lhs, XmlFormatting rhs);
6220
6221 class XmlEncode {
6222 public:
6223 enum ForWhat { ForTextNodes, ForAttributes };
6224
6225 XmlEncode( std::string const& str, ForWhat forWhat = ForTextNodes );
6226
6227 void encodeTo( std::ostream& os ) const;
6228
6229 friend std::ostream& operator << ( std::ostream& os, XmlEncode const& xmlEncode );
6230
6231 private:
6232 std::string m_str;
6233 ForWhat m_forWhat;
6234 };
6235
6236 class XmlWriter {
6237 public:
6238
6239 class ScopedElement {
6240 public:
6241 ScopedElement( XmlWriter* writer, XmlFormatting fmt );
6242
6243 ScopedElement( ScopedElement&& other ) noexcept;
6244 ScopedElement& operator=( ScopedElement&& other ) noexcept;
6245
6246 ~ScopedElement();
6247
6248 ScopedElement& writeText( std::string const& text, XmlFormatting fmt = XmlFormatting::Newline | XmlFormatting::Indent );
6249
6250 template<typename T>
6251 ScopedElement& writeAttribute( std::string const& name, T const& attribute ) {
6252 m_writer->writeAttribute( name, attribute );
6253 return *this;
6254 }
6255
6256 private:
6257 mutable XmlWriter* m_writer = nullptr;
6258 XmlFormatting m_fmt;
6259 };
6260
6261 XmlWriter( std::ostream& os = Catch::cout() );
6262 ~XmlWriter();
6263
6264 XmlWriter( XmlWriter const& ) = delete;
6265 XmlWriter& operator=( XmlWriter const& ) = delete;
6266
6267 XmlWriter& startElement( std::string const& name, XmlFormatting fmt = XmlFormatting::Newline | XmlFormatting::Indent);
6268
6269 ScopedElement scopedElement( std::string const& name, XmlFormatting fmt = XmlFormatting::Newline | XmlFormatting::Indent);
6270
6271 XmlWriter& endElement(XmlFormatting fmt = XmlFormatting::Newline | XmlFormatting::Indent);
6272
6273 XmlWriter& writeAttribute( std::string const& name, std::string const& attribute );
6274
6275 XmlWriter& writeAttribute( std::string const& name, bool attribute );
6276
6277 template<typename T>
6278 XmlWriter& writeAttribute( std::string const& name, T const& attribute ) {
6279 ReusableStringStream rss;
6280 rss << attribute;
6281 return writeAttribute( name, rss.str() );
6282 }
6283
6284 XmlWriter& writeText( std::string const& text, XmlFormatting fmt = XmlFormatting::Newline | XmlFormatting::Indent);
6285
6286 XmlWriter& writeComment(std::string const& text, XmlFormatting fmt = XmlFormatting::Newline | XmlFormatting::Indent);
6287
6288 void writeStylesheetRef( std::string const& url );
6289
6290 XmlWriter& writeBlankLine();
6291
6292 void ensureTagClosed();
6293
6294 private:
6295
6296 void applyFormatting(XmlFormatting fmt);
6297
6298 void writeDeclaration();
6299
6300 void newlineIfNecessary();
6301
6302 bool m_tagIsOpen = false;
6303 bool m_needsNewline = false;
6304 std::vector<std::string> m_tags;
6305 std::string m_indent;
6306 std::ostream& m_os;
6307 };
6308
6309}
6310
6311// end catch_xmlwriter.h
6312namespace Catch {
6313
6314 class JunitReporter : public CumulativeReporterBase<JunitReporter> {
6315 public:
6316 JunitReporter(ReporterConfig const& _config);
6317
6318 ~JunitReporter() override;
6319
6320 static std::string getDescription();
6321
6322 void noMatchingTestCases(std::string const& /*spec*/) override;
6323
6324 void testRunStarting(TestRunInfo const& runInfo) override;
6325
6326 void testGroupStarting(GroupInfo const& groupInfo) override;
6327
6328 void testCaseStarting(TestCaseInfo const& testCaseInfo) override;
6329 bool assertionEnded(AssertionStats const& assertionStats) override;
6330
6331 void testCaseEnded(TestCaseStats const& testCaseStats) override;
6332
6333 void testGroupEnded(TestGroupStats const& testGroupStats) override;
6334
6335 void testRunEndedCumulative() override;
6336
6337 void writeGroup(TestGroupNode const& groupNode, double suiteTime);
6338
6339 void writeTestCase(TestCaseNode const& testCaseNode);
6340
6341 void writeSection(std::string const& className,
6342 std::string const& rootName,
6343 SectionNode const& sectionNode);
6344
6345 void writeAssertions(SectionNode const& sectionNode);
6346 void writeAssertion(AssertionStats const& stats);
6347
6348 XmlWriter xml;
6349 Timer suiteTimer;
6350 std::string stdOutForSuite;
6351 std::string stdErrForSuite;
6352 unsigned int unexpectedExceptions = 0;
6353 bool m_okToFail = false;
6354 };
6355
6356} // end namespace Catch
6357
6358// end catch_reporter_junit.h
6359// start catch_reporter_xml.h
6360
6361namespace Catch {
6362 class XmlReporter : public StreamingReporterBase<XmlReporter> {
6363 public:
6364 XmlReporter(ReporterConfig const& _config);
6365
6366 ~XmlReporter() override;
6367
6368 static std::string getDescription();
6369
6370 virtual std::string getStylesheetRef() const;
6371
6372 void writeSourceInfo(SourceLineInfo const& sourceInfo);
6373
6374 public: // StreamingReporterBase
6375
6376 void noMatchingTestCases(std::string const& s) override;
6377
6378 void testRunStarting(TestRunInfo const& testInfo) override;
6379
6380 void testGroupStarting(GroupInfo const& groupInfo) override;
6381
6382 void testCaseStarting(TestCaseInfo const& testInfo) override;
6383
6384 void sectionStarting(SectionInfo const& sectionInfo) override;
6385
6386 void assertionStarting(AssertionInfo const&) override;
6387
6388 bool assertionEnded(AssertionStats const& assertionStats) override;
6389
6390 void sectionEnded(SectionStats const& sectionStats) override;
6391
6392 void testCaseEnded(TestCaseStats const& testCaseStats) override;
6393
6394 void testGroupEnded(TestGroupStats const& testGroupStats) override;
6395
6396 void testRunEnded(TestRunStats const& testRunStats) override;
6397
6398#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
6399 void benchmarkPreparing(std::string const& name) override;
6400 void benchmarkStarting(BenchmarkInfo const&) override;
6401 void benchmarkEnded(BenchmarkStats<> const&) override;
6402 void benchmarkFailed(std::string const&) override;
6403#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
6404
6405 private:
6406 Timer m_testCaseTimer;
6407 XmlWriter m_xml;
6408 int m_sectionDepth = 0;
6409 };
6410
6411} // end namespace Catch
6412
6413// end catch_reporter_xml.h
6414
6415// end catch_external_interfaces.h
6416#endif
6417
6418#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
6419// start catch_benchmarking_all.hpp
6420
6421// A proxy header that includes all of the benchmarking headers to allow
6422// concise include of the benchmarking features. You should prefer the
6423// individual includes in standard use.
6424
6425// start catch_benchmark.hpp
6426
6427 // Benchmark
6428
6429// start catch_chronometer.hpp
6430
6431// User-facing chronometer
6432
6433
6434// start catch_clock.hpp
6435
6436// Clocks
6437
6438
6439#include <chrono>
6440#include <ratio>
6441
6442namespace Catch {
6443 namespace Benchmark {
6444 template <typename Clock>
6445 using ClockDuration = typename Clock::duration;
6446 template <typename Clock>
6447 using FloatDuration = std::chrono::duration<double, typename Clock::period>;
6448
6449 template <typename Clock>
6450 using TimePoint = typename Clock::time_point;
6451
6452 using default_clock = std::chrono::steady_clock;
6453
6454 template <typename Clock>
6455 struct now {
6456 TimePoint<Clock> operator()() const {
6457 return Clock::now();
6458 }
6459 };
6460
6461 using fp_seconds = std::chrono::duration<double, std::ratio<1>>;
6462 } // namespace Benchmark
6463} // namespace Catch
6464
6465// end catch_clock.hpp
6466// start catch_optimizer.hpp
6467
6468 // Hinting the optimizer
6469
6470
6471#if defined(_MSC_VER)
6472# include <atomic> // atomic_thread_fence
6473#endif
6474
6475namespace Catch {
6476 namespace Benchmark {
6477#if defined(__GNUC__) || defined(__clang__)
6478 template <typename T>
6479 inline void keep_memory(T* p) {
6480 asm volatile("" : : "g"(p) : "memory");
6481 }
6482 inline void keep_memory() {
6483 asm volatile("" : : : "memory");
6484 }
6485
6486 namespace Detail {
6487 inline void optimizer_barrier() { keep_memory(); }
6488 } // namespace Detail
6489#elif defined(_MSC_VER)
6490
6491#pragma optimize("", off)
6492 template <typename T>
6493 inline void keep_memory(T* p) {
6494 // thanks @milleniumbug
6495 *reinterpret_cast<char volatile*>(p) = *reinterpret_cast<char const volatile*>(p);
6496 }
6497 // TODO equivalent keep_memory()
6498#pragma optimize("", on)
6499
6500 namespace Detail {
6501 inline void optimizer_barrier() {
6502 std::atomic_thread_fence(std::memory_order_seq_cst);
6503 }
6504 } // namespace Detail
6505
6506#endif
6507
6508 template <typename T>
6509 inline void deoptimize_value(T&& x) {
6510 keep_memory(&x);
6511 }
6512
6513 template <typename Fn, typename... Args>
6514 inline auto invoke_deoptimized(Fn&& fn, Args&&... args) -> typename std::enable_if<!std::is_same<void, decltype(fn(args...))>::value>::type {
6515 deoptimize_value(std::forward<Fn>(fn) (std::forward<Args...>(args...)));
6516 }
6517
6518 template <typename Fn, typename... Args>
6519 inline auto invoke_deoptimized(Fn&& fn, Args&&... args) -> typename std::enable_if<std::is_same<void, decltype(fn(args...))>::value>::type {
6520 std::forward<Fn>(fn) (std::forward<Args...>(args...));
6521 }
6522 } // namespace Benchmark
6523} // namespace Catch
6524
6525// end catch_optimizer.hpp
6526// start catch_complete_invoke.hpp
6527
6528// Invoke with a special case for void
6529
6530
6531#include <type_traits>
6532#include <utility>
6533
6534namespace Catch {
6535 namespace Benchmark {
6536 namespace Detail {
6537 template <typename T>
6538 struct CompleteType { using type = T; };
6539 template <>
6540 struct CompleteType<void> { struct type {}; };
6541
6542 template <typename T>
6543 using CompleteType_t = typename CompleteType<T>::type;
6544
6545 template <typename Result>
6546 struct CompleteInvoker {
6547 template <typename Fun, typename... Args>
6548 static Result invoke(Fun&& fun, Args&&... args) {
6549 return std::forward<Fun>(fun)(std::forward<Args>(args)...);
6550 }
6551 };
6552 template <>
6553 struct CompleteInvoker<void> {
6554 template <typename Fun, typename... Args>
6555 static CompleteType_t<void> invoke(Fun&& fun, Args&&... args) {
6556 std::forward<Fun>(fun)(std::forward<Args>(args)...);
6557 return {};
6558 }
6559 };
6560
6561 // invoke and not return void :(
6562 template <typename Fun, typename... Args>
6563 CompleteType_t<FunctionReturnType<Fun, Args...>> complete_invoke(Fun&& fun, Args&&... args) {
6564 return CompleteInvoker<FunctionReturnType<Fun, Args...>>::invoke(std::forward<Fun>(fun), std::forward<Args>(args)...);
6565 }
6566
6567 const std::string benchmarkErrorMsg = "a benchmark failed to run successfully";
6568 } // namespace Detail
6569
6570 template <typename Fun>
6571 Detail::CompleteType_t<FunctionReturnType<Fun>> user_code(Fun&& fun) {
6572 CATCH_TRY{
6573 return Detail::complete_invoke(std::forward<Fun>(fun));
6574 } CATCH_CATCH_ALL{
6575 getResultCapture().benchmarkFailed(translateActiveException());
6576 CATCH_RUNTIME_ERROR(Detail::benchmarkErrorMsg);
6577 }
6578 }
6579 } // namespace Benchmark
6580} // namespace Catch
6581
6582// end catch_complete_invoke.hpp
6583namespace Catch {
6584 namespace Benchmark {
6585 namespace Detail {
6586 struct ChronometerConcept {
6587 virtual void start() = 0;
6588 virtual void finish() = 0;
6589 virtual ~ChronometerConcept() = default;
6590 };
6591 template <typename Clock>
6592 struct ChronometerModel final : public ChronometerConcept {
6593 void start() override { started = Clock::now(); }
6594 void finish() override { finished = Clock::now(); }
6595
6596 ClockDuration<Clock> elapsed() const { return finished - started; }
6597
6598 TimePoint<Clock> started;
6599 TimePoint<Clock> finished;
6600 };
6601 } // namespace Detail
6602
6603 struct Chronometer {
6604 public:
6605 template <typename Fun>
6606 void measure(Fun&& fun) { measure(std::forward<Fun>(fun), is_callable<Fun(int)>()); }
6607
6608 int runs() const { return k; }
6609
6610 Chronometer(Detail::ChronometerConcept& meter, int k)
6611 : impl(&meter)
6612 , k(k) {}
6613
6614 private:
6615 template <typename Fun>
6616 void measure(Fun&& fun, std::false_type) {
6617 measure([&fun](int) { return fun(); }, std::true_type());
6618 }
6619
6620 template <typename Fun>
6621 void measure(Fun&& fun, std::true_type) {
6622 Detail::optimizer_barrier();
6623 impl->start();
6624 for (int i = 0; i < k; ++i) invoke_deoptimized(fun, i);
6625 impl->finish();
6626 Detail::optimizer_barrier();
6627 }
6628
6629 Detail::ChronometerConcept* impl;
6630 int k;
6631 };
6632 } // namespace Benchmark
6633} // namespace Catch
6634
6635// end catch_chronometer.hpp
6636// start catch_environment.hpp
6637
6638// Environment information
6639
6640
6641namespace Catch {
6642 namespace Benchmark {
6643 template <typename Duration>
6644 struct EnvironmentEstimate {
6645 Duration mean;
6646 OutlierClassification outliers;
6647
6648 template <typename Duration2>
6649 operator EnvironmentEstimate<Duration2>() const {
6650 return { mean, outliers };
6651 }
6652 };
6653 template <typename Clock>
6654 struct Environment {
6655 using clock_type = Clock;
6656 EnvironmentEstimate<FloatDuration<Clock>> clock_resolution;
6657 EnvironmentEstimate<FloatDuration<Clock>> clock_cost;
6658 };
6659 } // namespace Benchmark
6660} // namespace Catch
6661
6662// end catch_environment.hpp
6663// start catch_execution_plan.hpp
6664
6665 // Execution plan
6666
6667
6668// start catch_benchmark_function.hpp
6669
6670 // Dumb std::function implementation for consistent call overhead
6671
6672
6673#include <cassert>
6674#include <type_traits>
6675#include <utility>
6676#include <memory>
6677
6678namespace Catch {
6679 namespace Benchmark {
6680 namespace Detail {
6681 template <typename T>
6682 using Decay = typename std::decay<T>::type;
6683 template <typename T, typename U>
6684 struct is_related
6685 : std::is_same<Decay<T>, Decay<U>> {};
6686
6694 struct BenchmarkFunction {
6695 private:
6696 struct callable {
6697 virtual void call(Chronometer meter) const = 0;
6698 virtual callable* clone() const = 0;
6699 virtual ~callable() = default;
6700 };
6701 template <typename Fun>
6702 struct model : public callable {
6703 model(Fun&& fun) : fun(std::move(fun)) {}
6704 model(Fun const& fun) : fun(fun) {}
6705
6706 model<Fun>* clone() const override { return new model<Fun>(*this); }
6707
6708 void call(Chronometer meter) const override {
6709 call(meter, is_callable<Fun(Chronometer)>());
6710 }
6711 void call(Chronometer meter, std::true_type) const {
6712 fun(meter);
6713 }
6714 void call(Chronometer meter, std::false_type) const {
6715 meter.measure(fun);
6716 }
6717
6718 Fun fun;
6719 };
6720
6721 struct do_nothing { void operator()() const {} };
6722
6723 template <typename T>
6724 BenchmarkFunction(model<T>* c) : f(c) {}
6725
6726 public:
6727 BenchmarkFunction()
6728 : f(new model<do_nothing>{ {} }) {}
6729
6730 template <typename Fun,
6731 typename std::enable_if<!is_related<Fun, BenchmarkFunction>::value, int>::type = 0>
6732 BenchmarkFunction(Fun&& fun)
6733 : f(new model<typename std::decay<Fun>::type>(std::forward<Fun>(fun))) {}
6734
6735 BenchmarkFunction(BenchmarkFunction&& that)
6736 : f(std::move(that.f)) {}
6737
6738 BenchmarkFunction(BenchmarkFunction const& that)
6739 : f(that.f->clone()) {}
6740
6741 BenchmarkFunction& operator=(BenchmarkFunction&& that) {
6742 f = std::move(that.f);
6743 return *this;
6744 }
6745
6746 BenchmarkFunction& operator=(BenchmarkFunction const& that) {
6747 f.reset(that.f->clone());
6748 return *this;
6749 }
6750
6751 void operator()(Chronometer meter) const { f->call(meter); }
6752
6753 private:
6754 std::unique_ptr<callable> f;
6755 };
6756 } // namespace Detail
6757 } // namespace Benchmark
6758} // namespace Catch
6759
6760// end catch_benchmark_function.hpp
6761// start catch_repeat.hpp
6762
6763// repeat algorithm
6764
6765
6766#include <type_traits>
6767#include <utility>
6768
6769namespace Catch {
6770 namespace Benchmark {
6771 namespace Detail {
6772 template <typename Fun>
6773 struct repeater {
6774 void operator()(int k) const {
6775 for (int i = 0; i < k; ++i) {
6776 fun();
6777 }
6778 }
6779 Fun fun;
6780 };
6781 template <typename Fun>
6782 repeater<typename std::decay<Fun>::type> repeat(Fun&& fun) {
6783 return { std::forward<Fun>(fun) };
6784 }
6785 } // namespace Detail
6786 } // namespace Benchmark
6787} // namespace Catch
6788
6789// end catch_repeat.hpp
6790// start catch_run_for_at_least.hpp
6791
6792// Run a function for a minimum amount of time
6793
6794
6795// start catch_measure.hpp
6796
6797// Measure
6798
6799
6800// start catch_timing.hpp
6801
6802// Timing
6803
6804
6805#include <tuple>
6806#include <type_traits>
6807
6808namespace Catch {
6809 namespace Benchmark {
6810 template <typename Duration, typename Result>
6811 struct Timing {
6812 Duration elapsed;
6813 Result result;
6814 int iterations;
6815 };
6816 template <typename Clock, typename Func, typename... Args>
6817 using TimingOf = Timing<ClockDuration<Clock>, Detail::CompleteType_t<FunctionReturnType<Func, Args...>>>;
6818 } // namespace Benchmark
6819} // namespace Catch
6820
6821// end catch_timing.hpp
6822#include <utility>
6823
6824namespace Catch {
6825 namespace Benchmark {
6826 namespace Detail {
6827 template <typename Clock, typename Fun, typename... Args>
6828 TimingOf<Clock, Fun, Args...> measure(Fun&& fun, Args&&... args) {
6829 auto start = Clock::now();
6830 auto&& r = Detail::complete_invoke(fun, std::forward<Args>(args)...);
6831 auto end = Clock::now();
6832 auto delta = end - start;
6833 return { delta, std::forward<decltype(r)>(r), 1 };
6834 }
6835 } // namespace Detail
6836 } // namespace Benchmark
6837} // namespace Catch
6838
6839// end catch_measure.hpp
6840#include <utility>
6841#include <type_traits>
6842
6843namespace Catch {
6844 namespace Benchmark {
6845 namespace Detail {
6846 template <typename Clock, typename Fun>
6847 TimingOf<Clock, Fun, int> measure_one(Fun&& fun, int iters, std::false_type) {
6848 return Detail::measure<Clock>(fun, iters);
6849 }
6850 template <typename Clock, typename Fun>
6851 TimingOf<Clock, Fun, Chronometer> measure_one(Fun&& fun, int iters, std::true_type) {
6852 Detail::ChronometerModel<Clock> meter;
6853 auto&& result = Detail::complete_invoke(fun, Chronometer(meter, iters));
6854
6855 return { meter.elapsed(), std::move(result), iters };
6856 }
6857
6858 template <typename Clock, typename Fun>
6859 using run_for_at_least_argument_t = typename std::conditional<is_callable<Fun(Chronometer)>::value, Chronometer, int>::type;
6860
6861 struct optimized_away_error : std::exception {
6862 const char* what() const noexcept override {
6863 return "could not measure benchmark, maybe it was optimized away";
6864 }
6865 };
6866
6867 template <typename Clock, typename Fun>
6868 TimingOf<Clock, Fun, run_for_at_least_argument_t<Clock, Fun>> run_for_at_least(ClockDuration<Clock> how_long, int seed, Fun&& fun) {
6869 auto iters = seed;
6870 while (iters < (1 << 30)) {
6871 auto&& Timing = measure_one<Clock>(fun, iters, is_callable<Fun(Chronometer)>());
6872
6873 if (Timing.elapsed >= how_long) {
6874 return { Timing.elapsed, std::move(Timing.result), iters };
6875 }
6876 iters *= 2;
6877 }
6878 throw optimized_away_error{};
6879 }
6880 } // namespace Detail
6881 } // namespace Benchmark
6882} // namespace Catch
6883
6884// end catch_run_for_at_least.hpp
6885#include <algorithm>
6886
6887namespace Catch {
6888 namespace Benchmark {
6889 template <typename Duration>
6890 struct ExecutionPlan {
6891 int iterations_per_sample;
6892 Duration estimated_duration;
6893 Detail::BenchmarkFunction benchmark;
6894 Duration warmup_time;
6895 int warmup_iterations;
6896
6897 template <typename Duration2>
6898 operator ExecutionPlan<Duration2>() const {
6899 return { iterations_per_sample, estimated_duration, benchmark, warmup_time, warmup_iterations };
6900 }
6901
6902 template <typename Clock>
6903 std::vector<FloatDuration<Clock>> run(const IConfig &cfg, Environment<FloatDuration<Clock>> env) const {
6904 // warmup a bit
6905 Detail::run_for_at_least<Clock>(std::chrono::duration_cast<ClockDuration<Clock>>(warmup_time), warmup_iterations, Detail::repeat(now<Clock>{}));
6906
6907 std::vector<FloatDuration<Clock>> times;
6908 times.reserve(cfg.benchmarkSamples());
6909 std::generate_n(std::back_inserter(times), cfg.benchmarkSamples(), [this, env] {
6910 Detail::ChronometerModel<Clock> model;
6911 this->benchmark(Chronometer(model, iterations_per_sample));
6912 auto sample_time = model.elapsed() - env.clock_cost.mean;
6913 if (sample_time < FloatDuration<Clock>::zero()) sample_time = FloatDuration<Clock>::zero();
6914 return sample_time / iterations_per_sample;
6915 });
6916 return times;
6917 }
6918 };
6919 } // namespace Benchmark
6920} // namespace Catch
6921
6922// end catch_execution_plan.hpp
6923// start catch_estimate_clock.hpp
6924
6925 // Environment measurement
6926
6927
6928// start catch_stats.hpp
6929
6930// Statistical analysis tools
6931
6932
6933#include <algorithm>
6934#include <functional>
6935#include <vector>
6936#include <iterator>
6937#include <numeric>
6938#include <tuple>
6939#include <cmath>
6940#include <utility>
6941#include <cstddef>
6942#include <random>
6943
6944namespace Catch {
6945 namespace Benchmark {
6946 namespace Detail {
6947 using sample = std::vector<double>;
6948
6949 double weighted_average_quantile(int k, int q, std::vector<double>::iterator first, std::vector<double>::iterator last);
6950
6951 template <typename Iterator>
6952 OutlierClassification classify_outliers(Iterator first, Iterator last) {
6953 std::vector<double> copy(first, last);
6954
6955 auto q1 = weighted_average_quantile(1, 4, copy.begin(), copy.end());
6956 auto q3 = weighted_average_quantile(3, 4, copy.begin(), copy.end());
6957 auto iqr = q3 - q1;
6958 auto los = q1 - (iqr * 3.);
6959 auto lom = q1 - (iqr * 1.5);
6960 auto him = q3 + (iqr * 1.5);
6961 auto his = q3 + (iqr * 3.);
6962
6963 OutlierClassification o;
6964 for (; first != last; ++first) {
6965 auto&& t = *first;
6966 if (t < los) ++o.low_severe;
6967 else if (t < lom) ++o.low_mild;
6968 else if (t > his) ++o.high_severe;
6969 else if (t > him) ++o.high_mild;
6970 ++o.samples_seen;
6971 }
6972 return o;
6973 }
6974
6975 template <typename Iterator>
6976 double mean(Iterator first, Iterator last) {
6977 auto count = last - first;
6978 double sum = std::accumulate(first, last, 0.);
6979 return sum / count;
6980 }
6981
6982 template <typename URng, typename Iterator, typename Estimator>
6983 sample resample(URng& rng, int resamples, Iterator first, Iterator last, Estimator& estimator) {
6984 auto n = last - first;
6985 std::uniform_int_distribution<decltype(n)> dist(0, n - 1);
6986
6987 sample out;
6988 out.reserve(resamples);
6989 std::generate_n(std::back_inserter(out), resamples, [n, first, &estimator, &dist, &rng] {
6990 std::vector<double> resampled;
6991 resampled.reserve(n);
6992 std::generate_n(std::back_inserter(resampled), n, [first, &dist, &rng] { return first[dist(rng)]; });
6993 return estimator(resampled.begin(), resampled.end());
6994 });
6995 std::sort(out.begin(), out.end());
6996 return out;
6997 }
6998
6999 template <typename Estimator, typename Iterator>
7000 sample jackknife(Estimator&& estimator, Iterator first, Iterator last) {
7001 auto n = last - first;
7002 auto second = std::next(first);
7003 sample results;
7004 results.reserve(n);
7005
7006 for (auto it = first; it != last; ++it) {
7007 std::iter_swap(it, first);
7008 results.push_back(estimator(second, last));
7009 }
7010
7011 return results;
7012 }
7013
7014 inline double normal_cdf(double x) {
7015 return std::erfc(-x / std::sqrt(2.0)) / 2.0;
7016 }
7017
7018 double erfc_inv(double x);
7019
7020 double normal_quantile(double p);
7021
7022 template <typename Iterator, typename Estimator>
7023 Estimate<double> bootstrap(double confidence_level, Iterator first, Iterator last, sample const& resample, Estimator&& estimator) {
7024 auto n_samples = last - first;
7025
7026 double point = estimator(first, last);
7027 // Degenerate case with a single sample
7028 if (n_samples == 1) return { point, point, point, confidence_level };
7029
7030 sample jack = jackknife(estimator, first, last);
7031 double jack_mean = mean(jack.begin(), jack.end());
7032 double sum_squares, sum_cubes;
7033 std::tie(sum_squares, sum_cubes) = std::accumulate(jack.begin(), jack.end(), std::make_pair(0., 0.), [jack_mean](std::pair<double, double> sqcb, double x) -> std::pair<double, double> {
7034 auto d = jack_mean - x;
7035 auto d2 = d * d;
7036 auto d3 = d2 * d;
7037 return { sqcb.first + d2, sqcb.second + d3 };
7038 });
7039
7040 double accel = sum_cubes / (6 * std::pow(sum_squares, 1.5));
7041 int n = static_cast<int>(resample.size());
7042 double prob_n = std::count_if(resample.begin(), resample.end(), [point](double x) { return x < point; }) / (double)n;
7043 // degenerate case with uniform samples
7044 if (prob_n == 0) return { point, point, point, confidence_level };
7045
7046 double bias = normal_quantile(prob_n);
7047 double z1 = normal_quantile((1. - confidence_level) / 2.);
7048
7049 auto cumn = [n](double x) -> int {
7050 return std::lround(normal_cdf(x) * n); };
7051 auto a = [bias, accel](double b) { return bias + b / (1. - accel * b); };
7052 double b1 = bias + z1;
7053 double b2 = bias - z1;
7054 double a1 = a(b1);
7055 double a2 = a(b2);
7056 auto lo = std::max(cumn(a1), 0);
7057 auto hi = std::min(cumn(a2), n - 1);
7058
7059 return { point, resample[lo], resample[hi], confidence_level };
7060 }
7061
7062 double outlier_variance(Estimate<double> mean, Estimate<double> stddev, int n);
7063
7064 struct bootstrap_analysis {
7065 Estimate<double> mean;
7066 Estimate<double> standard_deviation;
7067 double outlier_variance;
7068 };
7069
7070 bootstrap_analysis analyse_samples(double confidence_level, int n_resamples, std::vector<double>::iterator first, std::vector<double>::iterator last);
7071 } // namespace Detail
7072 } // namespace Benchmark
7073} // namespace Catch
7074
7075// end catch_stats.hpp
7076#include <algorithm>
7077#include <iterator>
7078#include <tuple>
7079#include <vector>
7080#include <cmath>
7081
7082namespace Catch {
7083 namespace Benchmark {
7084 namespace Detail {
7085 template <typename Clock>
7086 std::vector<double> resolution(int k) {
7087 std::vector<TimePoint<Clock>> times;
7088 times.reserve(k + 1);
7089 std::generate_n(std::back_inserter(times), k + 1, now<Clock>{});
7090
7091 std::vector<double> deltas;
7092 deltas.reserve(k);
7093 std::transform(std::next(times.begin()), times.end(), times.begin(),
7094 std::back_inserter(deltas),
7095 [](TimePoint<Clock> a, TimePoint<Clock> b) { return static_cast<double>((a - b).count()); });
7096
7097 return deltas;
7098 }
7099
7100 const auto warmup_iterations = 10000;
7101 const auto warmup_time = std::chrono::milliseconds(100);
7102 const auto minimum_ticks = 1000;
7103 const auto warmup_seed = 10000;
7104 const auto clock_resolution_estimation_time = std::chrono::milliseconds(500);
7105 const auto clock_cost_estimation_time_limit = std::chrono::seconds(1);
7106 const auto clock_cost_estimation_tick_limit = 100000;
7107 const auto clock_cost_estimation_time = std::chrono::milliseconds(10);
7108 const auto clock_cost_estimation_iterations = 10000;
7109
7110 template <typename Clock>
7111 int warmup() {
7112 return run_for_at_least<Clock>(std::chrono::duration_cast<ClockDuration<Clock>>(warmup_time), warmup_seed, &resolution<Clock>)
7113 .iterations;
7114 }
7115 template <typename Clock>
7116 EnvironmentEstimate<FloatDuration<Clock>> estimate_clock_resolution(int iterations) {
7117 auto r = run_for_at_least<Clock>(std::chrono::duration_cast<ClockDuration<Clock>>(clock_resolution_estimation_time), iterations, &resolution<Clock>)
7118 .result;
7119 return {
7120 FloatDuration<Clock>(mean(r.begin(), r.end())),
7121 classify_outliers(r.begin(), r.end()),
7122 };
7123 }
7124 template <typename Clock>
7125 EnvironmentEstimate<FloatDuration<Clock>> estimate_clock_cost(FloatDuration<Clock> resolution) {
7126 auto time_limit = std::min(resolution * clock_cost_estimation_tick_limit, FloatDuration<Clock>(clock_cost_estimation_time_limit));
7127 auto time_clock = [](int k) {
7128 return Detail::measure<Clock>([k] {
7129 for (int i = 0; i < k; ++i) {
7130 volatile auto ignored = Clock::now();
7131 (void)ignored;
7132 }
7133 }).elapsed;
7134 };
7135 time_clock(1);
7136 int iters = clock_cost_estimation_iterations;
7137 auto&& r = run_for_at_least<Clock>(std::chrono::duration_cast<ClockDuration<Clock>>(clock_cost_estimation_time), iters, time_clock);
7138 std::vector<double> times;
7139 int nsamples = static_cast<int>(std::ceil(time_limit / r.elapsed));
7140 times.reserve(nsamples);
7141 std::generate_n(std::back_inserter(times), nsamples, [time_clock, &r] {
7142 return static_cast<double>((time_clock(r.iterations) / r.iterations).count());
7143 });
7144 return {
7145 FloatDuration<Clock>(mean(times.begin(), times.end())),
7146 classify_outliers(times.begin(), times.end()),
7147 };
7148 }
7149
7150 template <typename Clock>
7151 Environment<FloatDuration<Clock>> measure_environment() {
7152 static Environment<FloatDuration<Clock>>* env = nullptr;
7153 if (env) {
7154 return *env;
7155 }
7156
7157 auto iters = Detail::warmup<Clock>();
7158 auto resolution = Detail::estimate_clock_resolution<Clock>(iters);
7159 auto cost = Detail::estimate_clock_cost<Clock>(resolution.mean);
7160
7161 env = new Environment<FloatDuration<Clock>>{ resolution, cost };
7162 return *env;
7163 }
7164 } // namespace Detail
7165 } // namespace Benchmark
7166} // namespace Catch
7167
7168// end catch_estimate_clock.hpp
7169// start catch_analyse.hpp
7170
7171 // Run and analyse one benchmark
7172
7173
7174// start catch_sample_analysis.hpp
7175
7176// Benchmark results
7177
7178
7179#include <algorithm>
7180#include <vector>
7181#include <string>
7182#include <iterator>
7183
7184namespace Catch {
7185 namespace Benchmark {
7186 template <typename Duration>
7187 struct SampleAnalysis {
7188 std::vector<Duration> samples;
7189 Estimate<Duration> mean;
7190 Estimate<Duration> standard_deviation;
7191 OutlierClassification outliers;
7192 double outlier_variance;
7193
7194 template <typename Duration2>
7195 operator SampleAnalysis<Duration2>() const {
7196 std::vector<Duration2> samples2;
7197 samples2.reserve(samples.size());
7198 std::transform(samples.begin(), samples.end(), std::back_inserter(samples2), [](Duration d) { return Duration2(d); });
7199 return {
7200 std::move(samples2),
7201 mean,
7202 standard_deviation,
7203 outliers,
7204 outlier_variance,
7205 };
7206 }
7207 };
7208 } // namespace Benchmark
7209} // namespace Catch
7210
7211// end catch_sample_analysis.hpp
7212#include <algorithm>
7213#include <iterator>
7214#include <vector>
7215
7216namespace Catch {
7217 namespace Benchmark {
7218 namespace Detail {
7219 template <typename Duration, typename Iterator>
7220 SampleAnalysis<Duration> analyse(const IConfig &cfg, Environment<Duration>, Iterator first, Iterator last) {
7221 if (!cfg.benchmarkNoAnalysis()) {
7222 std::vector<double> samples;
7223 samples.reserve(last - first);
7224 std::transform(first, last, std::back_inserter(samples), [](Duration d) { return d.count(); });
7225
7226 auto analysis = Catch::Benchmark::Detail::analyse_samples(cfg.benchmarkConfidenceInterval(), cfg.benchmarkResamples(), samples.begin(), samples.end());
7227 auto outliers = Catch::Benchmark::Detail::classify_outliers(samples.begin(), samples.end());
7228
7229 auto wrap_estimate = [](Estimate<double> e) {
7230 return Estimate<Duration> {
7231 Duration(e.point),
7232 Duration(e.lower_bound),
7233 Duration(e.upper_bound),
7234 e.confidence_interval,
7235 };
7236 };
7237 std::vector<Duration> samples2;
7238 samples2.reserve(samples.size());
7239 std::transform(samples.begin(), samples.end(), std::back_inserter(samples2), [](double d) { return Duration(d); });
7240 return {
7241 std::move(samples2),
7242 wrap_estimate(analysis.mean),
7243 wrap_estimate(analysis.standard_deviation),
7244 outliers,
7245 analysis.outlier_variance,
7246 };
7247 } else {
7248 std::vector<Duration> samples;
7249 samples.reserve(last - first);
7250
7251 Duration mean = Duration(0);
7252 int i = 0;
7253 for (auto it = first; it < last; ++it, ++i) {
7254 samples.push_back(Duration(*it));
7255 mean += Duration(*it);
7256 }
7257 mean /= i;
7258
7259 return {
7260 std::move(samples),
7261 Estimate<Duration>{mean, mean, mean, 0.0},
7262 Estimate<Duration>{Duration(0), Duration(0), Duration(0), 0.0},
7263 OutlierClassification{},
7264 0.0
7265 };
7266 }
7267 }
7268 } // namespace Detail
7269 } // namespace Benchmark
7270} // namespace Catch
7271
7272// end catch_analyse.hpp
7273#include <algorithm>
7274#include <functional>
7275#include <string>
7276#include <vector>
7277#include <cmath>
7278
7279namespace Catch {
7280 namespace Benchmark {
7281 struct Benchmark {
7282 Benchmark(std::string &&name)
7283 : name(std::move(name)) {}
7284
7285 template <class FUN>
7286 Benchmark(std::string &&name, FUN &&func)
7287 : fun(std::move(func)), name(std::move(name)) {}
7288
7289 template <typename Clock>
7290 ExecutionPlan<FloatDuration<Clock>> prepare(const IConfig &cfg, Environment<FloatDuration<Clock>> env) const {
7291 auto min_time = env.clock_resolution.mean * Detail::minimum_ticks;
7292 auto run_time = std::max(min_time, std::chrono::duration_cast<decltype(min_time)>(cfg.benchmarkWarmupTime()));
7293 auto&& test = Detail::run_for_at_least<Clock>(std::chrono::duration_cast<ClockDuration<Clock>>(run_time), 1, fun);
7294 int new_iters = static_cast<int>(std::ceil(min_time * test.iterations / test.elapsed));
7295 return { new_iters, test.elapsed / test.iterations * new_iters * cfg.benchmarkSamples(), fun, std::chrono::duration_cast<FloatDuration<Clock>>(cfg.benchmarkWarmupTime()), Detail::warmup_iterations };
7296 }
7297
7298 template <typename Clock = default_clock>
7299 void run() {
7300 IConfigPtr cfg = getCurrentContext().getConfig();
7301
7302 auto env = Detail::measure_environment<Clock>();
7303
7304 getResultCapture().benchmarkPreparing(name);
7305 CATCH_TRY{
7306 auto plan = user_code([&] {
7307 return prepare<Clock>(*cfg, env);
7308 });
7309
7310 BenchmarkInfo info {
7311 name,
7312 plan.estimated_duration.count(),
7313 plan.iterations_per_sample,
7314 cfg->benchmarkSamples(),
7315 cfg->benchmarkResamples(),
7316 env.clock_resolution.mean.count(),
7317 env.clock_cost.mean.count()
7318 };
7319
7320 getResultCapture().benchmarkStarting(info);
7321
7322 auto samples = user_code([&] {
7323 return plan.template run<Clock>(*cfg, env);
7324 });
7325
7326 auto analysis = Detail::analyse(*cfg, env, samples.begin(), samples.end());
7327 BenchmarkStats<FloatDuration<Clock>> stats{ info, analysis.samples, analysis.mean, analysis.standard_deviation, analysis.outliers, analysis.outlier_variance };
7328 getResultCapture().benchmarkEnded(stats);
7329
7330 } CATCH_CATCH_ALL{
7331 if (translateActiveException() != Detail::benchmarkErrorMsg) // benchmark errors have been reported, otherwise rethrow.
7332 std::rethrow_exception(std::current_exception());
7333 }
7334 }
7335
7336 // sets lambda to be used in fun *and* executes benchmark!
7337 template <typename Fun,
7338 typename std::enable_if<!Detail::is_related<Fun, Benchmark>::value, int>::type = 0>
7339 Benchmark & operator=(Fun func) {
7340 fun = Detail::BenchmarkFunction(func);
7341 run();
7342 return *this;
7343 }
7344
7345 explicit operator bool() {
7346 return true;
7347 }
7348
7349 private:
7350 Detail::BenchmarkFunction fun;
7351 std::string name;
7352 };
7353 }
7354} // namespace Catch
7355
7356#define INTERNAL_CATCH_GET_1_ARG(arg1, arg2, ...) arg1
7357#define INTERNAL_CATCH_GET_2_ARG(arg1, arg2, ...) arg2
7358
7359#define INTERNAL_CATCH_BENCHMARK(BenchmarkName, name, benchmarkIndex)\
7360 if( Catch::Benchmark::Benchmark BenchmarkName{name} ) \
7361 BenchmarkName = [&](int benchmarkIndex)
7362
7363#define INTERNAL_CATCH_BENCHMARK_ADVANCED(BenchmarkName, name)\
7364 if( Catch::Benchmark::Benchmark BenchmarkName{name} ) \
7365 BenchmarkName = [&]
7366
7367// end catch_benchmark.hpp
7368// start catch_constructor.hpp
7369
7370// Constructor and destructor helpers
7371
7372
7373#include <type_traits>
7374
7375namespace Catch {
7376 namespace Benchmark {
7377 namespace Detail {
7378 template <typename T, bool Destruct>
7379 struct ObjectStorage
7380 {
7381 using TStorage = typename std::aligned_storage<sizeof(T), std::alignment_of<T>::value>::type;
7382
7383 ObjectStorage() : data() {}
7384
7385 ObjectStorage(const ObjectStorage& other)
7386 {
7387 new(&data) T(other.stored_object());
7388 }
7389
7390 ObjectStorage(ObjectStorage&& other)
7391 {
7392 new(&data) T(std::move(other.stored_object()));
7393 }
7394
7395 ~ObjectStorage() { destruct_on_exit<T>(); }
7396
7397 template <typename... Args>
7398 void construct(Args&&... args)
7399 {
7400 new (&data) T(std::forward<Args>(args)...);
7401 }
7402
7403 template <bool AllowManualDestruction = !Destruct>
7404 typename std::enable_if<AllowManualDestruction>::type destruct()
7405 {
7406 stored_object().~T();
7407 }
7408
7409 private:
7410 // If this is a constructor benchmark, destruct the underlying object
7411 template <typename U>
7412 void destruct_on_exit(typename std::enable_if<Destruct, U>::type* = 0) { destruct<true>(); }
7413 // Otherwise, don't
7414 template <typename U>
7415 void destruct_on_exit(typename std::enable_if<!Destruct, U>::type* = 0) { }
7416
7417 T& stored_object() {
7418 return *static_cast<T*>(static_cast<void*>(&data));
7419 }
7420
7421 T const& stored_object() const {
7422 return *static_cast<T*>(static_cast<void*>(&data));
7423 }
7424
7425 TStorage data;
7426 };
7427 }
7428
7429 template <typename T>
7430 using storage_for = Detail::ObjectStorage<T, true>;
7431
7432 template <typename T>
7433 using destructable_object = Detail::ObjectStorage<T, false>;
7434 }
7435}
7436
7437// end catch_constructor.hpp
7438// end catch_benchmarking_all.hpp
7439#endif
7440
7441#endif // ! CATCH_CONFIG_IMPL_ONLY
7442
7443#ifdef CATCH_IMPL
7444// start catch_impl.hpp
7445
7446#ifdef __clang__
7447#pragma clang diagnostic push
7448#pragma clang diagnostic ignored "-Wweak-vtables"
7449#endif
7450
7451// Keep these here for external reporters
7452// start catch_test_case_tracker.h
7453
7454#include <string>
7455#include <vector>
7456#include <memory>
7457
7458namespace Catch {
7459namespace TestCaseTracking {
7460
7461 struct NameAndLocation {
7462 std::string name;
7463 SourceLineInfo location;
7464
7465 NameAndLocation( std::string const& _name, SourceLineInfo const& _location );
7466 };
7467
7468 struct ITracker;
7469
7470 using ITrackerPtr = std::shared_ptr<ITracker>;
7471
7472 struct ITracker {
7473 virtual ~ITracker();
7474
7475 // static queries
7476 virtual NameAndLocation const& nameAndLocation() const = 0;
7477
7478 // dynamic queries
7479 virtual bool isComplete() const = 0; // Successfully completed or failed
7480 virtual bool isSuccessfullyCompleted() const = 0;
7481 virtual bool isOpen() const = 0; // Started but not complete
7482 virtual bool hasChildren() const = 0;
7483
7484 virtual ITracker& parent() = 0;
7485
7486 // actions
7487 virtual void close() = 0; // Successfully complete
7488 virtual void fail() = 0;
7489 virtual void markAsNeedingAnotherRun() = 0;
7490
7491 virtual void addChild( ITrackerPtr const& child ) = 0;
7492 virtual ITrackerPtr findChild( NameAndLocation const& nameAndLocation ) = 0;
7493 virtual void openChild() = 0;
7494
7495 // Debug/ checking
7496 virtual bool isSectionTracker() const = 0;
7497 virtual bool isGeneratorTracker() const = 0;
7498 };
7499
7500 class TrackerContext {
7501
7502 enum RunState {
7503 NotStarted,
7504 Executing,
7505 CompletedCycle
7506 };
7507
7508 ITrackerPtr m_rootTracker;
7509 ITracker* m_currentTracker = nullptr;
7510 RunState m_runState = NotStarted;
7511
7512 public:
7513
7514 ITracker& startRun();
7515 void endRun();
7516
7517 void startCycle();
7518 void completeCycle();
7519
7520 bool completedCycle() const;
7521 ITracker& currentTracker();
7522 void setCurrentTracker( ITracker* tracker );
7523 };
7524
7525 class TrackerBase : public ITracker {
7526 protected:
7527 enum CycleState {
7528 NotStarted,
7529 Executing,
7530 ExecutingChildren,
7531 NeedsAnotherRun,
7532 CompletedSuccessfully,
7533 Failed
7534 };
7535
7536 using Children = std::vector<ITrackerPtr>;
7537 NameAndLocation m_nameAndLocation;
7538 TrackerContext& m_ctx;
7539 ITracker* m_parent;
7540 Children m_children;
7541 CycleState m_runState = NotStarted;
7542
7543 public:
7544 TrackerBase( NameAndLocation const& nameAndLocation, TrackerContext& ctx, ITracker* parent );
7545
7546 NameAndLocation const& nameAndLocation() const override;
7547 bool isComplete() const override;
7548 bool isSuccessfullyCompleted() const override;
7549 bool isOpen() const override;
7550 bool hasChildren() const override;
7551
7552 void addChild( ITrackerPtr const& child ) override;
7553
7554 ITrackerPtr findChild( NameAndLocation const& nameAndLocation ) override;
7555 ITracker& parent() override;
7556
7557 void openChild() override;
7558
7559 bool isSectionTracker() const override;
7560 bool isGeneratorTracker() const override;
7561
7562 void open();
7563
7564 void close() override;
7565 void fail() override;
7566 void markAsNeedingAnotherRun() override;
7567
7568 private:
7569 void moveToParent();
7570 void moveToThis();
7571 };
7572
7573 class SectionTracker : public TrackerBase {
7574 std::vector<std::string> m_filters;
7575 std::string m_trimmed_name;
7576 public:
7577 SectionTracker( NameAndLocation const& nameAndLocation, TrackerContext& ctx, ITracker* parent );
7578
7579 bool isSectionTracker() const override;
7580
7581 bool isComplete() const override;
7582
7583 static SectionTracker& acquire( TrackerContext& ctx, NameAndLocation const& nameAndLocation );
7584
7585 void tryOpen();
7586
7587 void addInitialFilters( std::vector<std::string> const& filters );
7588 void addNextFilters( std::vector<std::string> const& filters );
7589 };
7590
7591} // namespace TestCaseTracking
7592
7593using TestCaseTracking::ITracker;
7594using TestCaseTracking::TrackerContext;
7595using TestCaseTracking::SectionTracker;
7596
7597} // namespace Catch
7598
7599// end catch_test_case_tracker.h
7600
7601// start catch_leak_detector.h
7602
7603namespace Catch {
7604
7605 struct LeakDetector {
7606 LeakDetector();
7607 ~LeakDetector();
7608 };
7609
7610}
7611// end catch_leak_detector.h
7612// Cpp files will be included in the single-header file here
7613// start catch_stats.cpp
7614
7615// Statistical analysis tools
7616
7617#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
7618
7619#include <cassert>
7620#include <random>
7621
7622#if defined(CATCH_CONFIG_USE_ASYNC)
7623#include <future>
7624#endif
7625
7626namespace {
7627 double erf_inv(double x) {
7628 // Code accompanying the article "Approximating the erfinv function" in GPU Computing Gems, Volume 2
7629 double w, p;
7630
7631 w = -log((1.0 - x) * (1.0 + x));
7632
7633 if (w < 6.250000) {
7634 w = w - 3.125000;
7635 p = -3.6444120640178196996e-21;
7636 p = -1.685059138182016589e-19 + p * w;
7637 p = 1.2858480715256400167e-18 + p * w;
7638 p = 1.115787767802518096e-17 + p * w;
7639 p = -1.333171662854620906e-16 + p * w;
7640 p = 2.0972767875968561637e-17 + p * w;
7641 p = 6.6376381343583238325e-15 + p * w;
7642 p = -4.0545662729752068639e-14 + p * w;
7643 p = -8.1519341976054721522e-14 + p * w;
7644 p = 2.6335093153082322977e-12 + p * w;
7645 p = -1.2975133253453532498e-11 + p * w;
7646 p = -5.4154120542946279317e-11 + p * w;
7647 p = 1.051212273321532285e-09 + p * w;
7648 p = -4.1126339803469836976e-09 + p * w;
7649 p = -2.9070369957882005086e-08 + p * w;
7650 p = 4.2347877827932403518e-07 + p * w;
7651 p = -1.3654692000834678645e-06 + p * w;
7652 p = -1.3882523362786468719e-05 + p * w;
7653 p = 0.0001867342080340571352 + p * w;
7654 p = -0.00074070253416626697512 + p * w;
7655 p = -0.0060336708714301490533 + p * w;
7656 p = 0.24015818242558961693 + p * w;
7657 p = 1.6536545626831027356 + p * w;
7658 } else if (w < 16.000000) {
7659 w = sqrt(w) - 3.250000;
7660 p = 2.2137376921775787049e-09;
7661 p = 9.0756561938885390979e-08 + p * w;
7662 p = -2.7517406297064545428e-07 + p * w;
7663 p = 1.8239629214389227755e-08 + p * w;
7664 p = 1.5027403968909827627e-06 + p * w;
7665 p = -4.013867526981545969e-06 + p * w;
7666 p = 2.9234449089955446044e-06 + p * w;
7667 p = 1.2475304481671778723e-05 + p * w;
7668 p = -4.7318229009055733981e-05 + p * w;
7669 p = 6.8284851459573175448e-05 + p * w;
7670 p = 2.4031110387097893999e-05 + p * w;
7671 p = -0.0003550375203628474796 + p * w;
7672 p = 0.00095328937973738049703 + p * w;
7673 p = -0.0016882755560235047313 + p * w;
7674 p = 0.0024914420961078508066 + p * w;
7675 p = -0.0037512085075692412107 + p * w;
7676 p = 0.005370914553590063617 + p * w;
7677 p = 1.0052589676941592334 + p * w;
7678 p = 3.0838856104922207635 + p * w;
7679 } else {
7680 w = sqrt(w) - 5.000000;
7681 p = -2.7109920616438573243e-11;
7682 p = -2.5556418169965252055e-10 + p * w;
7683 p = 1.5076572693500548083e-09 + p * w;
7684 p = -3.7894654401267369937e-09 + p * w;
7685 p = 7.6157012080783393804e-09 + p * w;
7686 p = -1.4960026627149240478e-08 + p * w;
7687 p = 2.9147953450901080826e-08 + p * w;
7688 p = -6.7711997758452339498e-08 + p * w;
7689 p = 2.2900482228026654717e-07 + p * w;
7690 p = -9.9298272942317002539e-07 + p * w;
7691 p = 4.5260625972231537039e-06 + p * w;
7692 p = -1.9681778105531670567e-05 + p * w;
7693 p = 7.5995277030017761139e-05 + p * w;
7694 p = -0.00021503011930044477347 + p * w;
7695 p = -0.00013871931833623122026 + p * w;
7696 p = 1.0103004648645343977 + p * w;
7697 p = 4.8499064014085844221 + p * w;
7698 }
7699 return p * x;
7700 }
7701
7702 double standard_deviation(std::vector<double>::iterator first, std::vector<double>::iterator last) {
7703 auto m = Catch::Benchmark::Detail::mean(first, last);
7704 double variance = std::accumulate(first, last, 0., [m](double a, double b) {
7705 double diff = b - m;
7706 return a + diff * diff;
7707 }) / (last - first);
7708 return std::sqrt(variance);
7709 }
7710
7711}
7712
7713namespace Catch {
7714 namespace Benchmark {
7715 namespace Detail {
7716
7717 double weighted_average_quantile(int k, int q, std::vector<double>::iterator first, std::vector<double>::iterator last) {
7718 auto count = last - first;
7719 double idx = (count - 1) * k / static_cast<double>(q);
7720 int j = static_cast<int>(idx);
7721 double g = idx - j;
7722 std::nth_element(first, first + j, last);
7723 auto xj = first[j];
7724 if (g == 0) return xj;
7725
7726 auto xj1 = *std::min_element(first + (j + 1), last);
7727 return xj + g * (xj1 - xj);
7728 }
7729
7730 double erfc_inv(double x) {
7731 return erf_inv(1.0 - x);
7732 }
7733
7734 double normal_quantile(double p) {
7735 static const double ROOT_TWO = std::sqrt(2.0);
7736
7737 double result = 0.0;
7738 assert(p >= 0 && p <= 1);
7739 if (p < 0 || p > 1) {
7740 return result;
7741 }
7742
7743 result = -erfc_inv(2.0 * p);
7744 // result *= normal distribution standard deviation (1.0) * sqrt(2)
7745 result *= /*sd * */ ROOT_TWO;
7746 // result += normal disttribution mean (0)
7747 return result;
7748 }
7749
7750 double outlier_variance(Estimate<double> mean, Estimate<double> stddev, int n) {
7751 double sb = stddev.point;
7752 double mn = mean.point / n;
7753 double mg_min = mn / 2.;
7754 double sg = std::min(mg_min / 4., sb / std::sqrt(n));
7755 double sg2 = sg * sg;
7756 double sb2 = sb * sb;
7757
7758 auto c_max = [n, mn, sb2, sg2](double x) -> double {
7759 double k = mn - x;
7760 double d = k * k;
7761 double nd = n * d;
7762 double k0 = -n * nd;
7763 double k1 = sb2 - n * sg2 + nd;
7764 double det = k1 * k1 - 4 * sg2 * k0;
7765 return (int)(-2. * k0 / (k1 + std::sqrt(det)));
7766 };
7767
7768 auto var_out = [n, sb2, sg2](double c) {
7769 double nc = n - c;
7770 return (nc / n) * (sb2 - nc * sg2);
7771 };
7772
7773 return std::min(var_out(1), var_out(std::min(c_max(0.), c_max(mg_min)))) / sb2;
7774 }
7775
7776 bootstrap_analysis analyse_samples(double confidence_level, int n_resamples, std::vector<double>::iterator first, std::vector<double>::iterator last) {
7777 CATCH_INTERNAL_START_WARNINGS_SUPPRESSION
7778 CATCH_INTERNAL_SUPPRESS_GLOBALS_WARNINGS
7779 static std::random_device entropy;
7780 CATCH_INTERNAL_STOP_WARNINGS_SUPPRESSION
7781
7782 auto n = static_cast<int>(last - first); // seriously, one can't use integral types without hell in C++
7783
7784 auto mean = &Detail::mean<std::vector<double>::iterator>;
7785 auto stddev = &standard_deviation;
7786
7787#if defined(CATCH_CONFIG_USE_ASYNC)
7788 auto Estimate = [=](double(*f)(std::vector<double>::iterator, std::vector<double>::iterator)) {
7789 auto seed = entropy();
7790 return std::async(std::launch::async, [=] {
7791 std::mt19937 rng(seed);
7792 auto resampled = resample(rng, n_resamples, first, last, f);
7793 return bootstrap(confidence_level, first, last, resampled, f);
7794 });
7795 };
7796
7797 auto mean_future = Estimate(mean);
7798 auto stddev_future = Estimate(stddev);
7799
7800 auto mean_estimate = mean_future.get();
7801 auto stddev_estimate = stddev_future.get();
7802#else
7803 auto Estimate = [=](double(*f)(std::vector<double>::iterator, std::vector<double>::iterator)) {
7804 auto seed = entropy();
7805 std::mt19937 rng(seed);
7806 auto resampled = resample(rng, n_resamples, first, last, f);
7807 return bootstrap(confidence_level, first, last, resampled, f);
7808 };
7809
7810 auto mean_estimate = Estimate(mean);
7811 auto stddev_estimate = Estimate(stddev);
7812#endif // CATCH_USE_ASYNC
7813
7814 double outlier_variance = Detail::outlier_variance(mean_estimate, stddev_estimate, n);
7815
7816 return { mean_estimate, stddev_estimate, outlier_variance };
7817 }
7818 } // namespace Detail
7819 } // namespace Benchmark
7820} // namespace Catch
7821
7822#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
7823// end catch_stats.cpp
7824// start catch_approx.cpp
7825
7826#include <cmath>
7827#include <limits>
7828
7829namespace {
7830
7831// Performs equivalent check of std::fabs(lhs - rhs) <= margin
7832// But without the subtraction to allow for INFINITY in comparison
7833bool marginComparison(double lhs, double rhs, double margin) {
7834 return (lhs + margin >= rhs) && (rhs + margin >= lhs);
7835}
7836
7837}
7838
7839namespace Catch {
7840namespace Detail {
7841
7842 Approx::Approx ( double value )
7843 : m_epsilon( std::numeric_limits<float>::epsilon()*100 ),
7844 m_margin( 0.0 ),
7845 m_scale( 0.0 ),
7846 m_value( value )
7847 {}
7848
7849 Approx Approx::custom() {
7850 return Approx( 0 );
7851 }
7852
7853 Approx Approx::operator-() const {
7854 auto temp(*this);
7855 temp.m_value = -temp.m_value;
7856 return temp;
7857 }
7858
7859 std::string Approx::toString() const {
7860 ReusableStringStream rss;
7861 rss << "Approx( " << ::Catch::Detail::stringify( m_value ) << " )";
7862 return rss.str();
7863 }
7864
7865 bool Approx::equalityComparisonImpl(const double other) const {
7866 // First try with fixed margin, then compute margin based on epsilon, scale and Approx's value
7867 // Thanks to Richard Harris for his help refining the scaled margin value
7868 return marginComparison(m_value, other, m_margin)
7869 || marginComparison(m_value, other, m_epsilon * (m_scale + std::fabs(std::isinf(m_value)? 0 : m_value)));
7870 }
7871
7872 void Approx::setMargin(double newMargin) {
7873 CATCH_ENFORCE(newMargin >= 0,
7874 "Invalid Approx::margin: " << newMargin << '.'
7875 << " Approx::Margin has to be non-negative.");
7876 m_margin = newMargin;
7877 }
7878
7879 void Approx::setEpsilon(double newEpsilon) {
7880 CATCH_ENFORCE(newEpsilon >= 0 && newEpsilon <= 1.0,
7881 "Invalid Approx::epsilon: " << newEpsilon << '.'
7882 << " Approx::epsilon has to be in [0, 1]");
7883 m_epsilon = newEpsilon;
7884 }
7885
7886} // end namespace Detail
7887
7888namespace literals {
7889 Detail::Approx operator "" _a(long double val) {
7890 return Detail::Approx(val);
7891 }
7892 Detail::Approx operator "" _a(unsigned long long val) {
7893 return Detail::Approx(val);
7894 }
7895} // end namespace literals
7896
7897std::string StringMaker<Catch::Detail::Approx>::convert(Catch::Detail::Approx const& value) {
7898 return value.toString();
7899}
7900
7901} // end namespace Catch
7902// end catch_approx.cpp
7903// start catch_assertionhandler.cpp
7904
7905// start catch_debugger.h
7906
7907namespace Catch {
7908 bool isDebuggerActive();
7909}
7910
7911#ifdef CATCH_PLATFORM_MAC
7912
7913 #if defined(__i386__) || defined(__x86_64__)
7914 #define CATCH_TRAP() __asm__("int $3")
7915 #elif defined(__aarch64__)
7916 #define CATCH_TRAP() __asm__(".inst 0xd4200000")
7917 #elif defined(__arm__) && !defined(__thumb__)
7918 #define CATCH_TRAP() __asm__(".inst 0xe7f001f0")
7919 #elif defined(__arm__) && defined(__thumb__)
7920 #define CATCH_TRAP() __asm__(".inst 0xde01")
7921 #endif
7922
7923#elif defined(CATCH_PLATFORM_IPHONE)
7924
7925 // use inline assembler
7926 #if defined(__i386__) || defined(__x86_64__)
7927 #define CATCH_TRAP() __asm__("int $3")
7928 #elif defined(__aarch64__)
7929 #define CATCH_TRAP() __asm__(".inst 0xd4200000")
7930 #elif defined(__arm__) && !defined(__thumb__)
7931 #define CATCH_TRAP() __asm__(".inst 0xe7f001f0")
7932 #elif defined(__arm__) && defined(__thumb__)
7933 #define CATCH_TRAP() __asm__(".inst 0xde01")
7934 #endif
7935
7936#elif defined(CATCH_PLATFORM_LINUX)
7937 // If we can use inline assembler, do it because this allows us to break
7938 // directly at the location of the failing check instead of breaking inside
7939 // raise() called from it, i.e. one stack frame below.
7940 #include <signal.h>
7941
7942 #define CATCH_TRAP() raise(SIGTRAP)
7943#elif defined(_MSC_VER)
7944 #define CATCH_TRAP() __debugbreak()
7945#elif defined(__MINGW32__)
7946 extern "C" __declspec(dllimport) void __stdcall DebugBreak();
7947 #define CATCH_TRAP() DebugBreak()
7948#endif
7949
7950#ifndef CATCH_BREAK_INTO_DEBUGGER
7951 #ifdef CATCH_TRAP
7952 #define CATCH_BREAK_INTO_DEBUGGER() []{ if( Catch::isDebuggerActive() ) { CATCH_TRAP(); } }()
7953 #else
7954 #define CATCH_BREAK_INTO_DEBUGGER() []{}()
7955 #endif
7956#endif
7957
7958// end catch_debugger.h
7959// start catch_run_context.h
7960
7961// start catch_fatal_condition.h
7962
7963// start catch_windows_h_proxy.h
7964
7965
7966#if defined(CATCH_PLATFORM_WINDOWS)
7967
7968#if !defined(NOMINMAX) && !defined(CATCH_CONFIG_NO_NOMINMAX)
7969# define CATCH_DEFINED_NOMINMAX
7970# define NOMINMAX
7971#endif
7972#if !defined(WIN32_LEAN_AND_MEAN) && !defined(CATCH_CONFIG_NO_WIN32_LEAN_AND_MEAN)
7973# define CATCH_DEFINED_WIN32_LEAN_AND_MEAN
7974# define WIN32_LEAN_AND_MEAN
7975#endif
7976
7977#ifdef __AFXDLL
7978#include <AfxWin.h>
7979#else
7980#include <windows.h>
7981#endif
7982
7983#ifdef CATCH_DEFINED_NOMINMAX
7984# undef NOMINMAX
7985#endif
7986#ifdef CATCH_DEFINED_WIN32_LEAN_AND_MEAN
7987# undef WIN32_LEAN_AND_MEAN
7988#endif
7989
7990#endif // defined(CATCH_PLATFORM_WINDOWS)
7991
7992// end catch_windows_h_proxy.h
7993#if defined( CATCH_CONFIG_WINDOWS_SEH )
7994
7995namespace Catch {
7996
7997 struct FatalConditionHandler {
7998
7999 static LONG CALLBACK handleVectoredException(PEXCEPTION_POINTERS ExceptionInfo);
8000 FatalConditionHandler();
8001 static void reset();
8002 ~FatalConditionHandler();
8003
8004 private:
8005 static bool isSet;
8006 static ULONG guaranteeSize;
8007 static PVOID exceptionHandlerHandle;
8008 };
8009
8010} // namespace Catch
8011
8012#elif defined ( CATCH_CONFIG_POSIX_SIGNALS )
8013
8014#include <signal.h>
8015
8016namespace Catch {
8017
8018 struct FatalConditionHandler {
8019
8020 static bool isSet;
8021 static struct sigaction oldSigActions[];
8022 static stack_t oldSigStack;
8023 static char altStackMem[];
8024
8025 static void handleSignal( int sig );
8026
8027 FatalConditionHandler();
8028 ~FatalConditionHandler();
8029 static void reset();
8030 };
8031
8032} // namespace Catch
8033
8034#else
8035
8036namespace Catch {
8037 struct FatalConditionHandler {
8038 void reset();
8039 };
8040}
8041
8042#endif
8043
8044// end catch_fatal_condition.h
8045#include <string>
8046
8047namespace Catch {
8048
8049 struct IMutableContext;
8050
8052
8053 class RunContext : public IResultCapture, public IRunner {
8054
8055 public:
8056 RunContext( RunContext const& ) = delete;
8057 RunContext& operator =( RunContext const& ) = delete;
8058
8059 explicit RunContext( IConfigPtr const& _config, IStreamingReporterPtr&& reporter );
8060
8061 ~RunContext() override;
8062
8063 void testGroupStarting( std::string const& testSpec, std::size_t groupIndex, std::size_t groupsCount );
8064 void testGroupEnded( std::string const& testSpec, Totals const& totals, std::size_t groupIndex, std::size_t groupsCount );
8065
8066 Totals runTest(TestCase const& testCase);
8067
8068 IConfigPtr config() const;
8069 IStreamingReporter& reporter() const;
8070
8071 public: // IResultCapture
8072
8073 // Assertion handlers
8074 void handleExpr
8075 ( AssertionInfo const& info,
8076 ITransientExpression const& expr,
8077 AssertionReaction& reaction ) override;
8078 void handleMessage
8079 ( AssertionInfo const& info,
8080 ResultWas::OfType resultType,
8081 StringRef const& message,
8082 AssertionReaction& reaction ) override;
8083 void handleUnexpectedExceptionNotThrown
8084 ( AssertionInfo const& info,
8085 AssertionReaction& reaction ) override;
8086 void handleUnexpectedInflightException
8087 ( AssertionInfo const& info,
8088 std::string const& message,
8089 AssertionReaction& reaction ) override;
8090 void handleIncomplete
8091 ( AssertionInfo const& info ) override;
8092 void handleNonExpr
8093 ( AssertionInfo const &info,
8094 ResultWas::OfType resultType,
8095 AssertionReaction &reaction ) override;
8096
8097 bool sectionStarted( SectionInfo const& sectionInfo, Counts& assertions ) override;
8098
8099 void sectionEnded( SectionEndInfo const& endInfo ) override;
8100 void sectionEndedEarly( SectionEndInfo const& endInfo ) override;
8101
8102 auto acquireGeneratorTracker( SourceLineInfo const& lineInfo ) -> IGeneratorTracker& override;
8103
8104#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
8105 void benchmarkPreparing( std::string const& name ) override;
8106 void benchmarkStarting( BenchmarkInfo const& info ) override;
8107 void benchmarkEnded( BenchmarkStats<> const& stats ) override;
8108 void benchmarkFailed( std::string const& error ) override;
8109#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
8110
8111 void pushScopedMessage( MessageInfo const& message ) override;
8112 void popScopedMessage( MessageInfo const& message ) override;
8113
8114 void emplaceUnscopedMessage( MessageBuilder const& builder ) override;
8115
8116 std::string getCurrentTestName() const override;
8117
8118 const AssertionResult* getLastResult() const override;
8119
8120 void exceptionEarlyReported() override;
8121
8122 void handleFatalErrorCondition( StringRef message ) override;
8123
8124 bool lastAssertionPassed() override;
8125
8126 void assertionPassed() override;
8127
8128 public:
8129 // !TBD We need to do this another way!
8130 bool aborting() const final;
8131
8132 private:
8133
8134 void runCurrentTest( std::string& redirectedCout, std::string& redirectedCerr );
8135 void invokeActiveTestCase();
8136
8137 void resetAssertionInfo();
8138 bool testForMissingAssertions( Counts& assertions );
8139
8140 void assertionEnded( AssertionResult const& result );
8141 void reportExpr
8142 ( AssertionInfo const &info,
8143 ResultWas::OfType resultType,
8144 ITransientExpression const *expr,
8145 bool negated );
8146
8147 void populateReaction( AssertionReaction& reaction );
8148
8149 private:
8150
8151 void handleUnfinishedSections();
8152
8153 TestRunInfo m_runInfo;
8154 IMutableContext& m_context;
8155 TestCase const* m_activeTestCase = nullptr;
8156 ITracker* m_testCaseTracker = nullptr;
8157 Option<AssertionResult> m_lastResult;
8158
8159 IConfigPtr m_config;
8160 Totals m_totals;
8161 IStreamingReporterPtr m_reporter;
8162 std::vector<MessageInfo> m_messages;
8163 std::vector<ScopedMessage> m_messageScopes; /* Keeps owners of so-called unscoped messages. */
8164 AssertionInfo m_lastAssertionInfo;
8165 std::vector<SectionEndInfo> m_unfinishedSections;
8166 std::vector<ITracker*> m_activeSections;
8167 TrackerContext m_trackerContext;
8168 bool m_lastAssertionPassed = false;
8169 bool m_shouldReportUnexpected = true;
8170 bool m_includeSuccessfulResults;
8171 };
8172
8173 void seedRng(IConfig const& config);
8174 unsigned int rngSeed();
8175} // end namespace Catch
8176
8177// end catch_run_context.h
8178namespace Catch {
8179
8180 namespace {
8181 auto operator <<( std::ostream& os, ITransientExpression const& expr ) -> std::ostream& {
8182 expr.streamReconstructedExpression( os );
8183 return os;
8184 }
8185 }
8186
8187 LazyExpression::LazyExpression( bool isNegated )
8188 : m_isNegated( isNegated )
8189 {}
8190
8191 LazyExpression::LazyExpression( LazyExpression const& other ) : m_isNegated( other.m_isNegated ) {}
8192
8193 LazyExpression::operator bool() const {
8194 return m_transientExpression != nullptr;
8195 }
8196
8197 auto operator << ( std::ostream& os, LazyExpression const& lazyExpr ) -> std::ostream& {
8198 if( lazyExpr.m_isNegated )
8199 os << "!";
8200
8201 if( lazyExpr ) {
8202 if( lazyExpr.m_isNegated && lazyExpr.m_transientExpression->isBinaryExpression() )
8203 os << "(" << *lazyExpr.m_transientExpression << ")";
8204 else
8205 os << *lazyExpr.m_transientExpression;
8206 }
8207 else {
8208 os << "{** error - unchecked empty expression requested **}";
8209 }
8210 return os;
8211 }
8212
8213 AssertionHandler::AssertionHandler
8214 ( StringRef const& macroName,
8215 SourceLineInfo const& lineInfo,
8216 StringRef capturedExpression,
8217 ResultDisposition::Flags resultDisposition )
8218 : m_assertionInfo{ macroName, lineInfo, capturedExpression, resultDisposition },
8219 m_resultCapture( getResultCapture() )
8220 {}
8221
8222 void AssertionHandler::handleExpr( ITransientExpression const& expr ) {
8223 m_resultCapture.handleExpr( m_assertionInfo, expr, m_reaction );
8224 }
8225 void AssertionHandler::handleMessage(ResultWas::OfType resultType, StringRef const& message) {
8226 m_resultCapture.handleMessage( m_assertionInfo, resultType, message, m_reaction );
8227 }
8228
8229 auto AssertionHandler::allowThrows() const -> bool {
8230 return getCurrentContext().getConfig()->allowThrows();
8231 }
8232
8233 void AssertionHandler::complete() {
8234 setCompleted();
8235 if( m_reaction.shouldDebugBreak ) {
8236
8237 // If you find your debugger stopping you here then go one level up on the
8238 // call-stack for the code that caused it (typically a failed assertion)
8239
8240 // (To go back to the test and change execution, jump over the throw, next)
8241 CATCH_BREAK_INTO_DEBUGGER();
8242 }
8243 if (m_reaction.shouldThrow) {
8244#if !defined(CATCH_CONFIG_DISABLE_EXCEPTIONS)
8246#else
8247 CATCH_ERROR( "Test failure requires aborting test!" );
8248#endif
8249 }
8250 }
8251 void AssertionHandler::setCompleted() {
8252 m_completed = true;
8253 }
8254
8255 void AssertionHandler::handleUnexpectedInflightException() {
8256 m_resultCapture.handleUnexpectedInflightException( m_assertionInfo, Catch::translateActiveException(), m_reaction );
8257 }
8258
8259 void AssertionHandler::handleExceptionThrownAsExpected() {
8260 m_resultCapture.handleNonExpr(m_assertionInfo, ResultWas::Ok, m_reaction);
8261 }
8262 void AssertionHandler::handleExceptionNotThrownAsExpected() {
8263 m_resultCapture.handleNonExpr(m_assertionInfo, ResultWas::Ok, m_reaction);
8264 }
8265
8266 void AssertionHandler::handleUnexpectedExceptionNotThrown() {
8267 m_resultCapture.handleUnexpectedExceptionNotThrown( m_assertionInfo, m_reaction );
8268 }
8269
8270 void AssertionHandler::handleThrowingCallSkipped() {
8271 m_resultCapture.handleNonExpr(m_assertionInfo, ResultWas::Ok, m_reaction);
8272 }
8273
8274 // This is the overload that takes a string and infers the Equals matcher from it
8275 // The more general overload, that takes any string matcher, is in catch_capture_matchers.cpp
8276 void handleExceptionMatchExpr( AssertionHandler& handler, std::string const& str, StringRef const& matcherString ) {
8277 handleExceptionMatchExpr( handler, Matchers::Equals( str ), matcherString );
8278 }
8279
8280} // namespace Catch
8281// end catch_assertionhandler.cpp
8282// start catch_assertionresult.cpp
8283
8284namespace Catch {
8285 AssertionResultData::AssertionResultData(ResultWas::OfType _resultType, LazyExpression const & _lazyExpression):
8286 lazyExpression(_lazyExpression),
8287 resultType(_resultType) {}
8288
8289 std::string AssertionResultData::reconstructExpression() const {
8290
8291 if( reconstructedExpression.empty() ) {
8292 if( lazyExpression ) {
8293 ReusableStringStream rss;
8294 rss << lazyExpression;
8295 reconstructedExpression = rss.str();
8296 }
8297 }
8298 return reconstructedExpression;
8299 }
8300
8301 AssertionResult::AssertionResult( AssertionInfo const& info, AssertionResultData const& data )
8302 : m_info( info ),
8303 m_resultData( data )
8304 {}
8305
8306 // Result was a success
8307 bool AssertionResult::succeeded() const {
8308 return Catch::isOk( m_resultData.resultType );
8309 }
8310
8311 // Result was a success, or failure is suppressed
8312 bool AssertionResult::isOk() const {
8313 return Catch::isOk( m_resultData.resultType ) || shouldSuppressFailure( m_info.resultDisposition );
8314 }
8315
8316 ResultWas::OfType AssertionResult::getResultType() const {
8317 return m_resultData.resultType;
8318 }
8319
8320 bool AssertionResult::hasExpression() const {
8321 return !m_info.capturedExpression.empty();
8322 }
8323
8324 bool AssertionResult::hasMessage() const {
8325 return !m_resultData.message.empty();
8326 }
8327
8328 std::string AssertionResult::getExpression() const {
8329 // Possibly overallocating by 3 characters should be basically free
8330 std::string expr; expr.reserve(m_info.capturedExpression.size() + 3);
8331 if (isFalseTest(m_info.resultDisposition)) {
8332 expr += "!(";
8333 }
8334 expr += m_info.capturedExpression;
8335 if (isFalseTest(m_info.resultDisposition)) {
8336 expr += ')';
8337 }
8338 return expr;
8339 }
8340
8341 std::string AssertionResult::getExpressionInMacro() const {
8342 std::string expr;
8343 if( m_info.macroName.empty() )
8344 expr = static_cast<std::string>(m_info.capturedExpression);
8345 else {
8346 expr.reserve( m_info.macroName.size() + m_info.capturedExpression.size() + 4 );
8347 expr += m_info.macroName;
8348 expr += "( ";
8349 expr += m_info.capturedExpression;
8350 expr += " )";
8351 }
8352 return expr;
8353 }
8354
8355 bool AssertionResult::hasExpandedExpression() const {
8356 return hasExpression() && getExpandedExpression() != getExpression();
8357 }
8358
8359 std::string AssertionResult::getExpandedExpression() const {
8360 std::string expr = m_resultData.reconstructExpression();
8361 return expr.empty()
8362 ? getExpression()
8363 : expr;
8364 }
8365
8366 std::string AssertionResult::getMessage() const {
8367 return m_resultData.message;
8368 }
8369 SourceLineInfo AssertionResult::getSourceInfo() const {
8370 return m_info.lineInfo;
8371 }
8372
8373 StringRef AssertionResult::getTestMacroName() const {
8374 return m_info.macroName;
8375 }
8376
8377} // end namespace Catch
8378// end catch_assertionresult.cpp
8379// start catch_capture_matchers.cpp
8380
8381namespace Catch {
8382
8383 using StringMatcher = Matchers::Impl::MatcherBase<std::string>;
8384
8385 // This is the general overload that takes a any string matcher
8386 // There is another overload, in catch_assertionhandler.h/.cpp, that only takes a string and infers
8387 // the Equals matcher (so the header does not mention matchers)
8388 void handleExceptionMatchExpr( AssertionHandler& handler, StringMatcher const& matcher, StringRef const& matcherString ) {
8389 std::string exceptionMessage = Catch::translateActiveException();
8390 MatchExpr<std::string, StringMatcher const&> expr( exceptionMessage, matcher, matcherString );
8391 handler.handleExpr( expr );
8392 }
8393
8394} // namespace Catch
8395// end catch_capture_matchers.cpp
8396// start catch_commandline.cpp
8397
8398// start catch_commandline.h
8399
8400// start catch_clara.h
8401
8402// Use Catch's value for console width (store Clara's off to the side, if present)
8403#ifdef CLARA_CONFIG_CONSOLE_WIDTH
8404#define CATCH_TEMP_CLARA_CONFIG_CONSOLE_WIDTH CATCH_CLARA_TEXTFLOW_CONFIG_CONSOLE_WIDTH
8405#undef CATCH_CLARA_TEXTFLOW_CONFIG_CONSOLE_WIDTH
8406#endif
8407#define CATCH_CLARA_TEXTFLOW_CONFIG_CONSOLE_WIDTH CATCH_CONFIG_CONSOLE_WIDTH-1
8408
8409#ifdef __clang__
8410#pragma clang diagnostic push
8411#pragma clang diagnostic ignored "-Wweak-vtables"
8412#pragma clang diagnostic ignored "-Wexit-time-destructors"
8413#pragma clang diagnostic ignored "-Wshadow"
8414#endif
8415
8416// start clara.hpp
8417// Copyright 2017 Two Blue Cubes Ltd. All rights reserved.
8418//
8419// Distributed under the Boost Software License, Version 1.0. (See accompanying
8420// file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt)
8421//
8422// See https://github.com/philsquared/Clara for more details
8423
8424// Clara v1.1.5
8425
8426
8427#ifndef CATCH_CLARA_CONFIG_CONSOLE_WIDTH
8428#define CATCH_CLARA_CONFIG_CONSOLE_WIDTH 80
8429#endif
8430
8431#ifndef CATCH_CLARA_TEXTFLOW_CONFIG_CONSOLE_WIDTH
8432#define CATCH_CLARA_TEXTFLOW_CONFIG_CONSOLE_WIDTH CATCH_CLARA_CONFIG_CONSOLE_WIDTH
8433#endif
8434
8435#ifndef CLARA_CONFIG_OPTIONAL_TYPE
8436#ifdef __has_include
8437#if __has_include(<optional>) && __cplusplus >= 201703L
8438#include <optional>
8439#define CLARA_CONFIG_OPTIONAL_TYPE std::optional
8440#endif
8441#endif
8442#endif
8443
8444// ----------- #included from clara_textflow.hpp -----------
8445
8446// TextFlowCpp
8447//
8448// A single-header library for wrapping and laying out basic text, by Phil Nash
8449//
8450// Distributed under the Boost Software License, Version 1.0. (See accompanying
8451// file LICENSE.txt or copy at http://www.boost.org/LICENSE_1_0.txt)
8452//
8453// This project is hosted at https://github.com/philsquared/textflowcpp
8454
8455
8456#include <cassert>
8457#include <ostream>
8458#include <sstream>
8459#include <vector>
8460
8461#ifndef CATCH_CLARA_TEXTFLOW_CONFIG_CONSOLE_WIDTH
8462#define CATCH_CLARA_TEXTFLOW_CONFIG_CONSOLE_WIDTH 80
8463#endif
8464
8465namespace Catch {
8466namespace clara {
8467namespace TextFlow {
8468
8469inline auto isWhitespace(char c) -> bool {
8470 static std::string chars = " \t\n\r";
8471 return chars.find(c) != std::string::npos;
8472}
8473inline auto isBreakableBefore(char c) -> bool {
8474 static std::string chars = "[({<|";
8475 return chars.find(c) != std::string::npos;
8476}
8477inline auto isBreakableAfter(char c) -> bool {
8478 static std::string chars = "])}>.,:;*+-=&/\\";
8479 return chars.find(c) != std::string::npos;
8480}
8481
8482class Columns;
8483
8484class Column {
8485 std::vector<std::string> m_strings;
8486 size_t m_width = CATCH_CLARA_TEXTFLOW_CONFIG_CONSOLE_WIDTH;
8487 size_t m_indent = 0;
8488 size_t m_initialIndent = std::string::npos;
8489
8490public:
8491 class iterator {
8492 friend Column;
8493
8494 Column const& m_column;
8495 size_t m_stringIndex = 0;
8496 size_t m_pos = 0;
8497
8498 size_t m_len = 0;
8499 size_t m_end = 0;
8500 bool m_suffix = false;
8501
8502 iterator(Column const& column, size_t stringIndex)
8503 : m_column(column),
8504 m_stringIndex(stringIndex) {}
8505
8506 auto line() const -> std::string const& { return m_column.m_strings[m_stringIndex]; }
8507
8508 auto isBoundary(size_t at) const -> bool {
8509 assert(at > 0);
8510 assert(at <= line().size());
8511
8512 return at == line().size() ||
8513 (isWhitespace(line()[at]) && !isWhitespace(line()[at - 1])) ||
8514 isBreakableBefore(line()[at]) ||
8515 isBreakableAfter(line()[at - 1]);
8516 }
8517
8518 void calcLength() {
8519 assert(m_stringIndex < m_column.m_strings.size());
8520
8521 m_suffix = false;
8522 auto width = m_column.m_width - indent();
8523 m_end = m_pos;
8524 if (line()[m_pos] == '\n') {
8525 ++m_end;
8526 }
8527 while (m_end < line().size() && line()[m_end] != '\n')
8528 ++m_end;
8529
8530 if (m_end < m_pos + width) {
8531 m_len = m_end - m_pos;
8532 } else {
8533 size_t len = width;
8534 while (len > 0 && !isBoundary(m_pos + len))
8535 --len;
8536 while (len > 0 && isWhitespace(line()[m_pos + len - 1]))
8537 --len;
8538
8539 if (len > 0) {
8540 m_len = len;
8541 } else {
8542 m_suffix = true;
8543 m_len = width - 1;
8544 }
8545 }
8546 }
8547
8548 auto indent() const -> size_t {
8549 auto initial = m_pos == 0 && m_stringIndex == 0 ? m_column.m_initialIndent : std::string::npos;
8550 return initial == std::string::npos ? m_column.m_indent : initial;
8551 }
8552
8553 auto addIndentAndSuffix(std::string const &plain) const -> std::string {
8554 return std::string(indent(), ' ') + (m_suffix ? plain + "-" : plain);
8555 }
8556
8557 public:
8558 using difference_type = std::ptrdiff_t;
8559 using value_type = std::string;
8560 using pointer = value_type * ;
8561 using reference = value_type & ;
8562 using iterator_category = std::forward_iterator_tag;
8563
8564 explicit iterator(Column const& column) : m_column(column) {
8565 assert(m_column.m_width > m_column.m_indent);
8566 assert(m_column.m_initialIndent == std::string::npos || m_column.m_width > m_column.m_initialIndent);
8567 calcLength();
8568 if (m_len == 0)
8569 m_stringIndex++; // Empty string
8570 }
8571
8572 auto operator *() const -> std::string {
8573 assert(m_stringIndex < m_column.m_strings.size());
8574 assert(m_pos <= m_end);
8575 return addIndentAndSuffix(line().substr(m_pos, m_len));
8576 }
8577
8578 auto operator ++() -> iterator& {
8579 m_pos += m_len;
8580 if (m_pos < line().size() && line()[m_pos] == '\n')
8581 m_pos += 1;
8582 else
8583 while (m_pos < line().size() && isWhitespace(line()[m_pos]))
8584 ++m_pos;
8585
8586 if (m_pos == line().size()) {
8587 m_pos = 0;
8588 ++m_stringIndex;
8589 }
8590 if (m_stringIndex < m_column.m_strings.size())
8591 calcLength();
8592 return *this;
8593 }
8594 auto operator ++(int) -> iterator {
8595 iterator prev(*this);
8596 operator++();
8597 return prev;
8598 }
8599
8600 auto operator ==(iterator const& other) const -> bool {
8601 return
8602 m_pos == other.m_pos &&
8603 m_stringIndex == other.m_stringIndex &&
8604 &m_column == &other.m_column;
8605 }
8606 auto operator !=(iterator const& other) const -> bool {
8607 return !operator==(other);
8608 }
8609 };
8610 using const_iterator = iterator;
8611
8612 explicit Column(std::string const& text) { m_strings.push_back(text); }
8613
8614 auto width(size_t newWidth) -> Column& {
8615 assert(newWidth > 0);
8616 m_width = newWidth;
8617 return *this;
8618 }
8619 auto indent(size_t newIndent) -> Column& {
8620 m_indent = newIndent;
8621 return *this;
8622 }
8623 auto initialIndent(size_t newIndent) -> Column& {
8624 m_initialIndent = newIndent;
8625 return *this;
8626 }
8627
8628 auto width() const -> size_t { return m_width; }
8629 auto begin() const -> iterator { return iterator(*this); }
8630 auto end() const -> iterator { return { *this, m_strings.size() }; }
8631
8632 inline friend std::ostream& operator << (std::ostream& os, Column const& col) {
8633 bool first = true;
8634 for (auto line : col) {
8635 if (first)
8636 first = false;
8637 else
8638 os << "\n";
8639 os << line;
8640 }
8641 return os;
8642 }
8643
8644 auto operator + (Column const& other)->Columns;
8645
8646 auto toString() const -> std::string {
8647 std::ostringstream oss;
8648 oss << *this;
8649 return oss.str();
8650 }
8651};
8652
8653class Spacer : public Column {
8654
8655public:
8656 explicit Spacer(size_t spaceWidth) : Column("") {
8657 width(spaceWidth);
8658 }
8659};
8660
8661class Columns {
8662 std::vector<Column> m_columns;
8663
8664public:
8665
8666 class iterator {
8667 friend Columns;
8668 struct EndTag {};
8669
8670 std::vector<Column> const& m_columns;
8671 std::vector<Column::iterator> m_iterators;
8672 size_t m_activeIterators;
8673
8674 iterator(Columns const& columns, EndTag)
8675 : m_columns(columns.m_columns),
8676 m_activeIterators(0) {
8677 m_iterators.reserve(m_columns.size());
8678
8679 for (auto const& col : m_columns)
8680 m_iterators.push_back(col.end());
8681 }
8682
8683 public:
8684 using difference_type = std::ptrdiff_t;
8685 using value_type = std::string;
8686 using pointer = value_type * ;
8687 using reference = value_type & ;
8688 using iterator_category = std::forward_iterator_tag;
8689
8690 explicit iterator(Columns const& columns)
8691 : m_columns(columns.m_columns),
8692 m_activeIterators(m_columns.size()) {
8693 m_iterators.reserve(m_columns.size());
8694
8695 for (auto const& col : m_columns)
8696 m_iterators.push_back(col.begin());
8697 }
8698
8699 auto operator ==(iterator const& other) const -> bool {
8700 return m_iterators == other.m_iterators;
8701 }
8702 auto operator !=(iterator const& other) const -> bool {
8703 return m_iterators != other.m_iterators;
8704 }
8705 auto operator *() const -> std::string {
8706 std::string row, padding;
8707
8708 for (size_t i = 0; i < m_columns.size(); ++i) {
8709 auto width = m_columns[i].width();
8710 if (m_iterators[i] != m_columns[i].end()) {
8711 std::string col = *m_iterators[i];
8712 row += padding + col;
8713 if (col.size() < width)
8714 padding = std::string(width - col.size(), ' ');
8715 else
8716 padding = "";
8717 } else {
8718 padding += std::string(width, ' ');
8719 }
8720 }
8721 return row;
8722 }
8723 auto operator ++() -> iterator& {
8724 for (size_t i = 0; i < m_columns.size(); ++i) {
8725 if (m_iterators[i] != m_columns[i].end())
8726 ++m_iterators[i];
8727 }
8728 return *this;
8729 }
8730 auto operator ++(int) -> iterator {
8731 iterator prev(*this);
8732 operator++();
8733 return prev;
8734 }
8735 };
8736 using const_iterator = iterator;
8737
8738 auto begin() const -> iterator { return iterator(*this); }
8739 auto end() const -> iterator { return { *this, iterator::EndTag() }; }
8740
8741 auto operator += (Column const& col) -> Columns& {
8742 m_columns.push_back(col);
8743 return *this;
8744 }
8745 auto operator + (Column const& col) -> Columns {
8746 Columns combined = *this;
8747 combined += col;
8748 return combined;
8749 }
8750
8751 inline friend std::ostream& operator << (std::ostream& os, Columns const& cols) {
8752
8753 bool first = true;
8754 for (auto line : cols) {
8755 if (first)
8756 first = false;
8757 else
8758 os << "\n";
8759 os << line;
8760 }
8761 return os;
8762 }
8763
8764 auto toString() const -> std::string {
8765 std::ostringstream oss;
8766 oss << *this;
8767 return oss.str();
8768 }
8769};
8770
8771inline auto Column::operator + (Column const& other) -> Columns {
8772 Columns cols;
8773 cols += *this;
8774 cols += other;
8775 return cols;
8776}
8777}
8778
8779}
8780}
8781
8782// ----------- end of #include from clara_textflow.hpp -----------
8783// ........... back in clara.hpp
8784
8785#include <cctype>
8786#include <string>
8787#include <memory>
8788#include <set>
8789#include <algorithm>
8790
8791#if !defined(CATCH_PLATFORM_WINDOWS) && ( defined(WIN32) || defined(__WIN32__) || defined(_WIN32) || defined(_MSC_VER) )
8792#define CATCH_PLATFORM_WINDOWS
8793#endif
8794
8795namespace Catch { namespace clara {
8796namespace detail {
8797
8798 // Traits for extracting arg and return type of lambdas (for single argument lambdas)
8799 template<typename L>
8800 struct UnaryLambdaTraits : UnaryLambdaTraits<decltype( &L::operator() )> {};
8801
8802 template<typename ClassT, typename ReturnT, typename... Args>
8803 struct UnaryLambdaTraits<ReturnT( ClassT::* )( Args... ) const> {
8804 static const bool isValid = false;
8805 };
8806
8807 template<typename ClassT, typename ReturnT, typename ArgT>
8808 struct UnaryLambdaTraits<ReturnT( ClassT::* )( ArgT ) const> {
8809 static const bool isValid = true;
8810 using ArgType = typename std::remove_const<typename std::remove_reference<ArgT>::type>::type;
8811 using ReturnType = ReturnT;
8812 };
8813
8814 class TokenStream;
8815
8816 // Transport for raw args (copied from main args, or supplied via init list for testing)
8817 class Args {
8818 friend TokenStream;
8819 std::string m_exeName;
8820 std::vector<std::string> m_args;
8821
8822 public:
8823 Args( int argc, char const* const* argv )
8824 : m_exeName(argv[0]),
8825 m_args(argv + 1, argv + argc) {}
8826
8827 Args( std::initializer_list<std::string> args )
8828 : m_exeName( *args.begin() ),
8829 m_args( args.begin()+1, args.end() )
8830 {}
8831
8832 auto exeName() const -> std::string {
8833 return m_exeName;
8834 }
8835 };
8836
8837 // Wraps a token coming from a token stream. These may not directly correspond to strings as a single string
8838 // may encode an option + its argument if the : or = form is used
8839 enum class TokenType {
8840 Option, Argument
8841 };
8842 struct Token {
8843 TokenType type;
8844 std::string token;
8845 };
8846
8847 inline auto isOptPrefix( char c ) -> bool {
8848 return c == '-'
8849#ifdef CATCH_PLATFORM_WINDOWS
8850 || c == '/'
8851#endif
8852 ;
8853 }
8854
8855 // Abstracts iterators into args as a stream of tokens, with option arguments uniformly handled
8856 class TokenStream {
8857 using Iterator = std::vector<std::string>::const_iterator;
8858 Iterator it;
8859 Iterator itEnd;
8860 std::vector<Token> m_tokenBuffer;
8861
8862 void loadBuffer() {
8863 m_tokenBuffer.resize( 0 );
8864
8865 // Skip any empty strings
8866 while( it != itEnd && it->empty() )
8867 ++it;
8868
8869 if( it != itEnd ) {
8870 auto const &next = *it;
8871 if( isOptPrefix( next[0] ) ) {
8872 auto delimiterPos = next.find_first_of( " :=" );
8873 if( delimiterPos != std::string::npos ) {
8874 m_tokenBuffer.push_back( { TokenType::Option, next.substr( 0, delimiterPos ) } );
8875 m_tokenBuffer.push_back( { TokenType::Argument, next.substr( delimiterPos + 1 ) } );
8876 } else {
8877 if( next[1] != '-' && next.size() > 2 ) {
8878 std::string opt = "- ";
8879 for( size_t i = 1; i < next.size(); ++i ) {
8880 opt[1] = next[i];
8881 m_tokenBuffer.push_back( { TokenType::Option, opt } );
8882 }
8883 } else {
8884 m_tokenBuffer.push_back( { TokenType::Option, next } );
8885 }
8886 }
8887 } else {
8888 m_tokenBuffer.push_back( { TokenType::Argument, next } );
8889 }
8890 }
8891 }
8892
8893 public:
8894 explicit TokenStream( Args const &args ) : TokenStream( args.m_args.begin(), args.m_args.end() ) {}
8895
8896 TokenStream( Iterator it, Iterator itEnd ) : it( it ), itEnd( itEnd ) {
8897 loadBuffer();
8898 }
8899
8900 explicit operator bool() const {
8901 return !m_tokenBuffer.empty() || it != itEnd;
8902 }
8903
8904 auto count() const -> size_t { return m_tokenBuffer.size() + (itEnd - it); }
8905
8906 auto operator*() const -> Token {
8907 assert( !m_tokenBuffer.empty() );
8908 return m_tokenBuffer.front();
8909 }
8910
8911 auto operator->() const -> Token const * {
8912 assert( !m_tokenBuffer.empty() );
8913 return &m_tokenBuffer.front();
8914 }
8915
8916 auto operator++() -> TokenStream & {
8917 if( m_tokenBuffer.size() >= 2 ) {
8918 m_tokenBuffer.erase( m_tokenBuffer.begin() );
8919 } else {
8920 if( it != itEnd )
8921 ++it;
8922 loadBuffer();
8923 }
8924 return *this;
8925 }
8926 };
8927
8928 class ResultBase {
8929 public:
8930 enum Type {
8931 Ok, LogicError, RuntimeError
8932 };
8933
8934 protected:
8935 ResultBase( Type type ) : m_type( type ) {}
8936 virtual ~ResultBase() = default;
8937
8938 virtual void enforceOk() const = 0;
8939
8940 Type m_type;
8941 };
8942
8943 template<typename T>
8944 class ResultValueBase : public ResultBase {
8945 public:
8946 auto value() const -> T const & {
8947 enforceOk();
8948 return m_value;
8949 }
8950
8951 protected:
8952 ResultValueBase( Type type ) : ResultBase( type ) {}
8953
8954 ResultValueBase( ResultValueBase const &other ) : ResultBase( other ) {
8955 if( m_type == ResultBase::Ok )
8956 new( &m_value ) T( other.m_value );
8957 }
8958
8959 ResultValueBase( Type, T const &value ) : ResultBase( Ok ) {
8960 new( &m_value ) T( value );
8961 }
8962
8963 auto operator=( ResultValueBase const &other ) -> ResultValueBase & {
8964 if( m_type == ResultBase::Ok )
8965 m_value.~T();
8966 ResultBase::operator=(other);
8967 if( m_type == ResultBase::Ok )
8968 new( &m_value ) T( other.m_value );
8969 return *this;
8970 }
8971
8972 ~ResultValueBase() override {
8973 if( m_type == Ok )
8974 m_value.~T();
8975 }
8976
8977 union {
8978 T m_value;
8979 };
8980 };
8981
8982 template<>
8983 class ResultValueBase<void> : public ResultBase {
8984 protected:
8985 using ResultBase::ResultBase;
8986 };
8987
8988 template<typename T = void>
8989 class BasicResult : public ResultValueBase<T> {
8990 public:
8991 template<typename U>
8992 explicit BasicResult( BasicResult<U> const &other )
8993 : ResultValueBase<T>( other.type() ),
8994 m_errorMessage( other.errorMessage() )
8995 {
8996 assert( type() != ResultBase::Ok );
8997 }
8998
8999 template<typename U>
9000 static auto ok( U const &value ) -> BasicResult { return { ResultBase::Ok, value }; }
9001 static auto ok() -> BasicResult { return { ResultBase::Ok }; }
9002 static auto logicError( std::string const &message ) -> BasicResult { return { ResultBase::LogicError, message }; }
9003 static auto runtimeError( std::string const &message ) -> BasicResult { return { ResultBase::RuntimeError, message }; }
9004
9005 explicit operator bool() const { return m_type == ResultBase::Ok; }
9006 auto type() const -> ResultBase::Type { return m_type; }
9007 auto errorMessage() const -> std::string { return m_errorMessage; }
9008
9009 protected:
9010 void enforceOk() const override {
9011
9012 // Errors shouldn't reach this point, but if they do
9013 // the actual error message will be in m_errorMessage
9014 assert( m_type != ResultBase::LogicError );
9015 assert( m_type != ResultBase::RuntimeError );
9016 if( m_type != ResultBase::Ok )
9017 std::abort();
9018 }
9019
9020 std::string m_errorMessage; // Only populated if resultType is an error
9021
9022 BasicResult( ResultBase::Type type, std::string const &message )
9023 : ResultValueBase<T>(type),
9024 m_errorMessage(message)
9025 {
9026 assert( m_type != ResultBase::Ok );
9027 }
9028
9029 using ResultValueBase<T>::ResultValueBase;
9030 using ResultBase::m_type;
9031 };
9032
9033 enum class ParseResultType {
9034 Matched, NoMatch, ShortCircuitAll, ShortCircuitSame
9035 };
9036
9037 class ParseState {
9038 public:
9039
9040 ParseState( ParseResultType type, TokenStream const &remainingTokens )
9041 : m_type(type),
9042 m_remainingTokens( remainingTokens )
9043 {}
9044
9045 auto type() const -> ParseResultType { return m_type; }
9046 auto remainingTokens() const -> TokenStream { return m_remainingTokens; }
9047
9048 private:
9049 ParseResultType m_type;
9050 TokenStream m_remainingTokens;
9051 };
9052
9053 using Result = BasicResult<void>;
9054 using ParserResult = BasicResult<ParseResultType>;
9055 using InternalParseResult = BasicResult<ParseState>;
9056
9057 struct HelpColumns {
9058 std::string left;
9059 std::string right;
9060 };
9061
9062 template<typename T>
9063 inline auto convertInto( std::string const &source, T& target ) -> ParserResult {
9064 std::stringstream ss;
9065 ss << source;
9066 ss >> target;
9067 if( ss.fail() )
9068 return ParserResult::runtimeError( "Unable to convert '" + source + "' to destination type" );
9069 else
9070 return ParserResult::ok( ParseResultType::Matched );
9071 }
9072 inline auto convertInto( std::string const &source, std::string& target ) -> ParserResult {
9073 target = source;
9074 return ParserResult::ok( ParseResultType::Matched );
9075 }
9076 inline auto convertInto( std::string const &source, bool &target ) -> ParserResult {
9077 std::string srcLC = source;
9078 std::transform( srcLC.begin(), srcLC.end(), srcLC.begin(), []( char c ) { return static_cast<char>( std::tolower(c) ); } );
9079 if (srcLC == "y" || srcLC == "1" || srcLC == "true" || srcLC == "yes" || srcLC == "on")
9080 target = true;
9081 else if (srcLC == "n" || srcLC == "0" || srcLC == "false" || srcLC == "no" || srcLC == "off")
9082 target = false;
9083 else
9084 return ParserResult::runtimeError( "Expected a boolean value but did not recognise: '" + source + "'" );
9085 return ParserResult::ok( ParseResultType::Matched );
9086 }
9087#ifdef CLARA_CONFIG_OPTIONAL_TYPE
9088 template<typename T>
9089 inline auto convertInto( std::string const &source, CLARA_CONFIG_OPTIONAL_TYPE<T>& target ) -> ParserResult {
9090 T temp;
9091 auto result = convertInto( source, temp );
9092 if( result )
9093 target = std::move(temp);
9094 return result;
9095 }
9096#endif // CLARA_CONFIG_OPTIONAL_TYPE
9097
9098 struct NonCopyable {
9099 NonCopyable() = default;
9100 NonCopyable( NonCopyable const & ) = delete;
9101 NonCopyable( NonCopyable && ) = delete;
9102 NonCopyable &operator=( NonCopyable const & ) = delete;
9103 NonCopyable &operator=( NonCopyable && ) = delete;
9104 };
9105
9106 struct BoundRef : NonCopyable {
9107 virtual ~BoundRef() = default;
9108 virtual auto isContainer() const -> bool { return false; }
9109 virtual auto isFlag() const -> bool { return false; }
9110 };
9111 struct BoundValueRefBase : BoundRef {
9112 virtual auto setValue( std::string const &arg ) -> ParserResult = 0;
9113 };
9114 struct BoundFlagRefBase : BoundRef {
9115 virtual auto setFlag( bool flag ) -> ParserResult = 0;
9116 virtual auto isFlag() const -> bool { return true; }
9117 };
9118
9119 template<typename T>
9120 struct BoundValueRef : BoundValueRefBase {
9121 T &m_ref;
9122
9123 explicit BoundValueRef( T &ref ) : m_ref( ref ) {}
9124
9125 auto setValue( std::string const &arg ) -> ParserResult override {
9126 return convertInto( arg, m_ref );
9127 }
9128 };
9129
9130 template<typename T>
9131 struct BoundValueRef<std::vector<T>> : BoundValueRefBase {
9132 std::vector<T> &m_ref;
9133
9134 explicit BoundValueRef( std::vector<T> &ref ) : m_ref( ref ) {}
9135
9136 auto isContainer() const -> bool override { return true; }
9137
9138 auto setValue( std::string const &arg ) -> ParserResult override {
9139 T temp;
9140 auto result = convertInto( arg, temp );
9141 if( result )
9142 m_ref.push_back( temp );
9143 return result;
9144 }
9145 };
9146
9147 struct BoundFlagRef : BoundFlagRefBase {
9148 bool &m_ref;
9149
9150 explicit BoundFlagRef( bool &ref ) : m_ref( ref ) {}
9151
9152 auto setFlag( bool flag ) -> ParserResult override {
9153 m_ref = flag;
9154 return ParserResult::ok( ParseResultType::Matched );
9155 }
9156 };
9157
9158 template<typename ReturnType>
9159 struct LambdaInvoker {
9160 static_assert( std::is_same<ReturnType, ParserResult>::value, "Lambda must return void or clara::ParserResult" );
9161
9162 template<typename L, typename ArgType>
9163 static auto invoke( L const &lambda, ArgType const &arg ) -> ParserResult {
9164 return lambda( arg );
9165 }
9166 };
9167
9168 template<>
9169 struct LambdaInvoker<void> {
9170 template<typename L, typename ArgType>
9171 static auto invoke( L const &lambda, ArgType const &arg ) -> ParserResult {
9172 lambda( arg );
9173 return ParserResult::ok( ParseResultType::Matched );
9174 }
9175 };
9176
9177 template<typename ArgType, typename L>
9178 inline auto invokeLambda( L const &lambda, std::string const &arg ) -> ParserResult {
9179 ArgType temp{};
9180 auto result = convertInto( arg, temp );
9181 return !result
9182 ? result
9183 : LambdaInvoker<typename UnaryLambdaTraits<L>::ReturnType>::invoke( lambda, temp );
9184 }
9185
9186 template<typename L>
9187 struct BoundLambda : BoundValueRefBase {
9188 L m_lambda;
9189
9190 static_assert( UnaryLambdaTraits<L>::isValid, "Supplied lambda must take exactly one argument" );
9191 explicit BoundLambda( L const &lambda ) : m_lambda( lambda ) {}
9192
9193 auto setValue( std::string const &arg ) -> ParserResult override {
9194 return invokeLambda<typename UnaryLambdaTraits<L>::ArgType>( m_lambda, arg );
9195 }
9196 };
9197
9198 template<typename L>
9199 struct BoundFlagLambda : BoundFlagRefBase {
9200 L m_lambda;
9201
9202 static_assert( UnaryLambdaTraits<L>::isValid, "Supplied lambda must take exactly one argument" );
9203 static_assert( std::is_same<typename UnaryLambdaTraits<L>::ArgType, bool>::value, "flags must be boolean" );
9204
9205 explicit BoundFlagLambda( L const &lambda ) : m_lambda( lambda ) {}
9206
9207 auto setFlag( bool flag ) -> ParserResult override {
9208 return LambdaInvoker<typename UnaryLambdaTraits<L>::ReturnType>::invoke( m_lambda, flag );
9209 }
9210 };
9211
9212 enum class Optionality { Optional, Required };
9213
9214 struct Parser;
9215
9216 class ParserBase {
9217 public:
9218 virtual ~ParserBase() = default;
9219 virtual auto validate() const -> Result { return Result::ok(); }
9220 virtual auto parse( std::string const& exeName, TokenStream const &tokens) const -> InternalParseResult = 0;
9221 virtual auto cardinality() const -> size_t { return 1; }
9222
9223 auto parse( Args const &args ) const -> InternalParseResult {
9224 return parse( args.exeName(), TokenStream( args ) );
9225 }
9226 };
9227
9228 template<typename DerivedT>
9229 class ComposableParserImpl : public ParserBase {
9230 public:
9231 template<typename T>
9232 auto operator|( T const &other ) const -> Parser;
9233
9234 template<typename T>
9235 auto operator+( T const &other ) const -> Parser;
9236 };
9237
9238 // Common code and state for Args and Opts
9239 template<typename DerivedT>
9240 class ParserRefImpl : public ComposableParserImpl<DerivedT> {
9241 protected:
9242 Optionality m_optionality = Optionality::Optional;
9243 std::shared_ptr<BoundRef> m_ref;
9244 std::string m_hint;
9245 std::string m_description;
9246
9247 explicit ParserRefImpl( std::shared_ptr<BoundRef> const &ref ) : m_ref( ref ) {}
9248
9249 public:
9250 template<typename T>
9251 ParserRefImpl( T &ref, std::string const &hint )
9252 : m_ref( std::make_shared<BoundValueRef<T>>( ref ) ),
9253 m_hint( hint )
9254 {}
9255
9256 template<typename LambdaT>
9257 ParserRefImpl( LambdaT const &ref, std::string const &hint )
9258 : m_ref( std::make_shared<BoundLambda<LambdaT>>( ref ) ),
9259 m_hint(hint)
9260 {}
9261
9262 auto operator()( std::string const &description ) -> DerivedT & {
9263 m_description = description;
9264 return static_cast<DerivedT &>( *this );
9265 }
9266
9267 auto optional() -> DerivedT & {
9268 m_optionality = Optionality::Optional;
9269 return static_cast<DerivedT &>( *this );
9270 };
9271
9272 auto required() -> DerivedT & {
9273 m_optionality = Optionality::Required;
9274 return static_cast<DerivedT &>( *this );
9275 };
9276
9277 auto isOptional() const -> bool {
9278 return m_optionality == Optionality::Optional;
9279 }
9280
9281 auto cardinality() const -> size_t override {
9282 if( m_ref->isContainer() )
9283 return 0;
9284 else
9285 return 1;
9286 }
9287
9288 auto hint() const -> std::string { return m_hint; }
9289 };
9290
9291 class ExeName : public ComposableParserImpl<ExeName> {
9292 std::shared_ptr<std::string> m_name;
9293 std::shared_ptr<BoundValueRefBase> m_ref;
9294
9295 template<typename LambdaT>
9296 static auto makeRef(LambdaT const &lambda) -> std::shared_ptr<BoundValueRefBase> {
9297 return std::make_shared<BoundLambda<LambdaT>>( lambda) ;
9298 }
9299
9300 public:
9301 ExeName() : m_name( std::make_shared<std::string>( "<executable>" ) ) {}
9302
9303 explicit ExeName( std::string &ref ) : ExeName() {
9304 m_ref = std::make_shared<BoundValueRef<std::string>>( ref );
9305 }
9306
9307 template<typename LambdaT>
9308 explicit ExeName( LambdaT const& lambda ) : ExeName() {
9309 m_ref = std::make_shared<BoundLambda<LambdaT>>( lambda );
9310 }
9311
9312 // The exe name is not parsed out of the normal tokens, but is handled specially
9313 auto parse( std::string const&, TokenStream const &tokens ) const -> InternalParseResult override {
9314 return InternalParseResult::ok( ParseState( ParseResultType::NoMatch, tokens ) );
9315 }
9316
9317 auto name() const -> std::string { return *m_name; }
9318 auto set( std::string const& newName ) -> ParserResult {
9319
9320 auto lastSlash = newName.find_last_of( "\\/" );
9321 auto filename = ( lastSlash == std::string::npos )
9322 ? newName
9323 : newName.substr( lastSlash+1 );
9324
9325 *m_name = filename;
9326 if( m_ref )
9327 return m_ref->setValue( filename );
9328 else
9329 return ParserResult::ok( ParseResultType::Matched );
9330 }
9331 };
9332
9333 class Arg : public ParserRefImpl<Arg> {
9334 public:
9335 using ParserRefImpl::ParserRefImpl;
9336
9337 auto parse( std::string const &, TokenStream const &tokens ) const -> InternalParseResult override {
9338 auto validationResult = validate();
9339 if( !validationResult )
9340 return InternalParseResult( validationResult );
9341
9342 auto remainingTokens = tokens;
9343 auto const &token = *remainingTokens;
9344 if( token.type != TokenType::Argument )
9345 return InternalParseResult::ok( ParseState( ParseResultType::NoMatch, remainingTokens ) );
9346
9347 assert( !m_ref->isFlag() );
9348 auto valueRef = static_cast<detail::BoundValueRefBase*>( m_ref.get() );
9349
9350 auto result = valueRef->setValue( remainingTokens->token );
9351 if( !result )
9352 return InternalParseResult( result );
9353 else
9354 return InternalParseResult::ok( ParseState( ParseResultType::Matched, ++remainingTokens ) );
9355 }
9356 };
9357
9358 inline auto normaliseOpt( std::string const &optName ) -> std::string {
9359#ifdef CATCH_PLATFORM_WINDOWS
9360 if( optName[0] == '/' )
9361 return "-" + optName.substr( 1 );
9362 else
9363#endif
9364 return optName;
9365 }
9366
9367 class Opt : public ParserRefImpl<Opt> {
9368 protected:
9369 std::vector<std::string> m_optNames;
9370
9371 public:
9372 template<typename LambdaT>
9373 explicit Opt( LambdaT const &ref ) : ParserRefImpl( std::make_shared<BoundFlagLambda<LambdaT>>( ref ) ) {}
9374
9375 explicit Opt( bool &ref ) : ParserRefImpl( std::make_shared<BoundFlagRef>( ref ) ) {}
9376
9377 template<typename LambdaT>
9378 Opt( LambdaT const &ref, std::string const &hint ) : ParserRefImpl( ref, hint ) {}
9379
9380 template<typename T>
9381 Opt( T &ref, std::string const &hint ) : ParserRefImpl( ref, hint ) {}
9382
9383 auto operator[]( std::string const &optName ) -> Opt & {
9384 m_optNames.push_back( optName );
9385 return *this;
9386 }
9387
9388 auto getHelpColumns() const -> std::vector<HelpColumns> {
9389 std::ostringstream oss;
9390 bool first = true;
9391 for( auto const &opt : m_optNames ) {
9392 if (first)
9393 first = false;
9394 else
9395 oss << ", ";
9396 oss << opt;
9397 }
9398 if( !m_hint.empty() )
9399 oss << " <" << m_hint << ">";
9400 return { { oss.str(), m_description } };
9401 }
9402
9403 auto isMatch( std::string const &optToken ) const -> bool {
9404 auto normalisedToken = normaliseOpt( optToken );
9405 for( auto const &name : m_optNames ) {
9406 if( normaliseOpt( name ) == normalisedToken )
9407 return true;
9408 }
9409 return false;
9410 }
9411
9412 using ParserBase::parse;
9413
9414 auto parse( std::string const&, TokenStream const &tokens ) const -> InternalParseResult override {
9415 auto validationResult = validate();
9416 if( !validationResult )
9417 return InternalParseResult( validationResult );
9418
9419 auto remainingTokens = tokens;
9420 if( remainingTokens && remainingTokens->type == TokenType::Option ) {
9421 auto const &token = *remainingTokens;
9422 if( isMatch(token.token ) ) {
9423 if( m_ref->isFlag() ) {
9424 auto flagRef = static_cast<detail::BoundFlagRefBase*>( m_ref.get() );
9425 auto result = flagRef->setFlag( true );
9426 if( !result )
9427 return InternalParseResult( result );
9428 if( result.value() == ParseResultType::ShortCircuitAll )
9429 return InternalParseResult::ok( ParseState( result.value(), remainingTokens ) );
9430 } else {
9431 auto valueRef = static_cast<detail::BoundValueRefBase*>( m_ref.get() );
9432 ++remainingTokens;
9433 if( !remainingTokens )
9434 return InternalParseResult::runtimeError( "Expected argument following " + token.token );
9435 auto const &argToken = *remainingTokens;
9436 if( argToken.type != TokenType::Argument )
9437 return InternalParseResult::runtimeError( "Expected argument following " + token.token );
9438 auto result = valueRef->setValue( argToken.token );
9439 if( !result )
9440 return InternalParseResult( result );
9441 if( result.value() == ParseResultType::ShortCircuitAll )
9442 return InternalParseResult::ok( ParseState( result.value(), remainingTokens ) );
9443 }
9444 return InternalParseResult::ok( ParseState( ParseResultType::Matched, ++remainingTokens ) );
9445 }
9446 }
9447 return InternalParseResult::ok( ParseState( ParseResultType::NoMatch, remainingTokens ) );
9448 }
9449
9450 auto validate() const -> Result override {
9451 if( m_optNames.empty() )
9452 return Result::logicError( "No options supplied to Opt" );
9453 for( auto const &name : m_optNames ) {
9454 if( name.empty() )
9455 return Result::logicError( "Option name cannot be empty" );
9456#ifdef CATCH_PLATFORM_WINDOWS
9457 if( name[0] != '-' && name[0] != '/' )
9458 return Result::logicError( "Option name must begin with '-' or '/'" );
9459#else
9460 if( name[0] != '-' )
9461 return Result::logicError( "Option name must begin with '-'" );
9462#endif
9463 }
9464 return ParserRefImpl::validate();
9465 }
9466 };
9467
9468 struct Help : Opt {
9469 Help( bool &showHelpFlag )
9470 : Opt([&]( bool flag ) {
9471 showHelpFlag = flag;
9472 return ParserResult::ok( ParseResultType::ShortCircuitAll );
9473 })
9474 {
9475 static_cast<Opt &>( *this )
9476 ("display usage information")
9477 ["-?"]["-h"]["--help"]
9478 .optional();
9479 }
9480 };
9481
9482 struct Parser : ParserBase {
9483
9484 mutable ExeName m_exeName;
9485 std::vector<Opt> m_options;
9486 std::vector<Arg> m_args;
9487
9488 auto operator|=( ExeName const &exeName ) -> Parser & {
9489 m_exeName = exeName;
9490 return *this;
9491 }
9492
9493 auto operator|=( Arg const &arg ) -> Parser & {
9494 m_args.push_back(arg);
9495 return *this;
9496 }
9497
9498 auto operator|=( Opt const &opt ) -> Parser & {
9499 m_options.push_back(opt);
9500 return *this;
9501 }
9502
9503 auto operator|=( Parser const &other ) -> Parser & {
9504 m_options.insert(m_options.end(), other.m_options.begin(), other.m_options.end());
9505 m_args.insert(m_args.end(), other.m_args.begin(), other.m_args.end());
9506 return *this;
9507 }
9508
9509 template<typename T>
9510 auto operator|( T const &other ) const -> Parser {
9511 return Parser( *this ) |= other;
9512 }
9513
9514 // Forward deprecated interface with '+' instead of '|'
9515 template<typename T>
9516 auto operator+=( T const &other ) -> Parser & { return operator|=( other ); }
9517 template<typename T>
9518 auto operator+( T const &other ) const -> Parser { return operator|( other ); }
9519
9520 auto getHelpColumns() const -> std::vector<HelpColumns> {
9521 std::vector<HelpColumns> cols;
9522 for (auto const &o : m_options) {
9523 auto childCols = o.getHelpColumns();
9524 cols.insert( cols.end(), childCols.begin(), childCols.end() );
9525 }
9526 return cols;
9527 }
9528
9529 void writeToStream( std::ostream &os ) const {
9530 if (!m_exeName.name().empty()) {
9531 os << "usage:\n" << " " << m_exeName.name() << " ";
9532 bool required = true, first = true;
9533 for( auto const &arg : m_args ) {
9534 if (first)
9535 first = false;
9536 else
9537 os << " ";
9538 if( arg.isOptional() && required ) {
9539 os << "[";
9540 required = false;
9541 }
9542 os << "<" << arg.hint() << ">";
9543 if( arg.cardinality() == 0 )
9544 os << " ... ";
9545 }
9546 if( !required )
9547 os << "]";
9548 if( !m_options.empty() )
9549 os << " options";
9550 os << "\n\nwhere options are:" << std::endl;
9551 }
9552
9553 auto rows = getHelpColumns();
9554 size_t consoleWidth = CATCH_CLARA_CONFIG_CONSOLE_WIDTH;
9555 size_t optWidth = 0;
9556 for( auto const &cols : rows )
9557 optWidth = (std::max)(optWidth, cols.left.size() + 2);
9558
9559 optWidth = (std::min)(optWidth, consoleWidth/2);
9560
9561 for( auto const &cols : rows ) {
9562 auto row =
9563 TextFlow::Column( cols.left ).width( optWidth ).indent( 2 ) +
9564 TextFlow::Spacer(4) +
9565 TextFlow::Column( cols.right ).width( consoleWidth - 7 - optWidth );
9566 os << row << std::endl;
9567 }
9568 }
9569
9570 friend auto operator<<( std::ostream &os, Parser const &parser ) -> std::ostream& {
9571 parser.writeToStream( os );
9572 return os;
9573 }
9574
9575 auto validate() const -> Result override {
9576 for( auto const &opt : m_options ) {
9577 auto result = opt.validate();
9578 if( !result )
9579 return result;
9580 }
9581 for( auto const &arg : m_args ) {
9582 auto result = arg.validate();
9583 if( !result )
9584 return result;
9585 }
9586 return Result::ok();
9587 }
9588
9589 using ParserBase::parse;
9590
9591 auto parse( std::string const& exeName, TokenStream const &tokens ) const -> InternalParseResult override {
9592
9593 struct ParserInfo {
9594 ParserBase const* parser = nullptr;
9595 size_t count = 0;
9596 };
9597 const size_t totalParsers = m_options.size() + m_args.size();
9598 assert( totalParsers < 512 );
9599 // ParserInfo parseInfos[totalParsers]; // <-- this is what we really want to do
9600 ParserInfo parseInfos[512];
9601
9602 {
9603 size_t i = 0;
9604 for (auto const &opt : m_options) parseInfos[i++].parser = &opt;
9605 for (auto const &arg : m_args) parseInfos[i++].parser = &arg;
9606 }
9607
9608 m_exeName.set( exeName );
9609
9610 auto result = InternalParseResult::ok( ParseState( ParseResultType::NoMatch, tokens ) );
9611 while( result.value().remainingTokens() ) {
9612 bool tokenParsed = false;
9613
9614 for( size_t i = 0; i < totalParsers; ++i ) {
9615 auto& parseInfo = parseInfos[i];
9616 if( parseInfo.parser->cardinality() == 0 || parseInfo.count < parseInfo.parser->cardinality() ) {
9617 result = parseInfo.parser->parse(exeName, result.value().remainingTokens());
9618 if (!result)
9619 return result;
9620 if (result.value().type() != ParseResultType::NoMatch) {
9621 tokenParsed = true;
9622 ++parseInfo.count;
9623 break;
9624 }
9625 }
9626 }
9627
9628 if( result.value().type() == ParseResultType::ShortCircuitAll )
9629 return result;
9630 if( !tokenParsed )
9631 return InternalParseResult::runtimeError( "Unrecognised token: " + result.value().remainingTokens()->token );
9632 }
9633 // !TBD Check missing required options
9634 return result;
9635 }
9636 };
9637
9638 template<typename DerivedT>
9639 template<typename T>
9640 auto ComposableParserImpl<DerivedT>::operator|( T const &other ) const -> Parser {
9641 return Parser() | static_cast<DerivedT const &>( *this ) | other;
9642 }
9643} // namespace detail
9644
9645// A Combined parser
9646using detail::Parser;
9647
9648// A parser for options
9649using detail::Opt;
9650
9651// A parser for arguments
9652using detail::Arg;
9653
9654// Wrapper for argc, argv from main()
9655using detail::Args;
9656
9657// Specifies the name of the executable
9658using detail::ExeName;
9659
9660// Convenience wrapper for option parser that specifies the help option
9661using detail::Help;
9662
9663// enum of result types from a parse
9664using detail::ParseResultType;
9665
9666// Result type for parser operation
9667using detail::ParserResult;
9668
9669}} // namespace Catch::clara
9670
9671// end clara.hpp
9672#ifdef __clang__
9673#pragma clang diagnostic pop
9674#endif
9675
9676// Restore Clara's value for console width, if present
9677#ifdef CATCH_TEMP_CLARA_CONFIG_CONSOLE_WIDTH
9678#define CATCH_CLARA_TEXTFLOW_CONFIG_CONSOLE_WIDTH CATCH_TEMP_CLARA_CONFIG_CONSOLE_WIDTH
9679#undef CATCH_TEMP_CLARA_CONFIG_CONSOLE_WIDTH
9680#endif
9681
9682// end catch_clara.h
9683namespace Catch {
9684
9685 clara::Parser makeCommandLineParser( ConfigData& config );
9686
9687} // end namespace Catch
9688
9689// end catch_commandline.h
9690#include <fstream>
9691#include <ctime>
9692
9693namespace Catch {
9694
9695 clara::Parser makeCommandLineParser( ConfigData& config ) {
9696
9697 using namespace clara;
9698
9699 auto const setWarning = [&]( std::string const& warning ) {
9700 auto warningSet = [&]() {
9701 if( warning == "NoAssertions" )
9702 return WarnAbout::NoAssertions;
9703
9704 if ( warning == "NoTests" )
9705 return WarnAbout::NoTests;
9706
9707 return WarnAbout::Nothing;
9708 }();
9709
9710 if (warningSet == WarnAbout::Nothing)
9711 return ParserResult::runtimeError( "Unrecognised warning: '" + warning + "'" );
9712 config.warnings = static_cast<WarnAbout::What>( config.warnings | warningSet );
9713 return ParserResult::ok( ParseResultType::Matched );
9714 };
9715 auto const loadTestNamesFromFile = [&]( std::string const& filename ) {
9716 std::ifstream f( filename.c_str() );
9717 if( !f.is_open() )
9718 return ParserResult::runtimeError( "Unable to load input file: '" + filename + "'" );
9719
9720 std::string line;
9721 while( std::getline( f, line ) ) {
9722 line = trim(line);
9723 if( !line.empty() && !startsWith( line, '#' ) ) {
9724 if( !startsWith( line, '"' ) )
9725 line = '"' + line + '"';
9726 config.testsOrTags.push_back( line );
9727 config.testsOrTags.emplace_back( "," );
9728 }
9729 }
9730 //Remove comma in the end
9731 if(!config.testsOrTags.empty())
9732 config.testsOrTags.erase( config.testsOrTags.end()-1 );
9733
9734 return ParserResult::ok( ParseResultType::Matched );
9735 };
9736 auto const setTestOrder = [&]( std::string const& order ) {
9737 if( startsWith( "declared", order ) )
9738 config.runOrder = RunTests::InDeclarationOrder;
9739 else if( startsWith( "lexical", order ) )
9740 config.runOrder = RunTests::InLexicographicalOrder;
9741 else if( startsWith( "random", order ) )
9742 config.runOrder = RunTests::InRandomOrder;
9743 else
9744 return clara::ParserResult::runtimeError( "Unrecognised ordering: '" + order + "'" );
9745 return ParserResult::ok( ParseResultType::Matched );
9746 };
9747 auto const setRngSeed = [&]( std::string const& seed ) {
9748 if( seed != "time" )
9749 return clara::detail::convertInto( seed, config.rngSeed );
9750 config.rngSeed = static_cast<unsigned int>( std::time(nullptr) );
9751 return ParserResult::ok( ParseResultType::Matched );
9752 };
9753 auto const setColourUsage = [&]( std::string const& useColour ) {
9754 auto mode = toLower( useColour );
9755
9756 if( mode == "yes" )
9757 config.useColour = UseColour::Yes;
9758 else if( mode == "no" )
9759 config.useColour = UseColour::No;
9760 else if( mode == "auto" )
9761 config.useColour = UseColour::Auto;
9762 else
9763 return ParserResult::runtimeError( "colour mode must be one of: auto, yes or no. '" + useColour + "' not recognised" );
9764 return ParserResult::ok( ParseResultType::Matched );
9765 };
9766 auto const setWaitForKeypress = [&]( std::string const& keypress ) {
9767 auto keypressLc = toLower( keypress );
9768 if (keypressLc == "never")
9769 config.waitForKeypress = WaitForKeypress::Never;
9770 else if( keypressLc == "start" )
9771 config.waitForKeypress = WaitForKeypress::BeforeStart;
9772 else if( keypressLc == "exit" )
9773 config.waitForKeypress = WaitForKeypress::BeforeExit;
9774 else if( keypressLc == "both" )
9775 config.waitForKeypress = WaitForKeypress::BeforeStartAndExit;
9776 else
9777 return ParserResult::runtimeError( "keypress argument must be one of: never, start, exit or both. '" + keypress + "' not recognised" );
9778 return ParserResult::ok( ParseResultType::Matched );
9779 };
9780 auto const setVerbosity = [&]( std::string const& verbosity ) {
9781 auto lcVerbosity = toLower( verbosity );
9782 if( lcVerbosity == "quiet" )
9783 config.verbosity = Verbosity::Quiet;
9784 else if( lcVerbosity == "normal" )
9785 config.verbosity = Verbosity::Normal;
9786 else if( lcVerbosity == "high" )
9787 config.verbosity = Verbosity::High;
9788 else
9789 return ParserResult::runtimeError( "Unrecognised verbosity, '" + verbosity + "'" );
9790 return ParserResult::ok( ParseResultType::Matched );
9791 };
9792 auto const setReporter = [&]( std::string const& reporter ) {
9793 IReporterRegistry::FactoryMap const& factories = getRegistryHub().getReporterRegistry().getFactories();
9794
9795 auto lcReporter = toLower( reporter );
9796 auto result = factories.find( lcReporter );
9797
9798 if( factories.end() != result )
9799 config.reporterName = lcReporter;
9800 else
9801 return ParserResult::runtimeError( "Unrecognized reporter, '" + reporter + "'. Check available with --list-reporters" );
9802 return ParserResult::ok( ParseResultType::Matched );
9803 };
9804
9805 auto cli
9806 = ExeName( config.processName )
9807 | Help( config.showHelp )
9808 | Opt( config.listTests )
9809 ["-l"]["--list-tests"]
9810 ( "list all/matching test cases" )
9811 | Opt( config.listTags )
9812 ["-t"]["--list-tags"]
9813 ( "list all/matching tags" )
9814 | Opt( config.showSuccessfulTests )
9815 ["-s"]["--success"]
9816 ( "include successful tests in output" )
9817 | Opt( config.shouldDebugBreak )
9818 ["-b"]["--break"]
9819 ( "break into debugger on failure" )
9820 | Opt( config.noThrow )
9821 ["-e"]["--nothrow"]
9822 ( "skip exception tests" )
9823 | Opt( config.showInvisibles )
9824 ["-i"]["--invisibles"]
9825 ( "show invisibles (tabs, newlines)" )
9826 | Opt( config.outputFilename, "filename" )
9827 ["-o"]["--out"]
9828 ( "output filename" )
9829 | Opt( setReporter, "name" )
9830 ["-r"]["--reporter"]
9831 ( "reporter to use (defaults to console)" )
9832 | Opt( config.name, "name" )
9833 ["-n"]["--name"]
9834 ( "suite name" )
9835 | Opt( [&]( bool ){ config.abortAfter = 1; } )
9836 ["-a"]["--abort"]
9837 ( "abort at first failure" )
9838 | Opt( [&]( int x ){ config.abortAfter = x; }, "no. failures" )
9839 ["-x"]["--abortx"]
9840 ( "abort after x failures" )
9841 | Opt( setWarning, "warning name" )
9842 ["-w"]["--warn"]
9843 ( "enable warnings" )
9844 | Opt( [&]( bool flag ) { config.showDurations = flag ? ShowDurations::Always : ShowDurations::Never; }, "yes|no" )
9845 ["-d"]["--durations"]
9846 ( "show test durations" )
9847 | Opt( loadTestNamesFromFile, "filename" )
9848 ["-f"]["--input-file"]
9849 ( "load test names to run from a file" )
9850 | Opt( config.filenamesAsTags )
9851 ["-#"]["--filenames-as-tags"]
9852 ( "adds a tag for the filename" )
9853 | Opt( config.sectionsToRun, "section name" )
9854 ["-c"]["--section"]
9855 ( "specify section to run" )
9856 | Opt( setVerbosity, "quiet|normal|high" )
9857 ["-v"]["--verbosity"]
9858 ( "set output verbosity" )
9859 | Opt( config.listTestNamesOnly )
9860 ["--list-test-names-only"]
9861 ( "list all/matching test cases names only" )
9862 | Opt( config.listReporters )
9863 ["--list-reporters"]
9864 ( "list all reporters" )
9865 | Opt( setTestOrder, "decl|lex|rand" )
9866 ["--order"]
9867 ( "test case order (defaults to decl)" )
9868 | Opt( setRngSeed, "'time'|number" )
9869 ["--rng-seed"]
9870 ( "set a specific seed for random numbers" )
9871 | Opt( setColourUsage, "yes|no" )
9872 ["--use-colour"]
9873 ( "should output be colourised" )
9874 | Opt( config.libIdentify )
9875 ["--libidentify"]
9876 ( "report name and version according to libidentify standard" )
9877 | Opt( setWaitForKeypress, "never|start|exit|both" )
9878 ["--wait-for-keypress"]
9879 ( "waits for a keypress before exiting" )
9880 | Opt( config.benchmarkSamples, "samples" )
9881 ["--benchmark-samples"]
9882 ( "number of samples to collect (default: 100)" )
9883 | Opt( config.benchmarkResamples, "resamples" )
9884 ["--benchmark-resamples"]
9885 ( "number of resamples for the bootstrap (default: 100000)" )
9886 | Opt( config.benchmarkConfidenceInterval, "confidence interval" )
9887 ["--benchmark-confidence-interval"]
9888 ( "confidence interval for the bootstrap (between 0 and 1, default: 0.95)" )
9889 | Opt( config.benchmarkNoAnalysis )
9890 ["--benchmark-no-analysis"]
9891 ( "perform only measurements; do not perform any analysis" )
9892 | Opt( config.benchmarkWarmupTime, "benchmarkWarmupTime" )
9893 ["--benchmark-warmup-time"]
9894 ( "amount of time in milliseconds spent on warming up each test (default: 100)" )
9895 | Arg( config.testsOrTags, "test name|pattern|tags" )
9896 ( "which test or tests to use" );
9897
9898 return cli;
9899 }
9900
9901} // end namespace Catch
9902// end catch_commandline.cpp
9903// start catch_common.cpp
9904
9905#include <cstring>
9906#include <ostream>
9907
9908namespace Catch {
9909
9910 bool SourceLineInfo::operator == ( SourceLineInfo const& other ) const noexcept {
9911 return line == other.line && (file == other.file || std::strcmp(file, other.file) == 0);
9912 }
9913 bool SourceLineInfo::operator < ( SourceLineInfo const& other ) const noexcept {
9914 // We can assume that the same file will usually have the same pointer.
9915 // Thus, if the pointers are the same, there is no point in calling the strcmp
9916 return line < other.line || ( line == other.line && file != other.file && (std::strcmp(file, other.file) < 0));
9917 }
9918
9919 std::ostream& operator << ( std::ostream& os, SourceLineInfo const& info ) {
9920#ifndef __GNUG__
9921 os << info.file << '(' << info.line << ')';
9922#else
9923 os << info.file << ':' << info.line;
9924#endif
9925 return os;
9926 }
9927
9928 std::string StreamEndStop::operator+() const {
9929 return std::string();
9930 }
9931
9932 NonCopyable::NonCopyable() = default;
9933 NonCopyable::~NonCopyable() = default;
9934
9935}
9936// end catch_common.cpp
9937// start catch_config.cpp
9938
9939namespace Catch {
9940
9941 Config::Config( ConfigData const& data )
9942 : m_data( data ),
9943 m_stream( openStream() )
9944 {
9945 // We need to trim filter specs to avoid trouble with superfluous
9946 // whitespace (esp. important for bdd macros, as those are manually
9947 // aligned with whitespace).
9948
9949 for (auto& elem : m_data.testsOrTags) {
9950 elem = trim(elem);
9951 }
9952 for (auto& elem : m_data.sectionsToRun) {
9953 elem = trim(elem);
9954 }
9955
9956 TestSpecParser parser(ITagAliasRegistry::get());
9957 if (!m_data.testsOrTags.empty()) {
9958 m_hasTestFilters = true;
9959 for (auto const& testOrTags : m_data.testsOrTags) {
9960 parser.parse(testOrTags);
9961 }
9962 }
9963 m_testSpec = parser.testSpec();
9964 }
9965
9966 std::string const& Config::getFilename() const {
9967 return m_data.outputFilename ;
9968 }
9969
9970 bool Config::listTests() const { return m_data.listTests; }
9971 bool Config::listTestNamesOnly() const { return m_data.listTestNamesOnly; }
9972 bool Config::listTags() const { return m_data.listTags; }
9973 bool Config::listReporters() const { return m_data.listReporters; }
9974
9975 std::string Config::getProcessName() const { return m_data.processName; }
9976 std::string const& Config::getReporterName() const { return m_data.reporterName; }
9977
9978 std::vector<std::string> const& Config::getTestsOrTags() const { return m_data.testsOrTags; }
9979 std::vector<std::string> const& Config::getSectionsToRun() const { return m_data.sectionsToRun; }
9980
9981 TestSpec const& Config::testSpec() const { return m_testSpec; }
9982 bool Config::hasTestFilters() const { return m_hasTestFilters; }
9983
9984 bool Config::showHelp() const { return m_data.showHelp; }
9985
9986 // IConfig interface
9987 bool Config::allowThrows() const { return !m_data.noThrow; }
9988 std::ostream& Config::stream() const { return m_stream->stream(); }
9989 std::string Config::name() const { return m_data.name.empty() ? m_data.processName : m_data.name; }
9990 bool Config::includeSuccessfulResults() const { return m_data.showSuccessfulTests; }
9991 bool Config::warnAboutMissingAssertions() const { return !!(m_data.warnings & WarnAbout::NoAssertions); }
9992 bool Config::warnAboutNoTests() const { return !!(m_data.warnings & WarnAbout::NoTests); }
9993 ShowDurations::OrNot Config::showDurations() const { return m_data.showDurations; }
9994 RunTests::InWhatOrder Config::runOrder() const { return m_data.runOrder; }
9995 unsigned int Config::rngSeed() const { return m_data.rngSeed; }
9996 UseColour::YesOrNo Config::useColour() const { return m_data.useColour; }
9997 bool Config::shouldDebugBreak() const { return m_data.shouldDebugBreak; }
9998 int Config::abortAfter() const { return m_data.abortAfter; }
9999 bool Config::showInvisibles() const { return m_data.showInvisibles; }
10000 Verbosity Config::verbosity() const { return m_data.verbosity; }
10001
10002 bool Config::benchmarkNoAnalysis() const { return m_data.benchmarkNoAnalysis; }
10003 int Config::benchmarkSamples() const { return m_data.benchmarkSamples; }
10004 double Config::benchmarkConfidenceInterval() const { return m_data.benchmarkConfidenceInterval; }
10005 unsigned int Config::benchmarkResamples() const { return m_data.benchmarkResamples; }
10006 std::chrono::milliseconds Config::benchmarkWarmupTime() const { return std::chrono::milliseconds(m_data.benchmarkWarmupTime); }
10007
10008 IStream const* Config::openStream() {
10009 return Catch::makeStream(m_data.outputFilename);
10010 }
10011
10012} // end namespace Catch
10013// end catch_config.cpp
10014// start catch_console_colour.cpp
10015
10016#if defined(__clang__)
10017# pragma clang diagnostic push
10018# pragma clang diagnostic ignored "-Wexit-time-destructors"
10019#endif
10020
10021// start catch_errno_guard.h
10022
10023namespace Catch {
10024
10025 class ErrnoGuard {
10026 public:
10027 ErrnoGuard();
10028 ~ErrnoGuard();
10029 private:
10030 int m_oldErrno;
10031 };
10032
10033}
10034
10035// end catch_errno_guard.h
10036#include <sstream>
10037
10038namespace Catch {
10039 namespace {
10040
10041 struct IColourImpl {
10042 virtual ~IColourImpl() = default;
10043 virtual void use( Colour::Code _colourCode ) = 0;
10044 };
10045
10046 struct NoColourImpl : IColourImpl {
10047 void use( Colour::Code ) override {}
10048
10049 static IColourImpl* instance() {
10050 static NoColourImpl s_instance;
10051 return &s_instance;
10052 }
10053 };
10054
10055 } // anon namespace
10056} // namespace Catch
10057
10058#if !defined( CATCH_CONFIG_COLOUR_NONE ) && !defined( CATCH_CONFIG_COLOUR_WINDOWS ) && !defined( CATCH_CONFIG_COLOUR_ANSI )
10059# ifdef CATCH_PLATFORM_WINDOWS
10060# define CATCH_CONFIG_COLOUR_WINDOWS
10061# else
10062# define CATCH_CONFIG_COLOUR_ANSI
10063# endif
10064#endif
10065
10066#if defined ( CATCH_CONFIG_COLOUR_WINDOWS )
10067
10068namespace Catch {
10069namespace {
10070
10071 class Win32ColourImpl : public IColourImpl {
10072 public:
10073 Win32ColourImpl() : stdoutHandle( GetStdHandle(STD_OUTPUT_HANDLE) )
10074 {
10075 CONSOLE_SCREEN_BUFFER_INFO csbiInfo;
10076 GetConsoleScreenBufferInfo( stdoutHandle, &csbiInfo );
10077 originalForegroundAttributes = csbiInfo.wAttributes & ~( BACKGROUND_GREEN | BACKGROUND_RED | BACKGROUND_BLUE | BACKGROUND_INTENSITY );
10078 originalBackgroundAttributes = csbiInfo.wAttributes & ~( FOREGROUND_GREEN | FOREGROUND_RED | FOREGROUND_BLUE | FOREGROUND_INTENSITY );
10079 }
10080
10081 void use( Colour::Code _colourCode ) override {
10082 switch( _colourCode ) {
10083 case Colour::None: return setTextAttribute( originalForegroundAttributes );
10084 case Colour::White: return setTextAttribute( FOREGROUND_GREEN | FOREGROUND_RED | FOREGROUND_BLUE );
10085 case Colour::Red: return setTextAttribute( FOREGROUND_RED );
10086 case Colour::Green: return setTextAttribute( FOREGROUND_GREEN );
10087 case Colour::Blue: return setTextAttribute( FOREGROUND_BLUE );
10088 case Colour::Cyan: return setTextAttribute( FOREGROUND_BLUE | FOREGROUND_GREEN );
10089 case Colour::Yellow: return setTextAttribute( FOREGROUND_RED | FOREGROUND_GREEN );
10090 case Colour::Grey: return setTextAttribute( 0 );
10091
10092 case Colour::LightGrey: return setTextAttribute( FOREGROUND_INTENSITY );
10093 case Colour::BrightRed: return setTextAttribute( FOREGROUND_INTENSITY | FOREGROUND_RED );
10094 case Colour::BrightGreen: return setTextAttribute( FOREGROUND_INTENSITY | FOREGROUND_GREEN );
10095 case Colour::BrightWhite: return setTextAttribute( FOREGROUND_INTENSITY | FOREGROUND_GREEN | FOREGROUND_RED | FOREGROUND_BLUE );
10096 case Colour::BrightYellow: return setTextAttribute( FOREGROUND_INTENSITY | FOREGROUND_RED | FOREGROUND_GREEN );
10097
10098 case Colour::Bright: CATCH_INTERNAL_ERROR( "not a colour" );
10099
10100 default:
10101 CATCH_ERROR( "Unknown colour requested" );
10102 }
10103 }
10104
10105 private:
10106 void setTextAttribute( WORD _textAttribute ) {
10107 SetConsoleTextAttribute( stdoutHandle, _textAttribute | originalBackgroundAttributes );
10108 }
10109 HANDLE stdoutHandle;
10110 WORD originalForegroundAttributes;
10111 WORD originalBackgroundAttributes;
10112 };
10113
10114 IColourImpl* platformColourInstance() {
10115 static Win32ColourImpl s_instance;
10116
10117 IConfigPtr config = getCurrentContext().getConfig();
10118 UseColour::YesOrNo colourMode = config
10119 ? config->useColour()
10120 : UseColour::Auto;
10121 if( colourMode == UseColour::Auto )
10122 colourMode = UseColour::Yes;
10123 return colourMode == UseColour::Yes
10124 ? &s_instance
10125 : NoColourImpl::instance();
10126 }
10127
10128} // end anon namespace
10129} // end namespace Catch
10130
10131#elif defined( CATCH_CONFIG_COLOUR_ANSI )
10132
10133#include <unistd.h>
10134
10135namespace Catch {
10136namespace {
10137
10138 // use POSIX/ ANSI console terminal codes
10139 // Thanks to Adam Strzelecki for original contribution
10140 // (http://github.com/nanoant)
10141 // https://github.com/philsquared/Catch/pull/131
10142 class PosixColourImpl : public IColourImpl {
10143 public:
10144 void use( Colour::Code _colourCode ) override {
10145 switch( _colourCode ) {
10146 case Colour::None:
10147 case Colour::White: return setColour( "[0m" );
10148 case Colour::Red: return setColour( "[0;31m" );
10149 case Colour::Green: return setColour( "[0;32m" );
10150 case Colour::Blue: return setColour( "[0;34m" );
10151 case Colour::Cyan: return setColour( "[0;36m" );
10152 case Colour::Yellow: return setColour( "[0;33m" );
10153 case Colour::Grey: return setColour( "[1;30m" );
10154
10155 case Colour::LightGrey: return setColour( "[0;37m" );
10156 case Colour::BrightRed: return setColour( "[1;31m" );
10157 case Colour::BrightGreen: return setColour( "[1;32m" );
10158 case Colour::BrightWhite: return setColour( "[1;37m" );
10159 case Colour::BrightYellow: return setColour( "[1;33m" );
10160
10161 case Colour::Bright: CATCH_INTERNAL_ERROR( "not a colour" );
10162 default: CATCH_INTERNAL_ERROR( "Unknown colour requested" );
10163 }
10164 }
10165 static IColourImpl* instance() {
10166 static PosixColourImpl s_instance;
10167 return &s_instance;
10168 }
10169
10170 private:
10171 void setColour( const char* _escapeCode ) {
10172 getCurrentContext().getConfig()->stream()
10173 << '\033' << _escapeCode;
10174 }
10175 };
10176
10177 bool useColourOnPlatform() {
10178 return
10179#if defined(CATCH_PLATFORM_MAC) || defined(CATCH_PLATFORM_IPHONE)
10180 !isDebuggerActive() &&
10181#endif
10182#if !(defined(__DJGPP__) && defined(__STRICT_ANSI__))
10183 isatty(STDOUT_FILENO)
10184#else
10185 false
10186#endif
10187 ;
10188 }
10189 IColourImpl* platformColourInstance() {
10190 ErrnoGuard guard;
10191 IConfigPtr config = getCurrentContext().getConfig();
10192 UseColour::YesOrNo colourMode = config
10193 ? config->useColour()
10194 : UseColour::Auto;
10195 if( colourMode == UseColour::Auto )
10196 colourMode = useColourOnPlatform()
10197 ? UseColour::Yes
10198 : UseColour::No;
10199 return colourMode == UseColour::Yes
10200 ? PosixColourImpl::instance()
10201 : NoColourImpl::instance();
10202 }
10203
10204} // end anon namespace
10205} // end namespace Catch
10206
10207#else // not Windows or ANSI ///////////////////////////////////////////////
10208
10209namespace Catch {
10210
10211 static IColourImpl* platformColourInstance() { return NoColourImpl::instance(); }
10212
10213} // end namespace Catch
10214
10215#endif // Windows/ ANSI/ None
10216
10217namespace Catch {
10218
10219 Colour::Colour( Code _colourCode ) { use( _colourCode ); }
10220 Colour::Colour( Colour&& other ) noexcept {
10221 m_moved = other.m_moved;
10222 other.m_moved = true;
10223 }
10224 Colour& Colour::operator=( Colour&& other ) noexcept {
10225 m_moved = other.m_moved;
10226 other.m_moved = true;
10227 return *this;
10228 }
10229
10230 Colour::~Colour(){ if( !m_moved ) use( None ); }
10231
10232 void Colour::use( Code _colourCode ) {
10233 static IColourImpl* impl = platformColourInstance();
10234 // Strictly speaking, this cannot possibly happen.
10235 // However, under some conditions it does happen (see #1626),
10236 // and this change is small enough that we can let practicality
10237 // triumph over purity in this case.
10238 if (impl != nullptr) {
10239 impl->use( _colourCode );
10240 }
10241 }
10242
10243 std::ostream& operator << ( std::ostream& os, Colour const& ) {
10244 return os;
10245 }
10246
10247} // end namespace Catch
10248
10249#if defined(__clang__)
10250# pragma clang diagnostic pop
10251#endif
10252
10253// end catch_console_colour.cpp
10254// start catch_context.cpp
10255
10256namespace Catch {
10257
10258 class Context : public IMutableContext, NonCopyable {
10259
10260 public: // IContext
10261 IResultCapture* getResultCapture() override {
10262 return m_resultCapture;
10263 }
10264 IRunner* getRunner() override {
10265 return m_runner;
10266 }
10267
10268 IConfigPtr const& getConfig() const override {
10269 return m_config;
10270 }
10271
10272 ~Context() override;
10273
10274 public: // IMutableContext
10275 void setResultCapture( IResultCapture* resultCapture ) override {
10276 m_resultCapture = resultCapture;
10277 }
10278 void setRunner( IRunner* runner ) override {
10279 m_runner = runner;
10280 }
10281 void setConfig( IConfigPtr const& config ) override {
10282 m_config = config;
10283 }
10284
10285 friend IMutableContext& getCurrentMutableContext();
10286
10287 private:
10288 IConfigPtr m_config;
10289 IRunner* m_runner = nullptr;
10290 IResultCapture* m_resultCapture = nullptr;
10291 };
10292
10293 IMutableContext *IMutableContext::currentContext = nullptr;
10294
10295 void IMutableContext::createContext()
10296 {
10297 currentContext = new Context();
10298 }
10299
10300 void cleanUpContext() {
10301 delete IMutableContext::currentContext;
10302 IMutableContext::currentContext = nullptr;
10303 }
10304 IContext::~IContext() = default;
10305 IMutableContext::~IMutableContext() = default;
10306 Context::~Context() = default;
10307
10308 SimplePcg32& rng() {
10309 static SimplePcg32 s_rng;
10310 return s_rng;
10311 }
10312
10313}
10314// end catch_context.cpp
10315// start catch_debug_console.cpp
10316
10317// start catch_debug_console.h
10318
10319#include <string>
10320
10321namespace Catch {
10322 void writeToDebugConsole( std::string const& text );
10323}
10324
10325// end catch_debug_console.h
10326#if defined(CATCH_CONFIG_ANDROID_LOGWRITE)
10327#include <android/log.h>
10328
10329 namespace Catch {
10330 void writeToDebugConsole( std::string const& text ) {
10331 __android_log_write( ANDROID_LOG_DEBUG, "Catch", text.c_str() );
10332 }
10333 }
10334
10335#elif defined(CATCH_PLATFORM_WINDOWS)
10336
10337 namespace Catch {
10338 void writeToDebugConsole( std::string const& text ) {
10339 ::OutputDebugStringA( text.c_str() );
10340 }
10341 }
10342
10343#else
10344
10345 namespace Catch {
10346 void writeToDebugConsole( std::string const& text ) {
10347 // !TBD: Need a version for Mac/ XCode and other IDEs
10348 Catch::cout() << text;
10349 }
10350 }
10351
10352#endif // Platform
10353// end catch_debug_console.cpp
10354// start catch_debugger.cpp
10355
10356#if defined(CATCH_PLATFORM_MAC) || defined(CATCH_PLATFORM_IPHONE)
10357
10358# include <cassert>
10359# include <sys/types.h>
10360# include <unistd.h>
10361# include <cstddef>
10362# include <ostream>
10363
10364#ifdef __apple_build_version__
10365 // These headers will only compile with AppleClang (XCode)
10366 // For other compilers (Clang, GCC, ... ) we need to exclude them
10367# include <sys/sysctl.h>
10368#endif
10369
10370 namespace Catch {
10371 #ifdef __apple_build_version__
10372 // The following function is taken directly from the following technical note:
10373 // https://developer.apple.com/library/archive/qa/qa1361/_index.html
10374
10375 // Returns true if the current process is being debugged (either
10376 // running under the debugger or has a debugger attached post facto).
10377 bool isDebuggerActive(){
10378 int mib[4];
10379 struct kinfo_proc info;
10380 std::size_t size;
10381
10382 // Initialize the flags so that, if sysctl fails for some bizarre
10383 // reason, we get a predictable result.
10384
10385 info.kp_proc.p_flag = 0;
10386
10387 // Initialize mib, which tells sysctl the info we want, in this case
10388 // we're looking for information about a specific process ID.
10389
10390 mib[0] = CTL_KERN;
10391 mib[1] = KERN_PROC;
10392 mib[2] = KERN_PROC_PID;
10393 mib[3] = getpid();
10394
10395 // Call sysctl.
10396
10397 size = sizeof(info);
10398 if( sysctl(mib, sizeof(mib) / sizeof(*mib), &info, &size, nullptr, 0) != 0 ) {
10399 Catch::cerr() << "\n** Call to sysctl failed - unable to determine if debugger is active **\n" << std::endl;
10400 return false;
10401 }
10402
10403 // We're being debugged if the P_TRACED flag is set.
10404
10405 return ( (info.kp_proc.p_flag & P_TRACED) != 0 );
10406 }
10407 #else
10408 bool isDebuggerActive() {
10409 // We need to find another way to determine this for non-appleclang compilers on macOS
10410 return false;
10411 }
10412 #endif
10413 } // namespace Catch
10414
10415#elif defined(CATCH_PLATFORM_LINUX)
10416 #include <fstream>
10417 #include <string>
10418
10419 namespace Catch{
10420 // The standard POSIX way of detecting a debugger is to attempt to
10421 // ptrace() the process, but this needs to be done from a child and not
10422 // this process itself to still allow attaching to this process later
10423 // if wanted, so is rather heavy. Under Linux we have the PID of the
10424 // "debugger" (which doesn't need to be gdb, of course, it could also
10425 // be strace, for example) in /proc/$PID/status, so just get it from
10426 // there instead.
10427 bool isDebuggerActive(){
10428 // Libstdc++ has a bug, where std::ifstream sets errno to 0
10429 // This way our users can properly assert over errno values
10430 ErrnoGuard guard;
10431 std::ifstream in("/proc/self/status");
10432 for( std::string line; std::getline(in, line); ) {
10433 static const int PREFIX_LEN = 11;
10434 if( line.compare(0, PREFIX_LEN, "TracerPid:\t") == 0 ) {
10435 // We're traced if the PID is not 0 and no other PID starts
10436 // with 0 digit, so it's enough to check for just a single
10437 // character.
10438 return line.length() > PREFIX_LEN && line[PREFIX_LEN] != '0';
10439 }
10440 }
10441
10442 return false;
10443 }
10444 } // namespace Catch
10445#elif defined(_MSC_VER)
10446 extern "C" __declspec(dllimport) int __stdcall IsDebuggerPresent();
10447 namespace Catch {
10448 bool isDebuggerActive() {
10449 return IsDebuggerPresent() != 0;
10450 }
10451 }
10452#elif defined(__MINGW32__)
10453 extern "C" __declspec(dllimport) int __stdcall IsDebuggerPresent();
10454 namespace Catch {
10455 bool isDebuggerActive() {
10456 return IsDebuggerPresent() != 0;
10457 }
10458 }
10459#else
10460 namespace Catch {
10461 bool isDebuggerActive() { return false; }
10462 }
10463#endif // Platform
10464// end catch_debugger.cpp
10465// start catch_decomposer.cpp
10466
10467namespace Catch {
10468
10469 ITransientExpression::~ITransientExpression() = default;
10470
10471 void formatReconstructedExpression( std::ostream &os, std::string const& lhs, StringRef op, std::string const& rhs ) {
10472 if( lhs.size() + rhs.size() < 40 &&
10473 lhs.find('\n') == std::string::npos &&
10474 rhs.find('\n') == std::string::npos )
10475 os << lhs << " " << op << " " << rhs;
10476 else
10477 os << lhs << "\n" << op << "\n" << rhs;
10478 }
10479}
10480// end catch_decomposer.cpp
10481// start catch_enforce.cpp
10482
10483#include <stdexcept>
10484
10485namespace Catch {
10486#if defined(CATCH_CONFIG_DISABLE_EXCEPTIONS) && !defined(CATCH_CONFIG_DISABLE_EXCEPTIONS_CUSTOM_HANDLER)
10487 [[noreturn]]
10488 void throw_exception(std::exception const& e) {
10489 Catch::cerr() << "Catch will terminate because it needed to throw an exception.\n"
10490 << "The message was: " << e.what() << '\n';
10491 std::terminate();
10492 }
10493#endif
10494
10495 [[noreturn]]
10496 void throw_logic_error(std::string const& msg) {
10497 throw_exception(std::logic_error(msg));
10498 }
10499
10500 [[noreturn]]
10501 void throw_domain_error(std::string const& msg) {
10502 throw_exception(std::domain_error(msg));
10503 }
10504
10505 [[noreturn]]
10506 void throw_runtime_error(std::string const& msg) {
10507 throw_exception(std::runtime_error(msg));
10508 }
10509
10510} // namespace Catch;
10511// end catch_enforce.cpp
10512// start catch_enum_values_registry.cpp
10513// start catch_enum_values_registry.h
10514
10515#include <vector>
10516#include <memory>
10517
10518namespace Catch {
10519
10520 namespace Detail {
10521
10522 std::unique_ptr<EnumInfo> makeEnumInfo( StringRef enumName, StringRef allValueNames, std::vector<int> const& values );
10523
10524 class EnumValuesRegistry : public IMutableEnumValuesRegistry {
10525
10526 std::vector<std::unique_ptr<EnumInfo>> m_enumInfos;
10527
10528 EnumInfo const& registerEnum( StringRef enumName, StringRef allEnums, std::vector<int> const& values) override;
10529 };
10530
10531 std::vector<StringRef> parseEnums( StringRef enums );
10532
10533 } // Detail
10534
10535} // Catch
10536
10537// end catch_enum_values_registry.h
10538
10539#include <map>
10540#include <cassert>
10541
10542namespace Catch {
10543
10544 IMutableEnumValuesRegistry::~IMutableEnumValuesRegistry() {}
10545
10546 namespace Detail {
10547
10548 namespace {
10549 // Extracts the actual name part of an enum instance
10550 // In other words, it returns the Blue part of Bikeshed::Colour::Blue
10551 StringRef extractInstanceName(StringRef enumInstance) {
10552 // Find last occurrence of ":"
10553 size_t name_start = enumInstance.size();
10554 while (name_start > 0 && enumInstance[name_start - 1] != ':') {
10555 --name_start;
10556 }
10557 return enumInstance.substr(name_start, enumInstance.size() - name_start);
10558 }
10559 }
10560
10561 std::vector<StringRef> parseEnums( StringRef enums ) {
10562 auto enumValues = splitStringRef( enums, ',' );
10563 std::vector<StringRef> parsed;
10564 parsed.reserve( enumValues.size() );
10565 for( auto const& enumValue : enumValues ) {
10566 parsed.push_back(trim(extractInstanceName(enumValue)));
10567 }
10568 return parsed;
10569 }
10570
10571 EnumInfo::~EnumInfo() {}
10572
10573 StringRef EnumInfo::lookup( int value ) const {
10574 for( auto const& valueToName : m_values ) {
10575 if( valueToName.first == value )
10576 return valueToName.second;
10577 }
10578 return "{** unexpected enum value **}"_sr;
10579 }
10580
10581 std::unique_ptr<EnumInfo> makeEnumInfo( StringRef enumName, StringRef allValueNames, std::vector<int> const& values ) {
10582 std::unique_ptr<EnumInfo> enumInfo( new EnumInfo );
10583 enumInfo->m_name = enumName;
10584 enumInfo->m_values.reserve( values.size() );
10585
10586 const auto valueNames = Catch::Detail::parseEnums( allValueNames );
10587 assert( valueNames.size() == values.size() );
10588 std::size_t i = 0;
10589 for( auto value : values )
10590 enumInfo->m_values.emplace_back(value, valueNames[i++]);
10591
10592 return enumInfo;
10593 }
10594
10595 EnumInfo const& EnumValuesRegistry::registerEnum( StringRef enumName, StringRef allValueNames, std::vector<int> const& values ) {
10596 m_enumInfos.push_back(makeEnumInfo(enumName, allValueNames, values));
10597 return *m_enumInfos.back();
10598 }
10599
10600 } // Detail
10601} // Catch
10602
10603// end catch_enum_values_registry.cpp
10604// start catch_errno_guard.cpp
10605
10606#include <cerrno>
10607
10608namespace Catch {
10609 ErrnoGuard::ErrnoGuard():m_oldErrno(errno){}
10610 ErrnoGuard::~ErrnoGuard() { errno = m_oldErrno; }
10611}
10612// end catch_errno_guard.cpp
10613// start catch_exception_translator_registry.cpp
10614
10615// start catch_exception_translator_registry.h
10616
10617#include <vector>
10618#include <string>
10619#include <memory>
10620
10621namespace Catch {
10622
10623 class ExceptionTranslatorRegistry : public IExceptionTranslatorRegistry {
10624 public:
10625 ~ExceptionTranslatorRegistry();
10626 virtual void registerTranslator( const IExceptionTranslator* translator );
10627 std::string translateActiveException() const override;
10628 std::string tryTranslators() const;
10629
10630 private:
10631 std::vector<std::unique_ptr<IExceptionTranslator const>> m_translators;
10632 };
10633}
10634
10635// end catch_exception_translator_registry.h
10636#ifdef __OBJC__
10637#import "Foundation/Foundation.h"
10638#endif
10639
10640namespace Catch {
10641
10642 ExceptionTranslatorRegistry::~ExceptionTranslatorRegistry() {
10643 }
10644
10645 void ExceptionTranslatorRegistry::registerTranslator( const IExceptionTranslator* translator ) {
10646 m_translators.push_back( std::unique_ptr<const IExceptionTranslator>( translator ) );
10647 }
10648
10649#if !defined(CATCH_CONFIG_DISABLE_EXCEPTIONS)
10650 std::string ExceptionTranslatorRegistry::translateActiveException() const {
10651 try {
10652#ifdef __OBJC__
10653 // In Objective-C try objective-c exceptions first
10654 @try {
10655 return tryTranslators();
10656 }
10657 @catch (NSException *exception) {
10658 return Catch::Detail::stringify( [exception description] );
10659 }
10660#else
10661 // Compiling a mixed mode project with MSVC means that CLR
10662 // exceptions will be caught in (...) as well. However, these
10663 // do not fill-in std::current_exception and thus lead to crash
10664 // when attempting rethrow.
10665 // /EHa switch also causes structured exceptions to be caught
10666 // here, but they fill-in current_exception properly, so
10667 // at worst the output should be a little weird, instead of
10668 // causing a crash.
10669 if (std::current_exception() == nullptr) {
10670 return "Non C++ exception. Possibly a CLR exception.";
10671 }
10672 return tryTranslators();
10673#endif
10674 }
10675 catch( TestFailureException& ) {
10676 std::rethrow_exception(std::current_exception());
10677 }
10678 catch( std::exception& ex ) {
10679 return ex.what();
10680 }
10681 catch( std::string& msg ) {
10682 return msg;
10683 }
10684 catch( const char* msg ) {
10685 return msg;
10686 }
10687 catch(...) {
10688 return "Unknown exception";
10689 }
10690 }
10691
10692 std::string ExceptionTranslatorRegistry::tryTranslators() const {
10693 if (m_translators.empty()) {
10694 std::rethrow_exception(std::current_exception());
10695 } else {
10696 return m_translators[0]->translate(m_translators.begin() + 1, m_translators.end());
10697 }
10698 }
10699
10700#else // ^^ Exceptions are enabled // Exceptions are disabled vv
10701 std::string ExceptionTranslatorRegistry::translateActiveException() const {
10702 CATCH_INTERNAL_ERROR("Attempted to translate active exception under CATCH_CONFIG_DISABLE_EXCEPTIONS!");
10703 }
10704
10705 std::string ExceptionTranslatorRegistry::tryTranslators() const {
10706 CATCH_INTERNAL_ERROR("Attempted to use exception translators under CATCH_CONFIG_DISABLE_EXCEPTIONS!");
10707 }
10708#endif
10709
10710}
10711// end catch_exception_translator_registry.cpp
10712// start catch_fatal_condition.cpp
10713
10714#if defined(__GNUC__)
10715# pragma GCC diagnostic push
10716# pragma GCC diagnostic ignored "-Wmissing-field-initializers"
10717#endif
10718
10719#if defined( CATCH_CONFIG_WINDOWS_SEH ) || defined( CATCH_CONFIG_POSIX_SIGNALS )
10720
10721namespace {
10722 // Report the error condition
10723 void reportFatal( char const * const message ) {
10724 Catch::getCurrentContext().getResultCapture()->handleFatalErrorCondition( message );
10725 }
10726}
10727
10728#endif // signals/SEH handling
10729
10730#if defined( CATCH_CONFIG_WINDOWS_SEH )
10731
10732namespace Catch {
10733 struct SignalDefs { DWORD id; const char* name; };
10734
10735 // There is no 1-1 mapping between signals and windows exceptions.
10736 // Windows can easily distinguish between SO and SigSegV,
10737 // but SigInt, SigTerm, etc are handled differently.
10738 static SignalDefs signalDefs[] = {
10739 { static_cast<DWORD>(EXCEPTION_ILLEGAL_INSTRUCTION), "SIGILL - Illegal instruction signal" },
10740 { static_cast<DWORD>(EXCEPTION_STACK_OVERFLOW), "SIGSEGV - Stack overflow" },
10741 { static_cast<DWORD>(EXCEPTION_ACCESS_VIOLATION), "SIGSEGV - Segmentation violation signal" },
10742 { static_cast<DWORD>(EXCEPTION_INT_DIVIDE_BY_ZERO), "Divide by zero error" },
10743 };
10744
10745 LONG CALLBACK FatalConditionHandler::handleVectoredException(PEXCEPTION_POINTERS ExceptionInfo) {
10746 for (auto const& def : signalDefs) {
10747 if (ExceptionInfo->ExceptionRecord->ExceptionCode == def.id) {
10748 reportFatal(def.name);
10749 }
10750 }
10751 // If its not an exception we care about, pass it along.
10752 // This stops us from eating debugger breaks etc.
10753 return EXCEPTION_CONTINUE_SEARCH;
10754 }
10755
10756 FatalConditionHandler::FatalConditionHandler() {
10757 isSet = true;
10758 // 32k seems enough for Catch to handle stack overflow,
10759 // but the value was found experimentally, so there is no strong guarantee
10760 guaranteeSize = 32 * 1024;
10761 exceptionHandlerHandle = nullptr;
10762 // Register as first handler in current chain
10763 exceptionHandlerHandle = AddVectoredExceptionHandler(1, handleVectoredException);
10764 // Pass in guarantee size to be filled
10765 SetThreadStackGuarantee(&guaranteeSize);
10766 }
10767
10768 void FatalConditionHandler::reset() {
10769 if (isSet) {
10770 RemoveVectoredExceptionHandler(exceptionHandlerHandle);
10771 SetThreadStackGuarantee(&guaranteeSize);
10772 exceptionHandlerHandle = nullptr;
10773 isSet = false;
10774 }
10775 }
10776
10777 FatalConditionHandler::~FatalConditionHandler() {
10778 reset();
10779 }
10780
10781bool FatalConditionHandler::isSet = false;
10782ULONG FatalConditionHandler::guaranteeSize = 0;
10783PVOID FatalConditionHandler::exceptionHandlerHandle = nullptr;
10784
10785} // namespace Catch
10786
10787#elif defined( CATCH_CONFIG_POSIX_SIGNALS )
10788
10789namespace Catch {
10790
10791 struct SignalDefs {
10792 int id;
10793 const char* name;
10794 };
10795
10796 // 32kb for the alternate stack seems to be sufficient. However, this value
10797 // is experimentally determined, so that's not guaranteed.
10798 static constexpr std::size_t sigStackSize = 32768;
10799
10800 static SignalDefs signalDefs[] = {
10801 { SIGINT, "SIGINT - Terminal interrupt signal" },
10802 { SIGILL, "SIGILL - Illegal instruction signal" },
10803 { SIGFPE, "SIGFPE - Floating point error signal" },
10804 { SIGSEGV, "SIGSEGV - Segmentation violation signal" },
10805 { SIGTERM, "SIGTERM - Termination request signal" },
10806 { SIGABRT, "SIGABRT - Abort (abnormal termination) signal" }
10807 };
10808
10809 void FatalConditionHandler::handleSignal( int sig ) {
10810 char const * name = "<unknown signal>";
10811 for (auto const& def : signalDefs) {
10812 if (sig == def.id) {
10813 name = def.name;
10814 break;
10815 }
10816 }
10817 reset();
10818 reportFatal(name);
10819 raise( sig );
10820 }
10821
10822 FatalConditionHandler::FatalConditionHandler() {
10823 isSet = true;
10824 stack_t sigStack;
10825 sigStack.ss_sp = altStackMem;
10826 sigStack.ss_size = sigStackSize;
10827 sigStack.ss_flags = 0;
10828 sigaltstack(&sigStack, &oldSigStack);
10829 struct sigaction sa = { };
10830
10831 sa.sa_handler = handleSignal;
10832 sa.sa_flags = SA_ONSTACK;
10833 for (std::size_t i = 0; i < sizeof(signalDefs)/sizeof(SignalDefs); ++i) {
10834 sigaction(signalDefs[i].id, &sa, &oldSigActions[i]);
10835 }
10836 }
10837
10838 FatalConditionHandler::~FatalConditionHandler() {
10839 reset();
10840 }
10841
10842 void FatalConditionHandler::reset() {
10843 if( isSet ) {
10844 // Set signals back to previous values -- hopefully nobody overwrote them in the meantime
10845 for( std::size_t i = 0; i < sizeof(signalDefs)/sizeof(SignalDefs); ++i ) {
10846 sigaction(signalDefs[i].id, &oldSigActions[i], nullptr);
10847 }
10848 // Return the old stack
10849 sigaltstack(&oldSigStack, nullptr);
10850 isSet = false;
10851 }
10852 }
10853
10854 bool FatalConditionHandler::isSet = false;
10855 struct sigaction FatalConditionHandler::oldSigActions[sizeof(signalDefs)/sizeof(SignalDefs)] = {};
10856 stack_t FatalConditionHandler::oldSigStack = {};
10857 char FatalConditionHandler::altStackMem[sigStackSize] = {};
10858
10859} // namespace Catch
10860
10861#else
10862
10863namespace Catch {
10864 void FatalConditionHandler::reset() {}
10865}
10866
10867#endif // signals/SEH handling
10868
10869#if defined(__GNUC__)
10870# pragma GCC diagnostic pop
10871#endif
10872// end catch_fatal_condition.cpp
10873// start catch_generators.cpp
10874
10875#include <limits>
10876#include <set>
10877
10878namespace Catch {
10879
10880IGeneratorTracker::~IGeneratorTracker() {}
10881
10882const char* GeneratorException::what() const noexcept {
10883 return m_msg;
10884}
10885
10886namespace Generators {
10887
10888 GeneratorUntypedBase::~GeneratorUntypedBase() {}
10889
10890 auto acquireGeneratorTracker( SourceLineInfo const& lineInfo ) -> IGeneratorTracker& {
10891 return getResultCapture().acquireGeneratorTracker( lineInfo );
10892 }
10893
10894} // namespace Generators
10895} // namespace Catch
10896// end catch_generators.cpp
10897// start catch_interfaces_capture.cpp
10898
10899namespace Catch {
10900 IResultCapture::~IResultCapture() = default;
10901}
10902// end catch_interfaces_capture.cpp
10903// start catch_interfaces_config.cpp
10904
10905namespace Catch {
10906 IConfig::~IConfig() = default;
10907}
10908// end catch_interfaces_config.cpp
10909// start catch_interfaces_exception.cpp
10910
10911namespace Catch {
10912 IExceptionTranslator::~IExceptionTranslator() = default;
10913 IExceptionTranslatorRegistry::~IExceptionTranslatorRegistry() = default;
10914}
10915// end catch_interfaces_exception.cpp
10916// start catch_interfaces_registry_hub.cpp
10917
10918namespace Catch {
10919 IRegistryHub::~IRegistryHub() = default;
10920 IMutableRegistryHub::~IMutableRegistryHub() = default;
10921}
10922// end catch_interfaces_registry_hub.cpp
10923// start catch_interfaces_reporter.cpp
10924
10925// start catch_reporter_listening.h
10926
10927namespace Catch {
10928
10929 class ListeningReporter : public IStreamingReporter {
10930 using Reporters = std::vector<IStreamingReporterPtr>;
10931 Reporters m_listeners;
10932 IStreamingReporterPtr m_reporter = nullptr;
10933 ReporterPreferences m_preferences;
10934
10935 public:
10936 ListeningReporter();
10937
10938 void addListener( IStreamingReporterPtr&& listener );
10939 void addReporter( IStreamingReporterPtr&& reporter );
10940
10941 public: // IStreamingReporter
10942
10943 ReporterPreferences getPreferences() const override;
10944
10945 void noMatchingTestCases( std::string const& spec ) override;
10946
10947 void reportInvalidArguments(std::string const&arg) override;
10948
10949 static std::set<Verbosity> getSupportedVerbosities();
10950
10951#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
10952 void benchmarkPreparing(std::string const& name) override;
10953 void benchmarkStarting( BenchmarkInfo const& benchmarkInfo ) override;
10954 void benchmarkEnded( BenchmarkStats<> const& benchmarkStats ) override;
10955 void benchmarkFailed(std::string const&) override;
10956#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
10957
10958 void testRunStarting( TestRunInfo const& testRunInfo ) override;
10959 void testGroupStarting( GroupInfo const& groupInfo ) override;
10960 void testCaseStarting( TestCaseInfo const& testInfo ) override;
10961 void sectionStarting( SectionInfo const& sectionInfo ) override;
10962 void assertionStarting( AssertionInfo const& assertionInfo ) override;
10963
10964 // The return value indicates if the messages buffer should be cleared:
10965 bool assertionEnded( AssertionStats const& assertionStats ) override;
10966 void sectionEnded( SectionStats const& sectionStats ) override;
10967 void testCaseEnded( TestCaseStats const& testCaseStats ) override;
10968 void testGroupEnded( TestGroupStats const& testGroupStats ) override;
10969 void testRunEnded( TestRunStats const& testRunStats ) override;
10970
10971 void skipTest( TestCaseInfo const& testInfo ) override;
10972 bool isMulti() const override;
10973
10974 };
10975
10976} // end namespace Catch
10977
10978// end catch_reporter_listening.h
10979namespace Catch {
10980
10981 ReporterConfig::ReporterConfig( IConfigPtr const& _fullConfig )
10982 : m_stream( &_fullConfig->stream() ), m_fullConfig( _fullConfig ) {}
10983
10984 ReporterConfig::ReporterConfig( IConfigPtr const& _fullConfig, std::ostream& _stream )
10985 : m_stream( &_stream ), m_fullConfig( _fullConfig ) {}
10986
10987 std::ostream& ReporterConfig::stream() const { return *m_stream; }
10988 IConfigPtr ReporterConfig::fullConfig() const { return m_fullConfig; }
10989
10990 TestRunInfo::TestRunInfo( std::string const& _name ) : name( _name ) {}
10991
10992 GroupInfo::GroupInfo( std::string const& _name,
10993 std::size_t _groupIndex,
10994 std::size_t _groupsCount )
10995 : name( _name ),
10996 groupIndex( _groupIndex ),
10997 groupsCounts( _groupsCount )
10998 {}
10999
11000 AssertionStats::AssertionStats( AssertionResult const& _assertionResult,
11001 std::vector<MessageInfo> const& _infoMessages,
11002 Totals const& _totals )
11003 : assertionResult( _assertionResult ),
11004 infoMessages( _infoMessages ),
11005 totals( _totals )
11006 {
11007 assertionResult.m_resultData.lazyExpression.m_transientExpression = _assertionResult.m_resultData.lazyExpression.m_transientExpression;
11008
11009 if( assertionResult.hasMessage() ) {
11010 // Copy message into messages list.
11011 // !TBD This should have been done earlier, somewhere
11012 MessageBuilder builder( assertionResult.getTestMacroName(), assertionResult.getSourceInfo(), assertionResult.getResultType() );
11013 builder << assertionResult.getMessage();
11014 builder.m_info.message = builder.m_stream.str();
11015
11016 infoMessages.push_back( builder.m_info );
11017 }
11018 }
11019
11020 AssertionStats::~AssertionStats() = default;
11021
11022 SectionStats::SectionStats( SectionInfo const& _sectionInfo,
11023 Counts const& _assertions,
11024 double _durationInSeconds,
11025 bool _missingAssertions )
11026 : sectionInfo( _sectionInfo ),
11027 assertions( _assertions ),
11028 durationInSeconds( _durationInSeconds ),
11029 missingAssertions( _missingAssertions )
11030 {}
11031
11032 SectionStats::~SectionStats() = default;
11033
11034 TestCaseStats::TestCaseStats( TestCaseInfo const& _testInfo,
11035 Totals const& _totals,
11036 std::string const& _stdOut,
11037 std::string const& _stdErr,
11038 bool _aborting )
11039 : testInfo( _testInfo ),
11040 totals( _totals ),
11041 stdOut( _stdOut ),
11042 stdErr( _stdErr ),
11043 aborting( _aborting )
11044 {}
11045
11046 TestCaseStats::~TestCaseStats() = default;
11047
11048 TestGroupStats::TestGroupStats( GroupInfo const& _groupInfo,
11049 Totals const& _totals,
11050 bool _aborting )
11051 : groupInfo( _groupInfo ),
11052 totals( _totals ),
11053 aborting( _aborting )
11054 {}
11055
11056 TestGroupStats::TestGroupStats( GroupInfo const& _groupInfo )
11057 : groupInfo( _groupInfo ),
11058 aborting( false )
11059 {}
11060
11061 TestGroupStats::~TestGroupStats() = default;
11062
11063 TestRunStats::TestRunStats( TestRunInfo const& _runInfo,
11064 Totals const& _totals,
11065 bool _aborting )
11066 : runInfo( _runInfo ),
11067 totals( _totals ),
11068 aborting( _aborting )
11069 {}
11070
11071 TestRunStats::~TestRunStats() = default;
11072
11073 void IStreamingReporter::fatalErrorEncountered( StringRef ) {}
11074 bool IStreamingReporter::isMulti() const { return false; }
11075
11076 IReporterFactory::~IReporterFactory() = default;
11077 IReporterRegistry::~IReporterRegistry() = default;
11078
11079} // end namespace Catch
11080// end catch_interfaces_reporter.cpp
11081// start catch_interfaces_runner.cpp
11082
11083namespace Catch {
11084 IRunner::~IRunner() = default;
11085}
11086// end catch_interfaces_runner.cpp
11087// start catch_interfaces_testcase.cpp
11088
11089namespace Catch {
11090 ITestInvoker::~ITestInvoker() = default;
11091 ITestCaseRegistry::~ITestCaseRegistry() = default;
11092}
11093// end catch_interfaces_testcase.cpp
11094// start catch_leak_detector.cpp
11095
11096#ifdef CATCH_CONFIG_WINDOWS_CRTDBG
11097#include <crtdbg.h>
11098
11099namespace Catch {
11100
11101 LeakDetector::LeakDetector() {
11102 int flag = _CrtSetDbgFlag(_CRTDBG_REPORT_FLAG);
11103 flag |= _CRTDBG_LEAK_CHECK_DF;
11104 flag |= _CRTDBG_ALLOC_MEM_DF;
11105 _CrtSetDbgFlag(flag);
11106 _CrtSetReportMode(_CRT_WARN, _CRTDBG_MODE_FILE | _CRTDBG_MODE_DEBUG);
11107 _CrtSetReportFile(_CRT_WARN, _CRTDBG_FILE_STDERR);
11108 // Change this to leaking allocation's number to break there
11109 _CrtSetBreakAlloc(-1);
11110 }
11111}
11112
11113#else
11114
11115 Catch::LeakDetector::LeakDetector() {}
11116
11117#endif
11118
11119Catch::LeakDetector::~LeakDetector() {
11120 Catch::cleanUp();
11121}
11122// end catch_leak_detector.cpp
11123// start catch_list.cpp
11124
11125// start catch_list.h
11126
11127#include <set>
11128
11129namespace Catch {
11130
11131 std::size_t listTests( Config const& config );
11132
11133 std::size_t listTestsNamesOnly( Config const& config );
11134
11135 struct TagInfo {
11136 void add( std::string const& spelling );
11137 std::string all() const;
11138
11139 std::set<std::string> spellings;
11140 std::size_t count = 0;
11141 };
11142
11143 std::size_t listTags( Config const& config );
11144
11145 std::size_t listReporters();
11146
11147 Option<std::size_t> list( std::shared_ptr<Config> const& config );
11148
11149} // end namespace Catch
11150
11151// end catch_list.h
11152// start catch_text.h
11153
11154namespace Catch {
11155 using namespace clara::TextFlow;
11156}
11157
11158// end catch_text.h
11159#include <limits>
11160#include <algorithm>
11161#include <iomanip>
11162
11163namespace Catch {
11164
11165 std::size_t listTests( Config const& config ) {
11166 TestSpec const& testSpec = config.testSpec();
11167 if( config.hasTestFilters() )
11168 Catch::cout() << "Matching test cases:\n";
11169 else {
11170 Catch::cout() << "All available test cases:\n";
11171 }
11172
11173 auto matchedTestCases = filterTests( getAllTestCasesSorted( config ), testSpec, config );
11174 for( auto const& testCaseInfo : matchedTestCases ) {
11175 Colour::Code colour = testCaseInfo.isHidden()
11176 ? Colour::SecondaryText
11177 : Colour::None;
11178 Colour colourGuard( colour );
11179
11180 Catch::cout() << Column( testCaseInfo.name ).initialIndent( 2 ).indent( 4 ) << "\n";
11181 if( config.verbosity() >= Verbosity::High ) {
11182 Catch::cout() << Column( Catch::Detail::stringify( testCaseInfo.lineInfo ) ).indent(4) << std::endl;
11183 std::string description = testCaseInfo.description;
11184 if( description.empty() )
11185 description = "(NO DESCRIPTION)";
11186 Catch::cout() << Column( description ).indent(4) << std::endl;
11187 }
11188 if( !testCaseInfo.tags.empty() )
11189 Catch::cout() << Column( testCaseInfo.tagsAsString() ).indent( 6 ) << "\n";
11190 }
11191
11192 if( !config.hasTestFilters() )
11193 Catch::cout() << pluralise( matchedTestCases.size(), "test case" ) << '\n' << std::endl;
11194 else
11195 Catch::cout() << pluralise( matchedTestCases.size(), "matching test case" ) << '\n' << std::endl;
11196 return matchedTestCases.size();
11197 }
11198
11199 std::size_t listTestsNamesOnly( Config const& config ) {
11200 TestSpec const& testSpec = config.testSpec();
11201 std::size_t matchedTests = 0;
11202 std::vector<TestCase> matchedTestCases = filterTests( getAllTestCasesSorted( config ), testSpec, config );
11203 for( auto const& testCaseInfo : matchedTestCases ) {
11204 matchedTests++;
11205 if( startsWith( testCaseInfo.name, '#' ) )
11206 Catch::cout() << '"' << testCaseInfo.name << '"';
11207 else
11208 Catch::cout() << testCaseInfo.name;
11209 if ( config.verbosity() >= Verbosity::High )
11210 Catch::cout() << "\t@" << testCaseInfo.lineInfo;
11211 Catch::cout() << std::endl;
11212 }
11213 return matchedTests;
11214 }
11215
11216 void TagInfo::add( std::string const& spelling ) {
11217 ++count;
11218 spellings.insert( spelling );
11219 }
11220
11221 std::string TagInfo::all() const {
11222 size_t size = 0;
11223 for (auto const& spelling : spellings) {
11224 // Add 2 for the brackes
11225 size += spelling.size() + 2;
11226 }
11227
11228 std::string out; out.reserve(size);
11229 for (auto const& spelling : spellings) {
11230 out += '[';
11231 out += spelling;
11232 out += ']';
11233 }
11234 return out;
11235 }
11236
11237 std::size_t listTags( Config const& config ) {
11238 TestSpec const& testSpec = config.testSpec();
11239 if( config.hasTestFilters() )
11240 Catch::cout() << "Tags for matching test cases:\n";
11241 else {
11242 Catch::cout() << "All available tags:\n";
11243 }
11244
11245 std::map<std::string, TagInfo> tagCounts;
11246
11247 std::vector<TestCase> matchedTestCases = filterTests( getAllTestCasesSorted( config ), testSpec, config );
11248 for( auto const& testCase : matchedTestCases ) {
11249 for( auto const& tagName : testCase.getTestCaseInfo().tags ) {
11250 std::string lcaseTagName = toLower( tagName );
11251 auto countIt = tagCounts.find( lcaseTagName );
11252 if( countIt == tagCounts.end() )
11253 countIt = tagCounts.insert( std::make_pair( lcaseTagName, TagInfo() ) ).first;
11254 countIt->second.add( tagName );
11255 }
11256 }
11257
11258 for( auto const& tagCount : tagCounts ) {
11259 ReusableStringStream rss;
11260 rss << " " << std::setw(2) << tagCount.second.count << " ";
11261 auto str = rss.str();
11262 auto wrapper = Column( tagCount.second.all() )
11263 .initialIndent( 0 )
11264 .indent( str.size() )
11265 .width( CATCH_CONFIG_CONSOLE_WIDTH-10 );
11266 Catch::cout() << str << wrapper << '\n';
11267 }
11268 Catch::cout() << pluralise( tagCounts.size(), "tag" ) << '\n' << std::endl;
11269 return tagCounts.size();
11270 }
11271
11272 std::size_t listReporters() {
11273 Catch::cout() << "Available reporters:\n";
11274 IReporterRegistry::FactoryMap const& factories = getRegistryHub().getReporterRegistry().getFactories();
11275 std::size_t maxNameLen = 0;
11276 for( auto const& factoryKvp : factories )
11277 maxNameLen = (std::max)( maxNameLen, factoryKvp.first.size() );
11278
11279 for( auto const& factoryKvp : factories ) {
11280 Catch::cout()
11281 << Column( factoryKvp.first + ":" )
11282 .indent(2)
11283 .width( 5+maxNameLen )
11284 + Column( factoryKvp.second->getDescription() )
11285 .initialIndent(0)
11286 .indent(2)
11287 .width( CATCH_CONFIG_CONSOLE_WIDTH - maxNameLen-8 )
11288 << "\n";
11289 }
11290 Catch::cout() << std::endl;
11291 return factories.size();
11292 }
11293
11294 Option<std::size_t> list( std::shared_ptr<Config> const& config ) {
11295 Option<std::size_t> listedCount;
11296 getCurrentMutableContext().setConfig( config );
11297 if( config->listTests() )
11298 listedCount = listedCount.valueOr(0) + listTests( *config );
11299 if( config->listTestNamesOnly() )
11300 listedCount = listedCount.valueOr(0) + listTestsNamesOnly( *config );
11301 if( config->listTags() )
11302 listedCount = listedCount.valueOr(0) + listTags( *config );
11303 if( config->listReporters() )
11304 listedCount = listedCount.valueOr(0) + listReporters();
11305 return listedCount;
11306 }
11307
11308} // end namespace Catch
11309// end catch_list.cpp
11310// start catch_matchers.cpp
11311
11312namespace Catch {
11313namespace Matchers {
11314 namespace Impl {
11315
11316 std::string MatcherUntypedBase::toString() const {
11317 if( m_cachedToString.empty() )
11318 m_cachedToString = describe();
11319 return m_cachedToString;
11320 }
11321
11322 MatcherUntypedBase::~MatcherUntypedBase() = default;
11323
11324 } // namespace Impl
11325} // namespace Matchers
11326
11327using namespace Matchers;
11328using Matchers::Impl::MatcherBase;
11329
11330} // namespace Catch
11331// end catch_matchers.cpp
11332// start catch_matchers_exception.cpp
11333
11334namespace Catch {
11335namespace Matchers {
11336namespace Exception {
11337
11338bool ExceptionMessageMatcher::match(std::exception const& ex) const {
11339 return ex.what() == m_message;
11340}
11341
11342std::string ExceptionMessageMatcher::describe() const {
11343 return "exception message matches \"" + m_message + "\"";
11344}
11345
11346}
11347Exception::ExceptionMessageMatcher Message(std::string const& message) {
11348 return Exception::ExceptionMessageMatcher(message);
11349}
11350
11351// namespace Exception
11352} // namespace Matchers
11353} // namespace Catch
11354// end catch_matchers_exception.cpp
11355// start catch_matchers_floating.cpp
11356
11357// start catch_polyfills.hpp
11358
11359namespace Catch {
11360 bool isnan(float f);
11361 bool isnan(double d);
11362}
11363
11364// end catch_polyfills.hpp
11365// start catch_to_string.hpp
11366
11367#include <string>
11368
11369namespace Catch {
11370 template <typename T>
11371 std::string to_string(T const& t) {
11372#if defined(CATCH_CONFIG_CPP11_TO_STRING)
11373 return std::to_string(t);
11374#else
11375 ReusableStringStream rss;
11376 rss << t;
11377 return rss.str();
11378#endif
11379 }
11380} // end namespace Catch
11381
11382// end catch_to_string.hpp
11383#include <algorithm>
11384#include <cmath>
11385#include <cstdlib>
11386#include <cstdint>
11387#include <cstring>
11388#include <sstream>
11389#include <type_traits>
11390#include <iomanip>
11391#include <limits>
11392
11393namespace Catch {
11394namespace {
11395
11396 int32_t convert(float f) {
11397 static_assert(sizeof(float) == sizeof(int32_t), "Important ULP matcher assumption violated");
11398 int32_t i;
11399 std::memcpy(&i, &f, sizeof(f));
11400 return i;
11401 }
11402
11403 int64_t convert(double d) {
11404 static_assert(sizeof(double) == sizeof(int64_t), "Important ULP matcher assumption violated");
11405 int64_t i;
11406 std::memcpy(&i, &d, sizeof(d));
11407 return i;
11408 }
11409
11410 template <typename FP>
11411 bool almostEqualUlps(FP lhs, FP rhs, uint64_t maxUlpDiff) {
11412 // Comparison with NaN should always be false.
11413 // This way we can rule it out before getting into the ugly details
11414 if (Catch::isnan(lhs) || Catch::isnan(rhs)) {
11415 return false;
11416 }
11417
11418 auto lc = convert(lhs);
11419 auto rc = convert(rhs);
11420
11421 if ((lc < 0) != (rc < 0)) {
11422 // Potentially we can have +0 and -0
11423 return lhs == rhs;
11424 }
11425
11426 auto ulpDiff = std::abs(lc - rc);
11427 return static_cast<uint64_t>(ulpDiff) <= maxUlpDiff;
11428 }
11429
11430#if defined(CATCH_CONFIG_GLOBAL_NEXTAFTER)
11431
11432 float nextafter(float x, float y) {
11433 return ::nextafterf(x, y);
11434 }
11435
11436 double nextafter(double x, double y) {
11437 return ::nextafter(x, y);
11438 }
11439
11440#endif // ^^^ CATCH_CONFIG_GLOBAL_NEXTAFTER ^^^
11441
11442template <typename FP>
11443FP step(FP start, FP direction, uint64_t steps) {
11444 for (uint64_t i = 0; i < steps; ++i) {
11445#if defined(CATCH_CONFIG_GLOBAL_NEXTAFTER)
11446 start = Catch::nextafter(start, direction);
11447#else
11448 start = std::nextafter(start, direction);
11449#endif
11450 }
11451 return start;
11452}
11453
11454// Performs equivalent check of std::fabs(lhs - rhs) <= margin
11455// But without the subtraction to allow for INFINITY in comparison
11456bool marginComparison(double lhs, double rhs, double margin) {
11457 return (lhs + margin >= rhs) && (rhs + margin >= lhs);
11458}
11459
11460template <typename FloatingPoint>
11461void write(std::ostream& out, FloatingPoint num) {
11462 out << std::scientific
11463 << std::setprecision(std::numeric_limits<FloatingPoint>::max_digits10 - 1)
11464 << num;
11465}
11466
11467} // end anonymous namespace
11468
11469namespace Matchers {
11470namespace Floating {
11471
11472 enum class FloatingPointKind : uint8_t {
11473 Float,
11474 Double
11475 };
11476
11477 WithinAbsMatcher::WithinAbsMatcher(double target, double margin)
11478 :m_target{ target }, m_margin{ margin } {
11479 CATCH_ENFORCE(margin >= 0, "Invalid margin: " << margin << '.'
11480 << " Margin has to be non-negative.");
11481 }
11482
11483 // Performs equivalent check of std::fabs(lhs - rhs) <= margin
11484 // But without the subtraction to allow for INFINITY in comparison
11485 bool WithinAbsMatcher::match(double const& matchee) const {
11486 return (matchee + m_margin >= m_target) && (m_target + m_margin >= matchee);
11487 }
11488
11489 std::string WithinAbsMatcher::describe() const {
11490 return "is within " + ::Catch::Detail::stringify(m_margin) + " of " + ::Catch::Detail::stringify(m_target);
11491 }
11492
11493 WithinUlpsMatcher::WithinUlpsMatcher(double target, uint64_t ulps, FloatingPointKind baseType)
11494 :m_target{ target }, m_ulps{ ulps }, m_type{ baseType } {
11495 CATCH_ENFORCE(m_type == FloatingPointKind::Double
11496 || m_ulps < (std::numeric_limits<uint32_t>::max)(),
11497 "Provided ULP is impossibly large for a float comparison.");
11498 }
11499
11500#if defined(__clang__)
11501#pragma clang diagnostic push
11502// Clang <3.5 reports on the default branch in the switch below
11503#pragma clang diagnostic ignored "-Wunreachable-code"
11504#endif
11505
11506 bool WithinUlpsMatcher::match(double const& matchee) const {
11507 switch (m_type) {
11508 case FloatingPointKind::Float:
11509 return almostEqualUlps<float>(static_cast<float>(matchee), static_cast<float>(m_target), m_ulps);
11510 case FloatingPointKind::Double:
11511 return almostEqualUlps<double>(matchee, m_target, m_ulps);
11512 default:
11513 CATCH_INTERNAL_ERROR( "Unknown FloatingPointKind value" );
11514 }
11515 }
11516
11517#if defined(__clang__)
11518#pragma clang diagnostic pop
11519#endif
11520
11521 std::string WithinUlpsMatcher::describe() const {
11522 std::stringstream ret;
11523
11524 ret << "is within " << m_ulps << " ULPs of ";
11525
11526 if (m_type == FloatingPointKind::Float) {
11527 write(ret, static_cast<float>(m_target));
11528 ret << 'f';
11529 } else {
11530 write(ret, m_target);
11531 }
11532
11533 ret << " ([";
11534 if (m_type == FloatingPointKind::Double) {
11535 write(ret, step(m_target, static_cast<double>(-INFINITY), m_ulps));
11536 ret << ", ";
11537 write(ret, step(m_target, static_cast<double>( INFINITY), m_ulps));
11538 } else {
11539 // We have to cast INFINITY to float because of MinGW, see #1782
11540 write(ret, step(static_cast<float>(m_target), static_cast<float>(-INFINITY), m_ulps));
11541 ret << ", ";
11542 write(ret, step(static_cast<float>(m_target), static_cast<float>( INFINITY), m_ulps));
11543 }
11544 ret << "])";
11545
11546 return ret.str();
11547 }
11548
11549 WithinRelMatcher::WithinRelMatcher(double target, double epsilon):
11550 m_target(target),
11551 m_epsilon(epsilon){
11552 CATCH_ENFORCE(m_epsilon >= 0., "Relative comparison with epsilon < 0 does not make sense.");
11553 CATCH_ENFORCE(m_epsilon < 1., "Relative comparison with epsilon >= 1 does not make sense.");
11554 }
11555
11556 bool WithinRelMatcher::match(double const& matchee) const {
11557 const auto relMargin = m_epsilon * (std::max)(std::fabs(matchee), std::fabs(m_target));
11558 return marginComparison(matchee, m_target,
11559 std::isinf(relMargin)? 0 : relMargin);
11560 }
11561
11562 std::string WithinRelMatcher::describe() const {
11563 Catch::ReusableStringStream sstr;
11564 sstr << "and " << m_target << " are within " << m_epsilon * 100. << "% of each other";
11565 return sstr.str();
11566 }
11567
11568}// namespace Floating
11569
11570Floating::WithinUlpsMatcher WithinULP(double target, uint64_t maxUlpDiff) {
11571 return Floating::WithinUlpsMatcher(target, maxUlpDiff, Floating::FloatingPointKind::Double);
11572}
11573
11574Floating::WithinUlpsMatcher WithinULP(float target, uint64_t maxUlpDiff) {
11575 return Floating::WithinUlpsMatcher(target, maxUlpDiff, Floating::FloatingPointKind::Float);
11576}
11577
11578Floating::WithinAbsMatcher WithinAbs(double target, double margin) {
11579 return Floating::WithinAbsMatcher(target, margin);
11580}
11581
11582Floating::WithinRelMatcher WithinRel(double target, double eps) {
11583 return Floating::WithinRelMatcher(target, eps);
11584}
11585
11586Floating::WithinRelMatcher WithinRel(double target) {
11587 return Floating::WithinRelMatcher(target, std::numeric_limits<double>::epsilon() * 100);
11588}
11589
11590Floating::WithinRelMatcher WithinRel(float target, float eps) {
11591 return Floating::WithinRelMatcher(target, eps);
11592}
11593
11594Floating::WithinRelMatcher WithinRel(float target) {
11595 return Floating::WithinRelMatcher(target, std::numeric_limits<float>::epsilon() * 100);
11596}
11597
11598} // namespace Matchers
11599} // namespace Catch
11600
11601// end catch_matchers_floating.cpp
11602// start catch_matchers_generic.cpp
11603
11604std::string Catch::Matchers::Generic::Detail::finalizeDescription(const std::string& desc) {
11605 if (desc.empty()) {
11606 return "matches undescribed predicate";
11607 } else {
11608 return "matches predicate: \"" + desc + '"';
11609 }
11610}
11611// end catch_matchers_generic.cpp
11612// start catch_matchers_string.cpp
11613
11614#include <regex>
11615
11616namespace Catch {
11617namespace Matchers {
11618
11619 namespace StdString {
11620
11621 CasedString::CasedString( std::string const& str, CaseSensitive::Choice caseSensitivity )
11622 : m_caseSensitivity( caseSensitivity ),
11623 m_str( adjustString( str ) )
11624 {}
11625 std::string CasedString::adjustString( std::string const& str ) const {
11626 return m_caseSensitivity == CaseSensitive::No
11627 ? toLower( str )
11628 : str;
11629 }
11630 std::string CasedString::caseSensitivitySuffix() const {
11631 return m_caseSensitivity == CaseSensitive::No
11632 ? " (case insensitive)"
11633 : std::string();
11634 }
11635
11636 StringMatcherBase::StringMatcherBase( std::string const& operation, CasedString const& comparator )
11637 : m_comparator( comparator ),
11638 m_operation( operation ) {
11639 }
11640
11641 std::string StringMatcherBase::describe() const {
11642 std::string description;
11643 description.reserve(5 + m_operation.size() + m_comparator.m_str.size() +
11644 m_comparator.caseSensitivitySuffix().size());
11645 description += m_operation;
11646 description += ": \"";
11647 description += m_comparator.m_str;
11648 description += "\"";
11649 description += m_comparator.caseSensitivitySuffix();
11650 return description;
11651 }
11652
11653 EqualsMatcher::EqualsMatcher( CasedString const& comparator ) : StringMatcherBase( "equals", comparator ) {}
11654
11655 bool EqualsMatcher::match( std::string const& source ) const {
11656 return m_comparator.adjustString( source ) == m_comparator.m_str;
11657 }
11658
11659 ContainsMatcher::ContainsMatcher( CasedString const& comparator ) : StringMatcherBase( "contains", comparator ) {}
11660
11661 bool ContainsMatcher::match( std::string const& source ) const {
11662 return contains( m_comparator.adjustString( source ), m_comparator.m_str );
11663 }
11664
11665 StartsWithMatcher::StartsWithMatcher( CasedString const& comparator ) : StringMatcherBase( "starts with", comparator ) {}
11666
11667 bool StartsWithMatcher::match( std::string const& source ) const {
11668 return startsWith( m_comparator.adjustString( source ), m_comparator.m_str );
11669 }
11670
11671 EndsWithMatcher::EndsWithMatcher( CasedString const& comparator ) : StringMatcherBase( "ends with", comparator ) {}
11672
11673 bool EndsWithMatcher::match( std::string const& source ) const {
11674 return endsWith( m_comparator.adjustString( source ), m_comparator.m_str );
11675 }
11676
11677 RegexMatcher::RegexMatcher(std::string regex, CaseSensitive::Choice caseSensitivity): m_regex(std::move(regex)), m_caseSensitivity(caseSensitivity) {}
11678
11679 bool RegexMatcher::match(std::string const& matchee) const {
11680 auto flags = std::regex::ECMAScript; // ECMAScript is the default syntax option anyway
11681 if (m_caseSensitivity == CaseSensitive::Choice::No) {
11682 flags |= std::regex::icase;
11683 }
11684 auto reg = std::regex(m_regex, flags);
11685 return std::regex_match(matchee, reg);
11686 }
11687
11688 std::string RegexMatcher::describe() const {
11689 return "matches " + ::Catch::Detail::stringify(m_regex) + ((m_caseSensitivity == CaseSensitive::Choice::Yes)? " case sensitively" : " case insensitively");
11690 }
11691
11692 } // namespace StdString
11693
11694 StdString::EqualsMatcher Equals( std::string const& str, CaseSensitive::Choice caseSensitivity ) {
11695 return StdString::EqualsMatcher( StdString::CasedString( str, caseSensitivity) );
11696 }
11697 StdString::ContainsMatcher Contains( std::string const& str, CaseSensitive::Choice caseSensitivity ) {
11698 return StdString::ContainsMatcher( StdString::CasedString( str, caseSensitivity) );
11699 }
11700 StdString::EndsWithMatcher EndsWith( std::string const& str, CaseSensitive::Choice caseSensitivity ) {
11701 return StdString::EndsWithMatcher( StdString::CasedString( str, caseSensitivity) );
11702 }
11703 StdString::StartsWithMatcher StartsWith( std::string const& str, CaseSensitive::Choice caseSensitivity ) {
11704 return StdString::StartsWithMatcher( StdString::CasedString( str, caseSensitivity) );
11705 }
11706
11707 StdString::RegexMatcher Matches(std::string const& regex, CaseSensitive::Choice caseSensitivity) {
11708 return StdString::RegexMatcher(regex, caseSensitivity);
11709 }
11710
11711} // namespace Matchers
11712} // namespace Catch
11713// end catch_matchers_string.cpp
11714// start catch_message.cpp
11715
11716// start catch_uncaught_exceptions.h
11717
11718namespace Catch {
11719 bool uncaught_exceptions();
11720} // end namespace Catch
11721
11722// end catch_uncaught_exceptions.h
11723#include <cassert>
11724#include <stack>
11725
11726namespace Catch {
11727
11728 MessageInfo::MessageInfo( StringRef const& _macroName,
11729 SourceLineInfo const& _lineInfo,
11730 ResultWas::OfType _type )
11731 : macroName( _macroName ),
11732 lineInfo( _lineInfo ),
11733 type( _type ),
11734 sequence( ++globalCount )
11735 {}
11736
11737 bool MessageInfo::operator==( MessageInfo const& other ) const {
11738 return sequence == other.sequence;
11739 }
11740
11741 bool MessageInfo::operator<( MessageInfo const& other ) const {
11742 return sequence < other.sequence;
11743 }
11744
11745 // This may need protecting if threading support is added
11746 unsigned int MessageInfo::globalCount = 0;
11747
11749
11750 Catch::MessageBuilder::MessageBuilder( StringRef const& macroName,
11751 SourceLineInfo const& lineInfo,
11752 ResultWas::OfType type )
11753 :m_info(macroName, lineInfo, type) {}
11754
11756
11757 ScopedMessage::ScopedMessage( MessageBuilder const& builder )
11758 : m_info( builder.m_info ), m_moved()
11759 {
11760 m_info.message = builder.m_stream.str();
11761 getResultCapture().pushScopedMessage( m_info );
11762 }
11763
11764 ScopedMessage::ScopedMessage( ScopedMessage&& old )
11765 : m_info( old.m_info ), m_moved()
11766 {
11767 old.m_moved = true;
11768 }
11769
11770 ScopedMessage::~ScopedMessage() {
11771 if ( !uncaught_exceptions() && !m_moved ){
11772 getResultCapture().popScopedMessage(m_info);
11773 }
11774 }
11775
11776 Capturer::Capturer( StringRef macroName, SourceLineInfo const& lineInfo, ResultWas::OfType resultType, StringRef names ) {
11777 auto trimmed = [&] (size_t start, size_t end) {
11778 while (names[start] == ',' || isspace(static_cast<unsigned char>(names[start]))) {
11779 ++start;
11780 }
11781 while (names[end] == ',' || isspace(static_cast<unsigned char>(names[end]))) {
11782 --end;
11783 }
11784 return names.substr(start, end - start + 1);
11785 };
11786 auto skipq = [&] (size_t start, char quote) {
11787 for (auto i = start + 1; i < names.size() ; ++i) {
11788 if (names[i] == quote)
11789 return i;
11790 if (names[i] == '\\')
11791 ++i;
11792 }
11793 CATCH_INTERNAL_ERROR("CAPTURE parsing encountered unmatched quote");
11794 };
11795
11796 size_t start = 0;
11797 std::stack<char> openings;
11798 for (size_t pos = 0; pos < names.size(); ++pos) {
11799 char c = names[pos];
11800 switch (c) {
11801 case '[':
11802 case '{':
11803 case '(':
11804 // It is basically impossible to disambiguate between
11805 // comparison and start of template args in this context
11806// case '<':
11807 openings.push(c);
11808 break;
11809 case ']':
11810 case '}':
11811 case ')':
11812// case '>':
11813 openings.pop();
11814 break;
11815 case '"':
11816 case '\'':
11817 pos = skipq(pos, c);
11818 break;
11819 case ',':
11820 if (start != pos && openings.empty()) {
11821 m_messages.emplace_back(macroName, lineInfo, resultType);
11822 m_messages.back().message = static_cast<std::string>(trimmed(start, pos));
11823 m_messages.back().message += " := ";
11824 start = pos;
11825 }
11826 }
11827 }
11828 assert(openings.empty() && "Mismatched openings");
11829 m_messages.emplace_back(macroName, lineInfo, resultType);
11830 m_messages.back().message = static_cast<std::string>(trimmed(start, names.size() - 1));
11831 m_messages.back().message += " := ";
11832 }
11833 Capturer::~Capturer() {
11834 if ( !uncaught_exceptions() ){
11835 assert( m_captured == m_messages.size() );
11836 for( size_t i = 0; i < m_captured; ++i )
11837 m_resultCapture.popScopedMessage( m_messages[i] );
11838 }
11839 }
11840
11841 void Capturer::captureValue( size_t index, std::string const& value ) {
11842 assert( index < m_messages.size() );
11843 m_messages[index].message += value;
11844 m_resultCapture.pushScopedMessage( m_messages[index] );
11845 m_captured++;
11846 }
11847
11848} // end namespace Catch
11849// end catch_message.cpp
11850// start catch_output_redirect.cpp
11851
11852// start catch_output_redirect.h
11853#ifndef TWOBLUECUBES_CATCH_OUTPUT_REDIRECT_H
11854#define TWOBLUECUBES_CATCH_OUTPUT_REDIRECT_H
11855
11856#include <cstdio>
11857#include <iosfwd>
11858#include <string>
11859
11860namespace Catch {
11861
11862 class RedirectedStream {
11863 std::ostream& m_originalStream;
11864 std::ostream& m_redirectionStream;
11865 std::streambuf* m_prevBuf;
11866
11867 public:
11868 RedirectedStream( std::ostream& originalStream, std::ostream& redirectionStream );
11869 ~RedirectedStream();
11870 };
11871
11872 class RedirectedStdOut {
11873 ReusableStringStream m_rss;
11874 RedirectedStream m_cout;
11875 public:
11876 RedirectedStdOut();
11877 auto str() const -> std::string;
11878 };
11879
11880 // StdErr has two constituent streams in C++, std::cerr and std::clog
11881 // This means that we need to redirect 2 streams into 1 to keep proper
11882 // order of writes
11883 class RedirectedStdErr {
11884 ReusableStringStream m_rss;
11885 RedirectedStream m_cerr;
11886 RedirectedStream m_clog;
11887 public:
11888 RedirectedStdErr();
11889 auto str() const -> std::string;
11890 };
11891
11892 class RedirectedStreams {
11893 public:
11894 RedirectedStreams(RedirectedStreams const&) = delete;
11895 RedirectedStreams& operator=(RedirectedStreams const&) = delete;
11896 RedirectedStreams(RedirectedStreams&&) = delete;
11897 RedirectedStreams& operator=(RedirectedStreams&&) = delete;
11898
11899 RedirectedStreams(std::string& redirectedCout, std::string& redirectedCerr);
11900 ~RedirectedStreams();
11901 private:
11902 std::string& m_redirectedCout;
11903 std::string& m_redirectedCerr;
11904 RedirectedStdOut m_redirectedStdOut;
11905 RedirectedStdErr m_redirectedStdErr;
11906 };
11907
11908#if defined(CATCH_CONFIG_NEW_CAPTURE)
11909
11910 // Windows's implementation of std::tmpfile is terrible (it tries
11911 // to create a file inside system folder, thus requiring elevated
11912 // privileges for the binary), so we have to use tmpnam(_s) and
11913 // create the file ourselves there.
11914 class TempFile {
11915 public:
11916 TempFile(TempFile const&) = delete;
11917 TempFile& operator=(TempFile const&) = delete;
11918 TempFile(TempFile&&) = delete;
11919 TempFile& operator=(TempFile&&) = delete;
11920
11921 TempFile();
11922 ~TempFile();
11923
11924 std::FILE* getFile();
11925 std::string getContents();
11926
11927 private:
11928 std::FILE* m_file = nullptr;
11929 #if defined(_MSC_VER)
11930 char m_buffer[L_tmpnam] = { 0 };
11931 #endif
11932 };
11933
11934 class OutputRedirect {
11935 public:
11936 OutputRedirect(OutputRedirect const&) = delete;
11937 OutputRedirect& operator=(OutputRedirect const&) = delete;
11938 OutputRedirect(OutputRedirect&&) = delete;
11939 OutputRedirect& operator=(OutputRedirect&&) = delete;
11940
11941 OutputRedirect(std::string& stdout_dest, std::string& stderr_dest);
11942 ~OutputRedirect();
11943
11944 private:
11945 int m_originalStdout = -1;
11946 int m_originalStderr = -1;
11947 TempFile m_stdoutFile;
11948 TempFile m_stderrFile;
11949 std::string& m_stdoutDest;
11950 std::string& m_stderrDest;
11951 };
11952
11953#endif
11954
11955} // end namespace Catch
11956
11957#endif // TWOBLUECUBES_CATCH_OUTPUT_REDIRECT_H
11958// end catch_output_redirect.h
11959#include <cstdio>
11960#include <cstring>
11961#include <fstream>
11962#include <sstream>
11963#include <stdexcept>
11964
11965#if defined(CATCH_CONFIG_NEW_CAPTURE)
11966 #if defined(_MSC_VER)
11967 #include <io.h> //_dup and _dup2
11968 #define dup _dup
11969 #define dup2 _dup2
11970 #define fileno _fileno
11971 #else
11972 #include <unistd.h> // dup and dup2
11973 #endif
11974#endif
11975
11976namespace Catch {
11977
11978 RedirectedStream::RedirectedStream( std::ostream& originalStream, std::ostream& redirectionStream )
11979 : m_originalStream( originalStream ),
11980 m_redirectionStream( redirectionStream ),
11981 m_prevBuf( m_originalStream.rdbuf() )
11982 {
11983 m_originalStream.rdbuf( m_redirectionStream.rdbuf() );
11984 }
11985
11986 RedirectedStream::~RedirectedStream() {
11987 m_originalStream.rdbuf( m_prevBuf );
11988 }
11989
11990 RedirectedStdOut::RedirectedStdOut() : m_cout( Catch::cout(), m_rss.get() ) {}
11991 auto RedirectedStdOut::str() const -> std::string { return m_rss.str(); }
11992
11993 RedirectedStdErr::RedirectedStdErr()
11994 : m_cerr( Catch::cerr(), m_rss.get() ),
11995 m_clog( Catch::clog(), m_rss.get() )
11996 {}
11997 auto RedirectedStdErr::str() const -> std::string { return m_rss.str(); }
11998
11999 RedirectedStreams::RedirectedStreams(std::string& redirectedCout, std::string& redirectedCerr)
12000 : m_redirectedCout(redirectedCout),
12001 m_redirectedCerr(redirectedCerr)
12002 {}
12003
12004 RedirectedStreams::~RedirectedStreams() {
12005 m_redirectedCout += m_redirectedStdOut.str();
12006 m_redirectedCerr += m_redirectedStdErr.str();
12007 }
12008
12009#if defined(CATCH_CONFIG_NEW_CAPTURE)
12010
12011#if defined(_MSC_VER)
12012 TempFile::TempFile() {
12013 if (tmpnam_s(m_buffer)) {
12014 CATCH_RUNTIME_ERROR("Could not get a temp filename");
12015 }
12016 if (fopen_s(&m_file, m_buffer, "w")) {
12017 char buffer[100];
12018 if (strerror_s(buffer, errno)) {
12019 CATCH_RUNTIME_ERROR("Could not translate errno to a string");
12020 }
12021 CATCH_RUNTIME_ERROR("Could not open the temp file: '" << m_buffer << "' because: " << buffer);
12022 }
12023 }
12024#else
12025 TempFile::TempFile() {
12026 m_file = std::tmpfile();
12027 if (!m_file) {
12028 CATCH_RUNTIME_ERROR("Could not create a temp file.");
12029 }
12030 }
12031
12032#endif
12033
12034 TempFile::~TempFile() {
12035 // TBD: What to do about errors here?
12036 std::fclose(m_file);
12037 // We manually create the file on Windows only, on Linux
12038 // it will be autodeleted
12039#if defined(_MSC_VER)
12040 std::remove(m_buffer);
12041#endif
12042 }
12043
12044 FILE* TempFile::getFile() {
12045 return m_file;
12046 }
12047
12048 std::string TempFile::getContents() {
12049 std::stringstream sstr;
12050 char buffer[100] = {};
12051 std::rewind(m_file);
12052 while (std::fgets(buffer, sizeof(buffer), m_file)) {
12053 sstr << buffer;
12054 }
12055 return sstr.str();
12056 }
12057
12058 OutputRedirect::OutputRedirect(std::string& stdout_dest, std::string& stderr_dest) :
12059 m_originalStdout(dup(1)),
12060 m_originalStderr(dup(2)),
12061 m_stdoutDest(stdout_dest),
12062 m_stderrDest(stderr_dest) {
12063 dup2(fileno(m_stdoutFile.getFile()), 1);
12064 dup2(fileno(m_stderrFile.getFile()), 2);
12065 }
12066
12067 OutputRedirect::~OutputRedirect() {
12068 Catch::cout() << std::flush;
12069 fflush(stdout);
12070 // Since we support overriding these streams, we flush cerr
12071 // even though std::cerr is unbuffered
12072 Catch::cerr() << std::flush;
12073 Catch::clog() << std::flush;
12074 fflush(stderr);
12075
12076 dup2(m_originalStdout, 1);
12077 dup2(m_originalStderr, 2);
12078
12079 m_stdoutDest += m_stdoutFile.getContents();
12080 m_stderrDest += m_stderrFile.getContents();
12081 }
12082
12083#endif // CATCH_CONFIG_NEW_CAPTURE
12084
12085} // namespace Catch
12086
12087#if defined(CATCH_CONFIG_NEW_CAPTURE)
12088 #if defined(_MSC_VER)
12089 #undef dup
12090 #undef dup2
12091 #undef fileno
12092 #endif
12093#endif
12094// end catch_output_redirect.cpp
12095// start catch_polyfills.cpp
12096
12097#include <cmath>
12098
12099namespace Catch {
12100
12101#if !defined(CATCH_CONFIG_POLYFILL_ISNAN)
12102 bool isnan(float f) {
12103 return std::isnan(f);
12104 }
12105 bool isnan(double d) {
12106 return std::isnan(d);
12107 }
12108#else
12109 // For now we only use this for embarcadero
12110 bool isnan(float f) {
12111 return std::_isnan(f);
12112 }
12113 bool isnan(double d) {
12114 return std::_isnan(d);
12115 }
12116#endif
12117
12118} // end namespace Catch
12119// end catch_polyfills.cpp
12120// start catch_random_number_generator.cpp
12121
12122namespace Catch {
12123
12124namespace {
12125
12126#if defined(_MSC_VER)
12127#pragma warning(push)
12128#pragma warning(disable:4146) // we negate uint32 during the rotate
12129#endif
12130 // Safe rotr implementation thanks to John Regehr
12131 uint32_t rotate_right(uint32_t val, uint32_t count) {
12132 const uint32_t mask = 31;
12133 count &= mask;
12134 return (val >> count) | (val << (-count & mask));
12135 }
12136
12137#if defined(_MSC_VER)
12138#pragma warning(pop)
12139#endif
12140
12141}
12142
12143 SimplePcg32::SimplePcg32(result_type seed_) {
12144 seed(seed_);
12145 }
12146
12147 void SimplePcg32::seed(result_type seed_) {
12148 m_state = 0;
12149 (*this)();
12150 m_state += seed_;
12151 (*this)();
12152 }
12153
12154 void SimplePcg32::discard(uint64_t skip) {
12155 // We could implement this to run in O(log n) steps, but this
12156 // should suffice for our use case.
12157 for (uint64_t s = 0; s < skip; ++s) {
12158 static_cast<void>((*this)());
12159 }
12160 }
12161
12162 SimplePcg32::result_type SimplePcg32::operator()() {
12163 // prepare the output value
12164 const uint32_t xorshifted = static_cast<uint32_t>(((m_state >> 18u) ^ m_state) >> 27u);
12165 const auto output = rotate_right(xorshifted, m_state >> 59u);
12166
12167 // advance state
12168 m_state = m_state * 6364136223846793005ULL + s_inc;
12169
12170 return output;
12171 }
12172
12173 bool operator==(SimplePcg32 const& lhs, SimplePcg32 const& rhs) {
12174 return lhs.m_state == rhs.m_state;
12175 }
12176
12177 bool operator!=(SimplePcg32 const& lhs, SimplePcg32 const& rhs) {
12178 return lhs.m_state != rhs.m_state;
12179 }
12180}
12181// end catch_random_number_generator.cpp
12182// start catch_registry_hub.cpp
12183
12184// start catch_test_case_registry_impl.h
12185
12186#include <vector>
12187#include <set>
12188#include <algorithm>
12189#include <ios>
12190
12191namespace Catch {
12192
12193 class TestCase;
12194 struct IConfig;
12195
12196 std::vector<TestCase> sortTests( IConfig const& config, std::vector<TestCase> const& unsortedTestCases );
12197
12198 bool isThrowSafe( TestCase const& testCase, IConfig const& config );
12199 bool matchTest( TestCase const& testCase, TestSpec const& testSpec, IConfig const& config );
12200
12201 void enforceNoDuplicateTestCases( std::vector<TestCase> const& functions );
12202
12203 std::vector<TestCase> filterTests( std::vector<TestCase> const& testCases, TestSpec const& testSpec, IConfig const& config );
12204 std::vector<TestCase> const& getAllTestCasesSorted( IConfig const& config );
12205
12206 class TestRegistry : public ITestCaseRegistry {
12207 public:
12208 virtual ~TestRegistry() = default;
12209
12210 virtual void registerTest( TestCase const& testCase );
12211
12212 std::vector<TestCase> const& getAllTests() const override;
12213 std::vector<TestCase> const& getAllTestsSorted( IConfig const& config ) const override;
12214
12215 private:
12216 std::vector<TestCase> m_functions;
12217 mutable RunTests::InWhatOrder m_currentSortOrder = RunTests::InDeclarationOrder;
12218 mutable std::vector<TestCase> m_sortedFunctions;
12219 std::size_t m_unnamedCount = 0;
12220 std::ios_base::Init m_ostreamInit; // Forces cout/ cerr to be initialised
12221 };
12222
12224
12225 class TestInvokerAsFunction : public ITestInvoker {
12226 void(*m_testAsFunction)();
12227 public:
12228 TestInvokerAsFunction( void(*testAsFunction)() ) noexcept;
12229
12230 void invoke() const override;
12231 };
12232
12233 std::string extractClassName( StringRef const& classOrQualifiedMethodName );
12234
12236
12237} // end namespace Catch
12238
12239// end catch_test_case_registry_impl.h
12240// start catch_reporter_registry.h
12241
12242#include <map>
12243
12244namespace Catch {
12245
12246 class ReporterRegistry : public IReporterRegistry {
12247
12248 public:
12249
12250 ~ReporterRegistry() override;
12251
12252 IStreamingReporterPtr create( std::string const& name, IConfigPtr const& config ) const override;
12253
12254 void registerReporter( std::string const& name, IReporterFactoryPtr const& factory );
12255 void registerListener( IReporterFactoryPtr const& factory );
12256
12257 FactoryMap const& getFactories() const override;
12258 Listeners const& getListeners() const override;
12259
12260 private:
12261 FactoryMap m_factories;
12262 Listeners m_listeners;
12263 };
12264}
12265
12266// end catch_reporter_registry.h
12267// start catch_tag_alias_registry.h
12268
12269// start catch_tag_alias.h
12270
12271#include <string>
12272
12273namespace Catch {
12274
12275 struct TagAlias {
12276 TagAlias(std::string const& _tag, SourceLineInfo _lineInfo);
12277
12278 std::string tag;
12279 SourceLineInfo lineInfo;
12280 };
12281
12282} // end namespace Catch
12283
12284// end catch_tag_alias.h
12285#include <map>
12286
12287namespace Catch {
12288
12289 class TagAliasRegistry : public ITagAliasRegistry {
12290 public:
12291 ~TagAliasRegistry() override;
12292 TagAlias const* find( std::string const& alias ) const override;
12293 std::string expandAliases( std::string const& unexpandedTestSpec ) const override;
12294 void add( std::string const& alias, std::string const& tag, SourceLineInfo const& lineInfo );
12295
12296 private:
12297 std::map<std::string, TagAlias> m_registry;
12298 };
12299
12300} // end namespace Catch
12301
12302// end catch_tag_alias_registry.h
12303// start catch_startup_exception_registry.h
12304
12305#include <vector>
12306#include <exception>
12307
12308namespace Catch {
12309
12310 class StartupExceptionRegistry {
12311 public:
12312 void add(std::exception_ptr const& exception) noexcept;
12313 std::vector<std::exception_ptr> const& getExceptions() const noexcept;
12314 private:
12315 std::vector<std::exception_ptr> m_exceptions;
12316 };
12317
12318} // end namespace Catch
12319
12320// end catch_startup_exception_registry.h
12321// start catch_singletons.hpp
12322
12323namespace Catch {
12324
12325 struct ISingleton {
12326 virtual ~ISingleton();
12327 };
12328
12329 void addSingleton( ISingleton* singleton );
12330 void cleanupSingletons();
12331
12332 template<typename SingletonImplT, typename InterfaceT = SingletonImplT, typename MutableInterfaceT = InterfaceT>
12333 class Singleton : SingletonImplT, public ISingleton {
12334
12335 static auto getInternal() -> Singleton* {
12336 static Singleton* s_instance = nullptr;
12337 if( !s_instance ) {
12338 s_instance = new Singleton;
12339 addSingleton( s_instance );
12340 }
12341 return s_instance;
12342 }
12343
12344 public:
12345 static auto get() -> InterfaceT const& {
12346 return *getInternal();
12347 }
12348 static auto getMutable() -> MutableInterfaceT& {
12349 return *getInternal();
12350 }
12351 };
12352
12353} // namespace Catch
12354
12355// end catch_singletons.hpp
12356namespace Catch {
12357
12358 namespace {
12359
12360 class RegistryHub : public IRegistryHub, public IMutableRegistryHub,
12361 private NonCopyable {
12362
12363 public: // IRegistryHub
12364 RegistryHub() = default;
12365 IReporterRegistry const& getReporterRegistry() const override {
12366 return m_reporterRegistry;
12367 }
12368 ITestCaseRegistry const& getTestCaseRegistry() const override {
12369 return m_testCaseRegistry;
12370 }
12371 IExceptionTranslatorRegistry const& getExceptionTranslatorRegistry() const override {
12372 return m_exceptionTranslatorRegistry;
12373 }
12374 ITagAliasRegistry const& getTagAliasRegistry() const override {
12375 return m_tagAliasRegistry;
12376 }
12377 StartupExceptionRegistry const& getStartupExceptionRegistry() const override {
12378 return m_exceptionRegistry;
12379 }
12380
12381 public: // IMutableRegistryHub
12382 void registerReporter( std::string const& name, IReporterFactoryPtr const& factory ) override {
12383 m_reporterRegistry.registerReporter( name, factory );
12384 }
12385 void registerListener( IReporterFactoryPtr const& factory ) override {
12386 m_reporterRegistry.registerListener( factory );
12387 }
12388 void registerTest( TestCase const& testInfo ) override {
12389 m_testCaseRegistry.registerTest( testInfo );
12390 }
12391 void registerTranslator( const IExceptionTranslator* translator ) override {
12392 m_exceptionTranslatorRegistry.registerTranslator( translator );
12393 }
12394 void registerTagAlias( std::string const& alias, std::string const& tag, SourceLineInfo const& lineInfo ) override {
12395 m_tagAliasRegistry.add( alias, tag, lineInfo );
12396 }
12397 void registerStartupException() noexcept override {
12398 m_exceptionRegistry.add(std::current_exception());
12399 }
12400 IMutableEnumValuesRegistry& getMutableEnumValuesRegistry() override {
12401 return m_enumValuesRegistry;
12402 }
12403
12404 private:
12405 TestRegistry m_testCaseRegistry;
12406 ReporterRegistry m_reporterRegistry;
12407 ExceptionTranslatorRegistry m_exceptionTranslatorRegistry;
12408 TagAliasRegistry m_tagAliasRegistry;
12409 StartupExceptionRegistry m_exceptionRegistry;
12410 Detail::EnumValuesRegistry m_enumValuesRegistry;
12411 };
12412 }
12413
12414 using RegistryHubSingleton = Singleton<RegistryHub, IRegistryHub, IMutableRegistryHub>;
12415
12416 IRegistryHub const& getRegistryHub() {
12417 return RegistryHubSingleton::get();
12418 }
12419 IMutableRegistryHub& getMutableRegistryHub() {
12420 return RegistryHubSingleton::getMutable();
12421 }
12422 void cleanUp() {
12423 cleanupSingletons();
12424 cleanUpContext();
12425 }
12426 std::string translateActiveException() {
12427 return getRegistryHub().getExceptionTranslatorRegistry().translateActiveException();
12428 }
12429
12430} // end namespace Catch
12431// end catch_registry_hub.cpp
12432// start catch_reporter_registry.cpp
12433
12434namespace Catch {
12435
12436 ReporterRegistry::~ReporterRegistry() = default;
12437
12438 IStreamingReporterPtr ReporterRegistry::create( std::string const& name, IConfigPtr const& config ) const {
12439 auto it = m_factories.find( name );
12440 if( it == m_factories.end() )
12441 return nullptr;
12442 return it->second->create( ReporterConfig( config ) );
12443 }
12444
12445 void ReporterRegistry::registerReporter( std::string const& name, IReporterFactoryPtr const& factory ) {
12446 m_factories.emplace(name, factory);
12447 }
12448 void ReporterRegistry::registerListener( IReporterFactoryPtr const& factory ) {
12449 m_listeners.push_back( factory );
12450 }
12451
12452 IReporterRegistry::FactoryMap const& ReporterRegistry::getFactories() const {
12453 return m_factories;
12454 }
12455 IReporterRegistry::Listeners const& ReporterRegistry::getListeners() const {
12456 return m_listeners;
12457 }
12458
12459}
12460// end catch_reporter_registry.cpp
12461// start catch_result_type.cpp
12462
12463namespace Catch {
12464
12465 bool isOk( ResultWas::OfType resultType ) {
12466 return ( resultType & ResultWas::FailureBit ) == 0;
12467 }
12468 bool isJustInfo( int flags ) {
12469 return flags == ResultWas::Info;
12470 }
12471
12472 ResultDisposition::Flags operator | ( ResultDisposition::Flags lhs, ResultDisposition::Flags rhs ) {
12473 return static_cast<ResultDisposition::Flags>( static_cast<int>( lhs ) | static_cast<int>( rhs ) );
12474 }
12475
12476 bool shouldContinueOnFailure( int flags ) { return ( flags & ResultDisposition::ContinueOnFailure ) != 0; }
12477 bool shouldSuppressFailure( int flags ) { return ( flags & ResultDisposition::SuppressFail ) != 0; }
12478
12479} // end namespace Catch
12480// end catch_result_type.cpp
12481// start catch_run_context.cpp
12482
12483#include <cassert>
12484#include <algorithm>
12485#include <sstream>
12486
12487namespace Catch {
12488
12489 namespace Generators {
12490 struct GeneratorTracker : TestCaseTracking::TrackerBase, IGeneratorTracker {
12491 GeneratorBasePtr m_generator;
12492
12493 GeneratorTracker( TestCaseTracking::NameAndLocation const& nameAndLocation, TrackerContext& ctx, ITracker* parent )
12494 : TrackerBase( nameAndLocation, ctx, parent )
12495 {}
12496 ~GeneratorTracker();
12497
12498 static GeneratorTracker& acquire( TrackerContext& ctx, TestCaseTracking::NameAndLocation const& nameAndLocation ) {
12499 std::shared_ptr<GeneratorTracker> tracker;
12500
12501 ITracker& currentTracker = ctx.currentTracker();
12502 if( TestCaseTracking::ITrackerPtr childTracker = currentTracker.findChild( nameAndLocation ) ) {
12503 assert( childTracker );
12504 assert( childTracker->isGeneratorTracker() );
12505 tracker = std::static_pointer_cast<GeneratorTracker>( childTracker );
12506 }
12507 else {
12508 tracker = std::make_shared<GeneratorTracker>( nameAndLocation, ctx, &currentTracker );
12509 currentTracker.addChild( tracker );
12510 }
12511
12512 if( !ctx.completedCycle() && !tracker->isComplete() ) {
12513 tracker->open();
12514 }
12515
12516 return *tracker;
12517 }
12518
12519 // TrackerBase interface
12520 bool isGeneratorTracker() const override { return true; }
12521 auto hasGenerator() const -> bool override {
12522 return !!m_generator;
12523 }
12524 void close() override {
12525 TrackerBase::close();
12526 // Generator interface only finds out if it has another item on atual move
12527 if (m_runState == CompletedSuccessfully && m_generator->next()) {
12528 m_children.clear();
12529 m_runState = Executing;
12530 }
12531 }
12532
12533 // IGeneratorTracker interface
12534 auto getGenerator() const -> GeneratorBasePtr const& override {
12535 return m_generator;
12536 }
12537 void setGenerator( GeneratorBasePtr&& generator ) override {
12538 m_generator = std::move( generator );
12539 }
12540 };
12541 GeneratorTracker::~GeneratorTracker() {}
12542 }
12543
12544 RunContext::RunContext(IConfigPtr const& _config, IStreamingReporterPtr&& reporter)
12545 : m_runInfo(_config->name()),
12546 m_context(getCurrentMutableContext()),
12547 m_config(_config),
12548 m_reporter(std::move(reporter)),
12549 m_lastAssertionInfo{ StringRef(), SourceLineInfo("",0), StringRef(), ResultDisposition::Normal },
12550 m_includeSuccessfulResults( m_config->includeSuccessfulResults() || m_reporter->getPreferences().shouldReportAllAssertions )
12551 {
12552 m_context.setRunner(this);
12553 m_context.setConfig(m_config);
12554 m_context.setResultCapture(this);
12555 m_reporter->testRunStarting(m_runInfo);
12556 }
12557
12558 RunContext::~RunContext() {
12559 m_reporter->testRunEnded(TestRunStats(m_runInfo, m_totals, aborting()));
12560 }
12561
12562 void RunContext::testGroupStarting(std::string const& testSpec, std::size_t groupIndex, std::size_t groupsCount) {
12563 m_reporter->testGroupStarting(GroupInfo(testSpec, groupIndex, groupsCount));
12564 }
12565
12566 void RunContext::testGroupEnded(std::string const& testSpec, Totals const& totals, std::size_t groupIndex, std::size_t groupsCount) {
12567 m_reporter->testGroupEnded(TestGroupStats(GroupInfo(testSpec, groupIndex, groupsCount), totals, aborting()));
12568 }
12569
12570 Totals RunContext::runTest(TestCase const& testCase) {
12571 Totals prevTotals = m_totals;
12572
12573 std::string redirectedCout;
12574 std::string redirectedCerr;
12575
12576 auto const& testInfo = testCase.getTestCaseInfo();
12577
12578 m_reporter->testCaseStarting(testInfo);
12579
12580 m_activeTestCase = &testCase;
12581
12582 ITracker& rootTracker = m_trackerContext.startRun();
12583 assert(rootTracker.isSectionTracker());
12584 static_cast<SectionTracker&>(rootTracker).addInitialFilters(m_config->getSectionsToRun());
12585 do {
12586 m_trackerContext.startCycle();
12587 m_testCaseTracker = &SectionTracker::acquire(m_trackerContext, TestCaseTracking::NameAndLocation(testInfo.name, testInfo.lineInfo));
12588 runCurrentTest(redirectedCout, redirectedCerr);
12589 } while (!m_testCaseTracker->isSuccessfullyCompleted() && !aborting());
12590
12591 Totals deltaTotals = m_totals.delta(prevTotals);
12592 if (testInfo.expectedToFail() && deltaTotals.testCases.passed > 0) {
12593 deltaTotals.assertions.failed++;
12594 deltaTotals.testCases.passed--;
12595 deltaTotals.testCases.failed++;
12596 }
12597 m_totals.testCases += deltaTotals.testCases;
12598 m_reporter->testCaseEnded(TestCaseStats(testInfo,
12599 deltaTotals,
12600 redirectedCout,
12601 redirectedCerr,
12602 aborting()));
12603
12604 m_activeTestCase = nullptr;
12605 m_testCaseTracker = nullptr;
12606
12607 return deltaTotals;
12608 }
12609
12610 IConfigPtr RunContext::config() const {
12611 return m_config;
12612 }
12613
12614 IStreamingReporter& RunContext::reporter() const {
12615 return *m_reporter;
12616 }
12617
12618 void RunContext::assertionEnded(AssertionResult const & result) {
12619 if (result.getResultType() == ResultWas::Ok) {
12620 m_totals.assertions.passed++;
12621 m_lastAssertionPassed = true;
12622 } else if (!result.isOk()) {
12623 m_lastAssertionPassed = false;
12624 if( m_activeTestCase->getTestCaseInfo().okToFail() )
12625 m_totals.assertions.failedButOk++;
12626 else
12627 m_totals.assertions.failed++;
12628 }
12629 else {
12630 m_lastAssertionPassed = true;
12631 }
12632
12633 // We have no use for the return value (whether messages should be cleared), because messages were made scoped
12634 // and should be let to clear themselves out.
12635 static_cast<void>(m_reporter->assertionEnded(AssertionStats(result, m_messages, m_totals)));
12636
12637 if (result.getResultType() != ResultWas::Warning)
12638 m_messageScopes.clear();
12639
12640 // Reset working state
12641 resetAssertionInfo();
12642 m_lastResult = result;
12643 }
12644 void RunContext::resetAssertionInfo() {
12645 m_lastAssertionInfo.macroName = StringRef();
12646 m_lastAssertionInfo.capturedExpression = "{Unknown expression after the reported line}"_sr;
12647 }
12648
12649 bool RunContext::sectionStarted(SectionInfo const & sectionInfo, Counts & assertions) {
12650 ITracker& sectionTracker = SectionTracker::acquire(m_trackerContext, TestCaseTracking::NameAndLocation(sectionInfo.name, sectionInfo.lineInfo));
12651 if (!sectionTracker.isOpen())
12652 return false;
12653 m_activeSections.push_back(&sectionTracker);
12654
12655 m_lastAssertionInfo.lineInfo = sectionInfo.lineInfo;
12656
12657 m_reporter->sectionStarting(sectionInfo);
12658
12659 assertions = m_totals.assertions;
12660
12661 return true;
12662 }
12663 auto RunContext::acquireGeneratorTracker( SourceLineInfo const& lineInfo ) -> IGeneratorTracker& {
12664 using namespace Generators;
12665 GeneratorTracker& tracker = GeneratorTracker::acquire( m_trackerContext, TestCaseTracking::NameAndLocation( "generator", lineInfo ) );
12666 assert( tracker.isOpen() );
12667 m_lastAssertionInfo.lineInfo = lineInfo;
12668 return tracker;
12669 }
12670
12671 bool RunContext::testForMissingAssertions(Counts& assertions) {
12672 if (assertions.total() != 0)
12673 return false;
12674 if (!m_config->warnAboutMissingAssertions())
12675 return false;
12676 if (m_trackerContext.currentTracker().hasChildren())
12677 return false;
12678 m_totals.assertions.failed++;
12679 assertions.failed++;
12680 return true;
12681 }
12682
12683 void RunContext::sectionEnded(SectionEndInfo const & endInfo) {
12684 Counts assertions = m_totals.assertions - endInfo.prevAssertions;
12685 bool missingAssertions = testForMissingAssertions(assertions);
12686
12687 if (!m_activeSections.empty()) {
12688 m_activeSections.back()->close();
12689 m_activeSections.pop_back();
12690 }
12691
12692 m_reporter->sectionEnded(SectionStats(endInfo.sectionInfo, assertions, endInfo.durationInSeconds, missingAssertions));
12693 m_messages.clear();
12694 m_messageScopes.clear();
12695 }
12696
12697 void RunContext::sectionEndedEarly(SectionEndInfo const & endInfo) {
12698 if (m_unfinishedSections.empty())
12699 m_activeSections.back()->fail();
12700 else
12701 m_activeSections.back()->close();
12702 m_activeSections.pop_back();
12703
12704 m_unfinishedSections.push_back(endInfo);
12705 }
12706
12707#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
12708 void RunContext::benchmarkPreparing(std::string const& name) {
12709 m_reporter->benchmarkPreparing(name);
12710 }
12711 void RunContext::benchmarkStarting( BenchmarkInfo const& info ) {
12712 m_reporter->benchmarkStarting( info );
12713 }
12714 void RunContext::benchmarkEnded( BenchmarkStats<> const& stats ) {
12715 m_reporter->benchmarkEnded( stats );
12716 }
12717 void RunContext::benchmarkFailed(std::string const & error) {
12718 m_reporter->benchmarkFailed(error);
12719 }
12720#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
12721
12722 void RunContext::pushScopedMessage(MessageInfo const & message) {
12723 m_messages.push_back(message);
12724 }
12725
12726 void RunContext::popScopedMessage(MessageInfo const & message) {
12727 m_messages.erase(std::remove(m_messages.begin(), m_messages.end(), message), m_messages.end());
12728 }
12729
12730 void RunContext::emplaceUnscopedMessage( MessageBuilder const& builder ) {
12731 m_messageScopes.emplace_back( builder );
12732 }
12733
12734 std::string RunContext::getCurrentTestName() const {
12735 return m_activeTestCase
12736 ? m_activeTestCase->getTestCaseInfo().name
12737 : std::string();
12738 }
12739
12740 const AssertionResult * RunContext::getLastResult() const {
12741 return &(*m_lastResult);
12742 }
12743
12744 void RunContext::exceptionEarlyReported() {
12745 m_shouldReportUnexpected = false;
12746 }
12747
12748 void RunContext::handleFatalErrorCondition( StringRef message ) {
12749 // First notify reporter that bad things happened
12750 m_reporter->fatalErrorEncountered(message);
12751
12752 // Don't rebuild the result -- the stringification itself can cause more fatal errors
12753 // Instead, fake a result data.
12754 AssertionResultData tempResult( ResultWas::FatalErrorCondition, { false } );
12755 tempResult.message = static_cast<std::string>(message);
12756 AssertionResult result(m_lastAssertionInfo, tempResult);
12757
12758 assertionEnded(result);
12759
12760 handleUnfinishedSections();
12761
12762 // Recreate section for test case (as we will lose the one that was in scope)
12763 auto const& testCaseInfo = m_activeTestCase->getTestCaseInfo();
12764 SectionInfo testCaseSection(testCaseInfo.lineInfo, testCaseInfo.name);
12765
12766 Counts assertions;
12767 assertions.failed = 1;
12768 SectionStats testCaseSectionStats(testCaseSection, assertions, 0, false);
12769 m_reporter->sectionEnded(testCaseSectionStats);
12770
12771 auto const& testInfo = m_activeTestCase->getTestCaseInfo();
12772
12773 Totals deltaTotals;
12774 deltaTotals.testCases.failed = 1;
12775 deltaTotals.assertions.failed = 1;
12776 m_reporter->testCaseEnded(TestCaseStats(testInfo,
12777 deltaTotals,
12778 std::string(),
12779 std::string(),
12780 false));
12781 m_totals.testCases.failed++;
12782 testGroupEnded(std::string(), m_totals, 1, 1);
12783 m_reporter->testRunEnded(TestRunStats(m_runInfo, m_totals, false));
12784 }
12785
12786 bool RunContext::lastAssertionPassed() {
12787 return m_lastAssertionPassed;
12788 }
12789
12790 void RunContext::assertionPassed() {
12791 m_lastAssertionPassed = true;
12792 ++m_totals.assertions.passed;
12793 resetAssertionInfo();
12794 m_messageScopes.clear();
12795 }
12796
12797 bool RunContext::aborting() const {
12798 return m_totals.assertions.failed >= static_cast<std::size_t>(m_config->abortAfter());
12799 }
12800
12801 void RunContext::runCurrentTest(std::string & redirectedCout, std::string & redirectedCerr) {
12802 auto const& testCaseInfo = m_activeTestCase->getTestCaseInfo();
12803 SectionInfo testCaseSection(testCaseInfo.lineInfo, testCaseInfo.name);
12804 m_reporter->sectionStarting(testCaseSection);
12805 Counts prevAssertions = m_totals.assertions;
12806 double duration = 0;
12807 m_shouldReportUnexpected = true;
12808 m_lastAssertionInfo = { "TEST_CASE"_sr, testCaseInfo.lineInfo, StringRef(), ResultDisposition::Normal };
12809
12810 seedRng(*m_config);
12811
12812 Timer timer;
12813 CATCH_TRY {
12814 if (m_reporter->getPreferences().shouldRedirectStdOut) {
12815#if !defined(CATCH_CONFIG_EXPERIMENTAL_REDIRECT)
12816 RedirectedStreams redirectedStreams(redirectedCout, redirectedCerr);
12817
12818 timer.start();
12819 invokeActiveTestCase();
12820#else
12821 OutputRedirect r(redirectedCout, redirectedCerr);
12822 timer.start();
12823 invokeActiveTestCase();
12824#endif
12825 } else {
12826 timer.start();
12827 invokeActiveTestCase();
12828 }
12829 duration = timer.getElapsedSeconds();
12830 } CATCH_CATCH_ANON (TestFailureException&) {
12831 // This just means the test was aborted due to failure
12832 } CATCH_CATCH_ALL {
12833 // Under CATCH_CONFIG_FAST_COMPILE, unexpected exceptions under REQUIRE assertions
12834 // are reported without translation at the point of origin.
12835 if( m_shouldReportUnexpected ) {
12836 AssertionReaction dummyReaction;
12837 handleUnexpectedInflightException( m_lastAssertionInfo, translateActiveException(), dummyReaction );
12838 }
12839 }
12840 Counts assertions = m_totals.assertions - prevAssertions;
12841 bool missingAssertions = testForMissingAssertions(assertions);
12842
12843 m_testCaseTracker->close();
12844 handleUnfinishedSections();
12845 m_messages.clear();
12846 m_messageScopes.clear();
12847
12848 SectionStats testCaseSectionStats(testCaseSection, assertions, duration, missingAssertions);
12849 m_reporter->sectionEnded(testCaseSectionStats);
12850 }
12851
12852 void RunContext::invokeActiveTestCase() {
12853 FatalConditionHandler fatalConditionHandler; // Handle signals
12854 m_activeTestCase->invoke();
12855 fatalConditionHandler.reset();
12856 }
12857
12858 void RunContext::handleUnfinishedSections() {
12859 // If sections ended prematurely due to an exception we stored their
12860 // infos here so we can tear them down outside the unwind process.
12861 for (auto it = m_unfinishedSections.rbegin(),
12862 itEnd = m_unfinishedSections.rend();
12863 it != itEnd;
12864 ++it)
12865 sectionEnded(*it);
12866 m_unfinishedSections.clear();
12867 }
12868
12869 void RunContext::handleExpr(
12870 AssertionInfo const& info,
12871 ITransientExpression const& expr,
12872 AssertionReaction& reaction
12873 ) {
12874 m_reporter->assertionStarting( info );
12875
12876 bool negated = isFalseTest( info.resultDisposition );
12877 bool result = expr.getResult() != negated;
12878
12879 if( result ) {
12880 if (!m_includeSuccessfulResults) {
12881 assertionPassed();
12882 }
12883 else {
12884 reportExpr(info, ResultWas::Ok, &expr, negated);
12885 }
12886 }
12887 else {
12888 reportExpr(info, ResultWas::ExpressionFailed, &expr, negated );
12889 populateReaction( reaction );
12890 }
12891 }
12892 void RunContext::reportExpr(
12893 AssertionInfo const &info,
12894 ResultWas::OfType resultType,
12895 ITransientExpression const *expr,
12896 bool negated ) {
12897
12898 m_lastAssertionInfo = info;
12899 AssertionResultData data( resultType, LazyExpression( negated ) );
12900
12901 AssertionResult assertionResult{ info, data };
12902 assertionResult.m_resultData.lazyExpression.m_transientExpression = expr;
12903
12904 assertionEnded( assertionResult );
12905 }
12906
12907 void RunContext::handleMessage(
12908 AssertionInfo const& info,
12909 ResultWas::OfType resultType,
12910 StringRef const& message,
12911 AssertionReaction& reaction
12912 ) {
12913 m_reporter->assertionStarting( info );
12914
12915 m_lastAssertionInfo = info;
12916
12917 AssertionResultData data( resultType, LazyExpression( false ) );
12918 data.message = static_cast<std::string>(message);
12919 AssertionResult assertionResult{ m_lastAssertionInfo, data };
12920 assertionEnded( assertionResult );
12921 if( !assertionResult.isOk() )
12922 populateReaction( reaction );
12923 }
12924 void RunContext::handleUnexpectedExceptionNotThrown(
12925 AssertionInfo const& info,
12926 AssertionReaction& reaction
12927 ) {
12928 handleNonExpr(info, Catch::ResultWas::DidntThrowException, reaction);
12929 }
12930
12931 void RunContext::handleUnexpectedInflightException(
12932 AssertionInfo const& info,
12933 std::string const& message,
12934 AssertionReaction& reaction
12935 ) {
12936 m_lastAssertionInfo = info;
12937
12938 AssertionResultData data( ResultWas::ThrewException, LazyExpression( false ) );
12939 data.message = message;
12940 AssertionResult assertionResult{ info, data };
12941 assertionEnded( assertionResult );
12942 populateReaction( reaction );
12943 }
12944
12945 void RunContext::populateReaction( AssertionReaction& reaction ) {
12946 reaction.shouldDebugBreak = m_config->shouldDebugBreak();
12947 reaction.shouldThrow = aborting() || (m_lastAssertionInfo.resultDisposition & ResultDisposition::Normal);
12948 }
12949
12950 void RunContext::handleIncomplete(
12951 AssertionInfo const& info
12952 ) {
12953 m_lastAssertionInfo = info;
12954
12955 AssertionResultData data( ResultWas::ThrewException, LazyExpression( false ) );
12956 data.message = "Exception translation was disabled by CATCH_CONFIG_FAST_COMPILE";
12957 AssertionResult assertionResult{ info, data };
12958 assertionEnded( assertionResult );
12959 }
12960 void RunContext::handleNonExpr(
12961 AssertionInfo const &info,
12962 ResultWas::OfType resultType,
12963 AssertionReaction &reaction
12964 ) {
12965 m_lastAssertionInfo = info;
12966
12967 AssertionResultData data( resultType, LazyExpression( false ) );
12968 AssertionResult assertionResult{ info, data };
12969 assertionEnded( assertionResult );
12970
12971 if( !assertionResult.isOk() )
12972 populateReaction( reaction );
12973 }
12974
12975 IResultCapture& getResultCapture() {
12976 if (auto* capture = getCurrentContext().getResultCapture())
12977 return *capture;
12978 else
12979 CATCH_INTERNAL_ERROR("No result capture instance");
12980 }
12981
12982 void seedRng(IConfig const& config) {
12983 if (config.rngSeed() != 0) {
12984 std::srand(config.rngSeed());
12985 rng().seed(config.rngSeed());
12986 }
12987 }
12988
12989 unsigned int rngSeed() {
12990 return getCurrentContext().getConfig()->rngSeed();
12991 }
12992
12993}
12994// end catch_run_context.cpp
12995// start catch_section.cpp
12996
12997namespace Catch {
12998
12999 Section::Section( SectionInfo const& info )
13000 : m_info( info ),
13001 m_sectionIncluded( getResultCapture().sectionStarted( m_info, m_assertions ) )
13002 {
13003 m_timer.start();
13004 }
13005
13006 Section::~Section() {
13007 if( m_sectionIncluded ) {
13008 SectionEndInfo endInfo{ m_info, m_assertions, m_timer.getElapsedSeconds() };
13009 if( uncaught_exceptions() )
13010 getResultCapture().sectionEndedEarly( endInfo );
13011 else
13012 getResultCapture().sectionEnded( endInfo );
13013 }
13014 }
13015
13016 // This indicates whether the section should be executed or not
13017 Section::operator bool() const {
13018 return m_sectionIncluded;
13019 }
13020
13021} // end namespace Catch
13022// end catch_section.cpp
13023// start catch_section_info.cpp
13024
13025namespace Catch {
13026
13027 SectionInfo::SectionInfo
13028 ( SourceLineInfo const& _lineInfo,
13029 std::string const& _name )
13030 : name( _name ),
13031 lineInfo( _lineInfo )
13032 {}
13033
13034} // end namespace Catch
13035// end catch_section_info.cpp
13036// start catch_session.cpp
13037
13038// start catch_session.h
13039
13040#include <memory>
13041
13042namespace Catch {
13043
13044 class Session : NonCopyable {
13045 public:
13046
13047 Session();
13048 ~Session() override;
13049
13050 void showHelp() const;
13051 void libIdentify();
13052
13053 int applyCommandLine( int argc, char const * const * argv );
13054 #if defined(CATCH_CONFIG_WCHAR) && defined(_WIN32) && defined(UNICODE)
13055 int applyCommandLine( int argc, wchar_t const * const * argv );
13056 #endif
13057
13058 void useConfigData( ConfigData const& configData );
13059
13060 template<typename CharT>
13061 int run(int argc, CharT const * const argv[]) {
13062 if (m_startupExceptions)
13063 return 1;
13064 int returnCode = applyCommandLine(argc, argv);
13065 if (returnCode == 0)
13066 returnCode = run();
13067 return returnCode;
13068 }
13069
13070 int run();
13071
13072 clara::Parser const& cli() const;
13073 void cli( clara::Parser const& newParser );
13074 ConfigData& configData();
13075 Config& config();
13076 private:
13077 int runInternal();
13078
13079 clara::Parser m_cli;
13080 ConfigData m_configData;
13081 std::shared_ptr<Config> m_config;
13082 bool m_startupExceptions = false;
13083 };
13084
13085} // end namespace Catch
13086
13087// end catch_session.h
13088// start catch_version.h
13089
13090#include <iosfwd>
13091
13092namespace Catch {
13093
13094 // Versioning information
13095 struct Version {
13096 Version( Version const& ) = delete;
13097 Version& operator=( Version const& ) = delete;
13098 Version( unsigned int _majorVersion,
13099 unsigned int _minorVersion,
13100 unsigned int _patchNumber,
13101 char const * const _branchName,
13102 unsigned int _buildNumber );
13103
13104 unsigned int const majorVersion;
13105 unsigned int const minorVersion;
13106 unsigned int const patchNumber;
13107
13108 // buildNumber is only used if branchName is not null
13109 char const * const branchName;
13110 unsigned int const buildNumber;
13111
13112 friend std::ostream& operator << ( std::ostream& os, Version const& version );
13113 };
13114
13115 Version const& libraryVersion();
13116}
13117
13118// end catch_version.h
13119#include <cstdlib>
13120#include <iomanip>
13121#include <set>
13122#include <iterator>
13123
13124namespace Catch {
13125
13126 namespace {
13127 const int MaxExitCode = 255;
13128
13129 IStreamingReporterPtr createReporter(std::string const& reporterName, IConfigPtr const& config) {
13130 auto reporter = Catch::getRegistryHub().getReporterRegistry().create(reporterName, config);
13131 CATCH_ENFORCE(reporter, "No reporter registered with name: '" << reporterName << "'");
13132
13133 return reporter;
13134 }
13135
13136 IStreamingReporterPtr makeReporter(std::shared_ptr<Config> const& config) {
13137 if (Catch::getRegistryHub().getReporterRegistry().getListeners().empty()) {
13138 return createReporter(config->getReporterName(), config);
13139 }
13140
13141 // On older platforms, returning std::unique_ptr<ListeningReporter>
13142 // when the return type is std::unique_ptr<IStreamingReporter>
13143 // doesn't compile without a std::move call. However, this causes
13144 // a warning on newer platforms. Thus, we have to work around
13145 // it a bit and downcast the pointer manually.
13146 auto ret = std::unique_ptr<IStreamingReporter>(new ListeningReporter);
13147 auto& multi = static_cast<ListeningReporter&>(*ret);
13148 auto const& listeners = Catch::getRegistryHub().getReporterRegistry().getListeners();
13149 for (auto const& listener : listeners) {
13150 multi.addListener(listener->create(Catch::ReporterConfig(config)));
13151 }
13152 multi.addReporter(createReporter(config->getReporterName(), config));
13153 return ret;
13154 }
13155
13156 class TestGroup {
13157 public:
13158 explicit TestGroup(std::shared_ptr<Config> const& config)
13159 : m_config{config}
13160 , m_context{config, makeReporter(config)}
13161 {
13162 auto const& allTestCases = getAllTestCasesSorted(*m_config);
13163 m_matches = m_config->testSpec().matchesByFilter(allTestCases, *m_config);
13164 auto const& invalidArgs = m_config->testSpec().getInvalidArgs();
13165
13166 if (m_matches.empty() && invalidArgs.empty()) {
13167 for (auto const& test : allTestCases)
13168 if (!test.isHidden())
13169 m_tests.emplace(&test);
13170 } else {
13171 for (auto const& match : m_matches)
13172 m_tests.insert(match.tests.begin(), match.tests.end());
13173 }
13174 }
13175
13176 Totals execute() {
13177 auto const& invalidArgs = m_config->testSpec().getInvalidArgs();
13178 Totals totals;
13179 m_context.testGroupStarting(m_config->name(), 1, 1);
13180 for (auto const& testCase : m_tests) {
13181 if (!m_context.aborting())
13182 totals += m_context.runTest(*testCase);
13183 else
13184 m_context.reporter().skipTest(*testCase);
13185 }
13186
13187 for (auto const& match : m_matches) {
13188 if (match.tests.empty()) {
13189 m_context.reporter().noMatchingTestCases(match.name);
13190 totals.error = -1;
13191 }
13192 }
13193
13194 if (!invalidArgs.empty()) {
13195 for (auto const& invalidArg: invalidArgs)
13196 m_context.reporter().reportInvalidArguments(invalidArg);
13197 }
13198
13199 m_context.testGroupEnded(m_config->name(), totals, 1, 1);
13200 return totals;
13201 }
13202
13203 private:
13204 using Tests = std::set<TestCase const*>;
13205
13206 std::shared_ptr<Config> m_config;
13207 RunContext m_context;
13208 Tests m_tests;
13209 TestSpec::Matches m_matches;
13210 };
13211
13212 void applyFilenamesAsTags(Catch::IConfig const& config) {
13213 auto& tests = const_cast<std::vector<TestCase>&>(getAllTestCasesSorted(config));
13214 for (auto& testCase : tests) {
13215 auto tags = testCase.tags;
13216
13217 std::string filename = testCase.lineInfo.file;
13218 auto lastSlash = filename.find_last_of("\\/");
13219 if (lastSlash != std::string::npos) {
13220 filename.erase(0, lastSlash);
13221 filename[0] = '#';
13222 }
13223
13224 auto lastDot = filename.find_last_of('.');
13225 if (lastDot != std::string::npos) {
13226 filename.erase(lastDot);
13227 }
13228
13229 tags.push_back(std::move(filename));
13230 setTags(testCase, tags);
13231 }
13232 }
13233
13234 } // anon namespace
13235
13236 Session::Session() {
13237 static bool alreadyInstantiated = false;
13238 if( alreadyInstantiated ) {
13239 CATCH_TRY { CATCH_INTERNAL_ERROR( "Only one instance of Catch::Session can ever be used" ); }
13240 CATCH_CATCH_ALL { getMutableRegistryHub().registerStartupException(); }
13241 }
13242
13243 // There cannot be exceptions at startup in no-exception mode.
13244#if !defined(CATCH_CONFIG_DISABLE_EXCEPTIONS)
13245 const auto& exceptions = getRegistryHub().getStartupExceptionRegistry().getExceptions();
13246 if ( !exceptions.empty() ) {
13247 config();
13248 getCurrentMutableContext().setConfig(m_config);
13249
13250 m_startupExceptions = true;
13251 Colour colourGuard( Colour::Red );
13252 Catch::cerr() << "Errors occurred during startup!" << '\n';
13253 // iterate over all exceptions and notify user
13254 for ( const auto& ex_ptr : exceptions ) {
13255 try {
13256 std::rethrow_exception(ex_ptr);
13257 } catch ( std::exception const& ex ) {
13258 Catch::cerr() << Column( ex.what() ).indent(2) << '\n';
13259 }
13260 }
13261 }
13262#endif
13263
13264 alreadyInstantiated = true;
13265 m_cli = makeCommandLineParser( m_configData );
13266 }
13267 Session::~Session() {
13268 Catch::cleanUp();
13269 }
13270
13271 void Session::showHelp() const {
13272 Catch::cout()
13273 << "\nCatch v" << libraryVersion() << "\n"
13274 << m_cli << std::endl
13275 << "For more detailed usage please see the project docs\n" << std::endl;
13276 }
13277 void Session::libIdentify() {
13278 Catch::cout()
13279 << std::left << std::setw(16) << "description: " << "A Catch2 test executable\n"
13280 << std::left << std::setw(16) << "category: " << "testframework\n"
13281 << std::left << std::setw(16) << "framework: " << "Catch Test\n"
13282 << std::left << std::setw(16) << "version: " << libraryVersion() << std::endl;
13283 }
13284
13285 int Session::applyCommandLine( int argc, char const * const * argv ) {
13286 if( m_startupExceptions )
13287 return 1;
13288
13289 auto result = m_cli.parse( clara::Args( argc, argv ) );
13290 if( !result ) {
13291 config();
13292 getCurrentMutableContext().setConfig(m_config);
13293 Catch::cerr()
13294 << Colour( Colour::Red )
13295 << "\nError(s) in input:\n"
13296 << Column( result.errorMessage() ).indent( 2 )
13297 << "\n\n";
13298 Catch::cerr() << "Run with -? for usage\n" << std::endl;
13299 return MaxExitCode;
13300 }
13301
13302 if( m_configData.showHelp )
13303 showHelp();
13304 if( m_configData.libIdentify )
13305 libIdentify();
13306 m_config.reset();
13307 return 0;
13308 }
13309
13310#if defined(CATCH_CONFIG_WCHAR) && defined(_WIN32) && defined(UNICODE)
13311 int Session::applyCommandLine( int argc, wchar_t const * const * argv ) {
13312
13313 char **utf8Argv = new char *[ argc ];
13314
13315 for ( int i = 0; i < argc; ++i ) {
13316 int bufSize = WideCharToMultiByte( CP_UTF8, 0, argv[i], -1, nullptr, 0, nullptr, nullptr );
13317
13318 utf8Argv[ i ] = new char[ bufSize ];
13319
13320 WideCharToMultiByte( CP_UTF8, 0, argv[i], -1, utf8Argv[i], bufSize, nullptr, nullptr );
13321 }
13322
13323 int returnCode = applyCommandLine( argc, utf8Argv );
13324
13325 for ( int i = 0; i < argc; ++i )
13326 delete [] utf8Argv[ i ];
13327
13328 delete [] utf8Argv;
13329
13330 return returnCode;
13331 }
13332#endif
13333
13334 void Session::useConfigData( ConfigData const& configData ) {
13335 m_configData = configData;
13336 m_config.reset();
13337 }
13338
13339 int Session::run() {
13340 if( ( m_configData.waitForKeypress & WaitForKeypress::BeforeStart ) != 0 ) {
13341 Catch::cout() << "...waiting for enter/ return before starting" << std::endl;
13342 static_cast<void>(std::getchar());
13343 }
13344 int exitCode = runInternal();
13345 if( ( m_configData.waitForKeypress & WaitForKeypress::BeforeExit ) != 0 ) {
13346 Catch::cout() << "...waiting for enter/ return before exiting, with code: " << exitCode << std::endl;
13347 static_cast<void>(std::getchar());
13348 }
13349 return exitCode;
13350 }
13351
13352 clara::Parser const& Session::cli() const {
13353 return m_cli;
13354 }
13355 void Session::cli( clara::Parser const& newParser ) {
13356 m_cli = newParser;
13357 }
13358 ConfigData& Session::configData() {
13359 return m_configData;
13360 }
13361 Config& Session::config() {
13362 if( !m_config )
13363 m_config = std::make_shared<Config>( m_configData );
13364 return *m_config;
13365 }
13366
13367 int Session::runInternal() {
13368 if( m_startupExceptions )
13369 return 1;
13370
13371 if (m_configData.showHelp || m_configData.libIdentify) {
13372 return 0;
13373 }
13374
13375 CATCH_TRY {
13376 config(); // Force config to be constructed
13377
13378 seedRng( *m_config );
13379
13380 if( m_configData.filenamesAsTags )
13381 applyFilenamesAsTags( *m_config );
13382
13383 // Handle list request
13384 if( Option<std::size_t> listed = list( m_config ) )
13385 return static_cast<int>( *listed );
13386
13387 TestGroup tests { m_config };
13388 auto const totals = tests.execute();
13389
13390 if( m_config->warnAboutNoTests() && totals.error == -1 )
13391 return 2;
13392
13393 // Note that on unices only the lower 8 bits are usually used, clamping
13394 // the return value to 255 prevents false negative when some multiple
13395 // of 256 tests has failed
13396 return (std::min) (MaxExitCode, (std::max) (totals.error, static_cast<int>(totals.assertions.failed)));
13397 }
13398#if !defined(CATCH_CONFIG_DISABLE_EXCEPTIONS)
13399 catch( std::exception& ex ) {
13400 Catch::cerr() << ex.what() << std::endl;
13401 return MaxExitCode;
13402 }
13403#endif
13404 }
13405
13406} // end namespace Catch
13407// end catch_session.cpp
13408// start catch_singletons.cpp
13409
13410#include <vector>
13411
13412namespace Catch {
13413
13414 namespace {
13415 static auto getSingletons() -> std::vector<ISingleton*>*& {
13416 static std::vector<ISingleton*>* g_singletons = nullptr;
13417 if( !g_singletons )
13418 g_singletons = new std::vector<ISingleton*>();
13419 return g_singletons;
13420 }
13421 }
13422
13423 ISingleton::~ISingleton() {}
13424
13425 void addSingleton(ISingleton* singleton ) {
13426 getSingletons()->push_back( singleton );
13427 }
13428 void cleanupSingletons() {
13429 auto& singletons = getSingletons();
13430 for( auto singleton : *singletons )
13431 delete singleton;
13432 delete singletons;
13433 singletons = nullptr;
13434 }
13435
13436} // namespace Catch
13437// end catch_singletons.cpp
13438// start catch_startup_exception_registry.cpp
13439
13440namespace Catch {
13441void StartupExceptionRegistry::add( std::exception_ptr const& exception ) noexcept {
13442 CATCH_TRY {
13443 m_exceptions.push_back(exception);
13444 } CATCH_CATCH_ALL {
13445 // If we run out of memory during start-up there's really not a lot more we can do about it
13446 std::terminate();
13447 }
13448 }
13449
13450 std::vector<std::exception_ptr> const& StartupExceptionRegistry::getExceptions() const noexcept {
13451 return m_exceptions;
13452 }
13453
13454} // end namespace Catch
13455// end catch_startup_exception_registry.cpp
13456// start catch_stream.cpp
13457
13458#include <cstdio>
13459#include <iostream>
13460#include <fstream>
13461#include <sstream>
13462#include <vector>
13463#include <memory>
13464
13465namespace Catch {
13466
13467 Catch::IStream::~IStream() = default;
13468
13469 namespace Detail { namespace {
13470 template<typename WriterF, std::size_t bufferSize=256>
13471 class StreamBufImpl : public std::streambuf {
13472 char data[bufferSize];
13473 WriterF m_writer;
13474
13475 public:
13476 StreamBufImpl() {
13477 setp( data, data + sizeof(data) );
13478 }
13479
13480 ~StreamBufImpl() noexcept {
13481 StreamBufImpl::sync();
13482 }
13483
13484 private:
13485 int overflow( int c ) override {
13486 sync();
13487
13488 if( c != EOF ) {
13489 if( pbase() == epptr() )
13490 m_writer( std::string( 1, static_cast<char>( c ) ) );
13491 else
13492 sputc( static_cast<char>( c ) );
13493 }
13494 return 0;
13495 }
13496
13497 int sync() override {
13498 if( pbase() != pptr() ) {
13499 m_writer( std::string( pbase(), static_cast<std::string::size_type>( pptr() - pbase() ) ) );
13500 setp( pbase(), epptr() );
13501 }
13502 return 0;
13503 }
13504 };
13505
13507
13508 struct OutputDebugWriter {
13509
13510 void operator()( std::string const&str ) {
13511 writeToDebugConsole( str );
13512 }
13513 };
13514
13516
13517 class FileStream : public IStream {
13518 mutable std::ofstream m_ofs;
13519 public:
13520 FileStream( StringRef filename ) {
13521 m_ofs.open( filename.c_str() );
13522 CATCH_ENFORCE( !m_ofs.fail(), "Unable to open file: '" << filename << "'" );
13523 }
13524 ~FileStream() override = default;
13525 public: // IStream
13526 std::ostream& stream() const override {
13527 return m_ofs;
13528 }
13529 };
13530
13532
13533 class CoutStream : public IStream {
13534 mutable std::ostream m_os;
13535 public:
13536 // Store the streambuf from cout up-front because
13537 // cout may get redirected when running tests
13538 CoutStream() : m_os( Catch::cout().rdbuf() ) {}
13539 ~CoutStream() override = default;
13540
13541 public: // IStream
13542 std::ostream& stream() const override { return m_os; }
13543 };
13544
13546
13547 class DebugOutStream : public IStream {
13548 std::unique_ptr<StreamBufImpl<OutputDebugWriter>> m_streamBuf;
13549 mutable std::ostream m_os;
13550 public:
13551 DebugOutStream()
13552 : m_streamBuf( new StreamBufImpl<OutputDebugWriter>() ),
13553 m_os( m_streamBuf.get() )
13554 {}
13555
13556 ~DebugOutStream() override = default;
13557
13558 public: // IStream
13559 std::ostream& stream() const override { return m_os; }
13560 };
13561
13562 }} // namespace anon::detail
13563
13565
13566 auto makeStream( StringRef const &filename ) -> IStream const* {
13567 if( filename.empty() )
13568 return new Detail::CoutStream();
13569 else if( filename[0] == '%' ) {
13570 if( filename == "%debug" )
13571 return new Detail::DebugOutStream();
13572 else
13573 CATCH_ERROR( "Unrecognised stream: '" << filename << "'" );
13574 }
13575 else
13576 return new Detail::FileStream( filename );
13577 }
13578
13579 // This class encapsulates the idea of a pool of ostringstreams that can be reused.
13580 struct StringStreams {
13581 std::vector<std::unique_ptr<std::ostringstream>> m_streams;
13582 std::vector<std::size_t> m_unused;
13583 std::ostringstream m_referenceStream; // Used for copy state/ flags from
13584
13585 auto add() -> std::size_t {
13586 if( m_unused.empty() ) {
13587 m_streams.push_back( std::unique_ptr<std::ostringstream>( new std::ostringstream ) );
13588 return m_streams.size()-1;
13589 }
13590 else {
13591 auto index = m_unused.back();
13592 m_unused.pop_back();
13593 return index;
13594 }
13595 }
13596
13597 void release( std::size_t index ) {
13598 m_streams[index]->copyfmt( m_referenceStream ); // Restore initial flags and other state
13599 m_unused.push_back(index);
13600 }
13601 };
13602
13603 ReusableStringStream::ReusableStringStream()
13604 : m_index( Singleton<StringStreams>::getMutable().add() ),
13605 m_oss( Singleton<StringStreams>::getMutable().m_streams[m_index].get() )
13606 {}
13607
13608 ReusableStringStream::~ReusableStringStream() {
13609 static_cast<std::ostringstream*>( m_oss )->str("");
13610 m_oss->clear();
13611 Singleton<StringStreams>::getMutable().release( m_index );
13612 }
13613
13614 auto ReusableStringStream::str() const -> std::string {
13615 return static_cast<std::ostringstream*>( m_oss )->str();
13616 }
13617
13619
13620#ifndef CATCH_CONFIG_NOSTDOUT // If you #define this you must implement these functions
13621 std::ostream& cout() { return std::cout; }
13622 std::ostream& cerr() { return std::cerr; }
13623 std::ostream& clog() { return std::clog; }
13624#endif
13625}
13626// end catch_stream.cpp
13627// start catch_string_manip.cpp
13628
13629#include <algorithm>
13630#include <ostream>
13631#include <cstring>
13632#include <cctype>
13633#include <vector>
13634
13635namespace Catch {
13636
13637 namespace {
13638 char toLowerCh(char c) {
13639 return static_cast<char>( std::tolower( c ) );
13640 }
13641 }
13642
13643 bool startsWith( std::string const& s, std::string const& prefix ) {
13644 return s.size() >= prefix.size() && std::equal(prefix.begin(), prefix.end(), s.begin());
13645 }
13646 bool startsWith( std::string const& s, char prefix ) {
13647 return !s.empty() && s[0] == prefix;
13648 }
13649 bool endsWith( std::string const& s, std::string const& suffix ) {
13650 return s.size() >= suffix.size() && std::equal(suffix.rbegin(), suffix.rend(), s.rbegin());
13651 }
13652 bool endsWith( std::string const& s, char suffix ) {
13653 return !s.empty() && s[s.size()-1] == suffix;
13654 }
13655 bool contains( std::string const& s, std::string const& infix ) {
13656 return s.find( infix ) != std::string::npos;
13657 }
13658 void toLowerInPlace( std::string& s ) {
13659 std::transform( s.begin(), s.end(), s.begin(), toLowerCh );
13660 }
13661 std::string toLower( std::string const& s ) {
13662 std::string lc = s;
13663 toLowerInPlace( lc );
13664 return lc;
13665 }
13666 std::string trim( std::string const& str ) {
13667 static char const* whitespaceChars = "\n\r\t ";
13668 std::string::size_type start = str.find_first_not_of( whitespaceChars );
13669 std::string::size_type end = str.find_last_not_of( whitespaceChars );
13670
13671 return start != std::string::npos ? str.substr( start, 1+end-start ) : std::string();
13672 }
13673
13674 StringRef trim(StringRef ref) {
13675 const auto is_ws = [](char c) {
13676 return c == ' ' || c == '\t' || c == '\n' || c == '\r';
13677 };
13678 size_t real_begin = 0;
13679 while (real_begin < ref.size() && is_ws(ref[real_begin])) { ++real_begin; }
13680 size_t real_end = ref.size();
13681 while (real_end > real_begin && is_ws(ref[real_end - 1])) { --real_end; }
13682
13683 return ref.substr(real_begin, real_end - real_begin);
13684 }
13685
13686 bool replaceInPlace( std::string& str, std::string const& replaceThis, std::string const& withThis ) {
13687 bool replaced = false;
13688 std::size_t i = str.find( replaceThis );
13689 while( i != std::string::npos ) {
13690 replaced = true;
13691 str = str.substr( 0, i ) + withThis + str.substr( i+replaceThis.size() );
13692 if( i < str.size()-withThis.size() )
13693 i = str.find( replaceThis, i+withThis.size() );
13694 else
13695 i = std::string::npos;
13696 }
13697 return replaced;
13698 }
13699
13700 std::vector<StringRef> splitStringRef( StringRef str, char delimiter ) {
13701 std::vector<StringRef> subStrings;
13702 std::size_t start = 0;
13703 for(std::size_t pos = 0; pos < str.size(); ++pos ) {
13704 if( str[pos] == delimiter ) {
13705 if( pos - start > 1 )
13706 subStrings.push_back( str.substr( start, pos-start ) );
13707 start = pos+1;
13708 }
13709 }
13710 if( start < str.size() )
13711 subStrings.push_back( str.substr( start, str.size()-start ) );
13712 return subStrings;
13713 }
13714
13715 pluralise::pluralise( std::size_t count, std::string const& label )
13716 : m_count( count ),
13717 m_label( label )
13718 {}
13719
13720 std::ostream& operator << ( std::ostream& os, pluralise const& pluraliser ) {
13721 os << pluraliser.m_count << ' ' << pluraliser.m_label;
13722 if( pluraliser.m_count != 1 )
13723 os << 's';
13724 return os;
13725 }
13726
13727}
13728// end catch_string_manip.cpp
13729// start catch_stringref.cpp
13730
13731#include <algorithm>
13732#include <ostream>
13733#include <cstring>
13734#include <cstdint>
13735
13736namespace Catch {
13737 StringRef::StringRef( char const* rawChars ) noexcept
13738 : StringRef( rawChars, static_cast<StringRef::size_type>(std::strlen(rawChars) ) )
13739 {}
13740
13741 auto StringRef::c_str() const -> char const* {
13742 CATCH_ENFORCE(isNullTerminated(), "Called StringRef::c_str() on a non-null-terminated instance");
13743 return m_start;
13744 }
13745 auto StringRef::data() const noexcept -> char const* {
13746 return m_start;
13747 }
13748
13749 auto StringRef::substr( size_type start, size_type size ) const noexcept -> StringRef {
13750 if (start < m_size) {
13751 return StringRef(m_start + start, (std::min)(m_size - start, size));
13752 } else {
13753 return StringRef();
13754 }
13755 }
13756 auto StringRef::operator == ( StringRef const& other ) const noexcept -> bool {
13757 return m_size == other.m_size
13758 && (std::memcmp( m_start, other.m_start, m_size ) == 0);
13759 }
13760
13761 auto operator << ( std::ostream& os, StringRef const& str ) -> std::ostream& {
13762 return os.write(str.data(), str.size());
13763 }
13764
13765 auto operator+=( std::string& lhs, StringRef const& rhs ) -> std::string& {
13766 lhs.append(rhs.data(), rhs.size());
13767 return lhs;
13768 }
13769
13770} // namespace Catch
13771// end catch_stringref.cpp
13772// start catch_tag_alias.cpp
13773
13774namespace Catch {
13775 TagAlias::TagAlias(std::string const & _tag, SourceLineInfo _lineInfo): tag(_tag), lineInfo(_lineInfo) {}
13776}
13777// end catch_tag_alias.cpp
13778// start catch_tag_alias_autoregistrar.cpp
13779
13780namespace Catch {
13781
13782 RegistrarForTagAliases::RegistrarForTagAliases(char const* alias, char const* tag, SourceLineInfo const& lineInfo) {
13783 CATCH_TRY {
13784 getMutableRegistryHub().registerTagAlias(alias, tag, lineInfo);
13785 } CATCH_CATCH_ALL {
13786 // Do not throw when constructing global objects, instead register the exception to be processed later
13787 getMutableRegistryHub().registerStartupException();
13788 }
13789 }
13790
13791}
13792// end catch_tag_alias_autoregistrar.cpp
13793// start catch_tag_alias_registry.cpp
13794
13795#include <sstream>
13796
13797namespace Catch {
13798
13799 TagAliasRegistry::~TagAliasRegistry() {}
13800
13801 TagAlias const* TagAliasRegistry::find( std::string const& alias ) const {
13802 auto it = m_registry.find( alias );
13803 if( it != m_registry.end() )
13804 return &(it->second);
13805 else
13806 return nullptr;
13807 }
13808
13809 std::string TagAliasRegistry::expandAliases( std::string const& unexpandedTestSpec ) const {
13810 std::string expandedTestSpec = unexpandedTestSpec;
13811 for( auto const& registryKvp : m_registry ) {
13812 std::size_t pos = expandedTestSpec.find( registryKvp.first );
13813 if( pos != std::string::npos ) {
13814 expandedTestSpec = expandedTestSpec.substr( 0, pos ) +
13815 registryKvp.second.tag +
13816 expandedTestSpec.substr( pos + registryKvp.first.size() );
13817 }
13818 }
13819 return expandedTestSpec;
13820 }
13821
13822 void TagAliasRegistry::add( std::string const& alias, std::string const& tag, SourceLineInfo const& lineInfo ) {
13823 CATCH_ENFORCE( startsWith(alias, "[@") && endsWith(alias, ']'),
13824 "error: tag alias, '" << alias << "' is not of the form [@alias name].\n" << lineInfo );
13825
13826 CATCH_ENFORCE( m_registry.insert(std::make_pair(alias, TagAlias(tag, lineInfo))).second,
13827 "error: tag alias, '" << alias << "' already registered.\n"
13828 << "\tFirst seen at: " << find(alias)->lineInfo << "\n"
13829 << "\tRedefined at: " << lineInfo );
13830 }
13831
13832 ITagAliasRegistry::~ITagAliasRegistry() {}
13833
13834 ITagAliasRegistry const& ITagAliasRegistry::get() {
13835 return getRegistryHub().getTagAliasRegistry();
13836 }
13837
13838} // end namespace Catch
13839// end catch_tag_alias_registry.cpp
13840// start catch_test_case_info.cpp
13841
13842#include <cctype>
13843#include <exception>
13844#include <algorithm>
13845#include <sstream>
13846
13847namespace Catch {
13848
13849 namespace {
13850 TestCaseInfo::SpecialProperties parseSpecialTag( std::string const& tag ) {
13851 if( startsWith( tag, '.' ) ||
13852 tag == "!hide" )
13853 return TestCaseInfo::IsHidden;
13854 else if( tag == "!throws" )
13855 return TestCaseInfo::Throws;
13856 else if( tag == "!shouldfail" )
13857 return TestCaseInfo::ShouldFail;
13858 else if( tag == "!mayfail" )
13859 return TestCaseInfo::MayFail;
13860 else if( tag == "!nonportable" )
13861 return TestCaseInfo::NonPortable;
13862 else if( tag == "!benchmark" )
13863 return static_cast<TestCaseInfo::SpecialProperties>( TestCaseInfo::Benchmark | TestCaseInfo::IsHidden );
13864 else
13865 return TestCaseInfo::None;
13866 }
13867 bool isReservedTag( std::string const& tag ) {
13868 return parseSpecialTag( tag ) == TestCaseInfo::None && tag.size() > 0 && !std::isalnum( static_cast<unsigned char>(tag[0]) );
13869 }
13870 void enforceNotReservedTag( std::string const& tag, SourceLineInfo const& _lineInfo ) {
13871 CATCH_ENFORCE( !isReservedTag(tag),
13872 "Tag name: [" << tag << "] is not allowed.\n"
13873 << "Tag names starting with non alphanumeric characters are reserved\n"
13874 << _lineInfo );
13875 }
13876 }
13877
13878 TestCase makeTestCase( ITestInvoker* _testCase,
13879 std::string const& _className,
13880 NameAndTags const& nameAndTags,
13881 SourceLineInfo const& _lineInfo )
13882 {
13883 bool isHidden = false;
13884
13885 // Parse out tags
13886 std::vector<std::string> tags;
13887 std::string desc, tag;
13888 bool inTag = false;
13889 for (char c : nameAndTags.tags) {
13890 if( !inTag ) {
13891 if( c == '[' )
13892 inTag = true;
13893 else
13894 desc += c;
13895 }
13896 else {
13897 if( c == ']' ) {
13898 TestCaseInfo::SpecialProperties prop = parseSpecialTag( tag );
13899 if( ( prop & TestCaseInfo::IsHidden ) != 0 )
13900 isHidden = true;
13901 else if( prop == TestCaseInfo::None )
13902 enforceNotReservedTag( tag, _lineInfo );
13903
13904 // Merged hide tags like `[.approvals]` should be added as
13905 // `[.][approvals]`. The `[.]` is added at later point, so
13906 // we only strip the prefix
13907 if (startsWith(tag, '.') && tag.size() > 1) {
13908 tag.erase(0, 1);
13909 }
13910 tags.push_back( tag );
13911 tag.clear();
13912 inTag = false;
13913 }
13914 else
13915 tag += c;
13916 }
13917 }
13918 if( isHidden ) {
13919 // Add all "hidden" tags to make them behave identically
13920 tags.insert( tags.end(), { ".", "!hide" } );
13921 }
13922
13923 TestCaseInfo info( static_cast<std::string>(nameAndTags.name), _className, desc, tags, _lineInfo );
13924 return TestCase( _testCase, std::move(info) );
13925 }
13926
13927 void setTags( TestCaseInfo& testCaseInfo, std::vector<std::string> tags ) {
13928 std::sort(begin(tags), end(tags));
13929 tags.erase(std::unique(begin(tags), end(tags)), end(tags));
13930 testCaseInfo.lcaseTags.clear();
13931
13932 for( auto const& tag : tags ) {
13933 std::string lcaseTag = toLower( tag );
13934 testCaseInfo.properties = static_cast<TestCaseInfo::SpecialProperties>( testCaseInfo.properties | parseSpecialTag( lcaseTag ) );
13935 testCaseInfo.lcaseTags.push_back( lcaseTag );
13936 }
13937 testCaseInfo.tags = std::move(tags);
13938 }
13939
13940 TestCaseInfo::TestCaseInfo( std::string const& _name,
13941 std::string const& _className,
13942 std::string const& _description,
13943 std::vector<std::string> const& _tags,
13944 SourceLineInfo const& _lineInfo )
13945 : name( _name ),
13946 className( _className ),
13947 description( _description ),
13948 lineInfo( _lineInfo ),
13949 properties( None )
13950 {
13951 setTags( *this, _tags );
13952 }
13953
13954 bool TestCaseInfo::isHidden() const {
13955 return ( properties & IsHidden ) != 0;
13956 }
13957 bool TestCaseInfo::throws() const {
13958 return ( properties & Throws ) != 0;
13959 }
13960 bool TestCaseInfo::okToFail() const {
13961 return ( properties & (ShouldFail | MayFail ) ) != 0;
13962 }
13963 bool TestCaseInfo::expectedToFail() const {
13964 return ( properties & (ShouldFail ) ) != 0;
13965 }
13966
13967 std::string TestCaseInfo::tagsAsString() const {
13968 std::string ret;
13969 // '[' and ']' per tag
13970 std::size_t full_size = 2 * tags.size();
13971 for (const auto& tag : tags) {
13972 full_size += tag.size();
13973 }
13974 ret.reserve(full_size);
13975 for (const auto& tag : tags) {
13976 ret.push_back('[');
13977 ret.append(tag);
13978 ret.push_back(']');
13979 }
13980
13981 return ret;
13982 }
13983
13984 TestCase::TestCase( ITestInvoker* testCase, TestCaseInfo&& info ) : TestCaseInfo( std::move(info) ), test( testCase ) {}
13985
13986 TestCase TestCase::withName( std::string const& _newName ) const {
13987 TestCase other( *this );
13988 other.name = _newName;
13989 return other;
13990 }
13991
13992 void TestCase::invoke() const {
13993 test->invoke();
13994 }
13995
13996 bool TestCase::operator == ( TestCase const& other ) const {
13997 return test.get() == other.test.get() &&
13998 name == other.name &&
13999 className == other.className;
14000 }
14001
14002 bool TestCase::operator < ( TestCase const& other ) const {
14003 return name < other.name;
14004 }
14005
14006 TestCaseInfo const& TestCase::getTestCaseInfo() const
14007 {
14008 return *this;
14009 }
14010
14011} // end namespace Catch
14012// end catch_test_case_info.cpp
14013// start catch_test_case_registry_impl.cpp
14014
14015#include <algorithm>
14016#include <sstream>
14017
14018namespace Catch {
14019
14020 namespace {
14021 struct TestHasher {
14022 explicit TestHasher(Catch::SimplePcg32& rng) {
14023 basis = rng();
14024 basis <<= 32;
14025 basis |= rng();
14026 }
14027
14028 uint64_t basis;
14029
14030 uint64_t operator()(TestCase const& t) const {
14031 // Modified FNV-1a hash
14032 static constexpr uint64_t prime = 1099511628211;
14033 uint64_t hash = basis;
14034 for (const char c : t.name) {
14035 hash ^= c;
14036 hash *= prime;
14037 }
14038 return hash;
14039 }
14040 };
14041 } // end unnamed namespace
14042
14043 std::vector<TestCase> sortTests( IConfig const& config, std::vector<TestCase> const& unsortedTestCases ) {
14044 switch( config.runOrder() ) {
14045 case RunTests::InDeclarationOrder:
14046 // already in declaration order
14047 break;
14048
14049 case RunTests::InLexicographicalOrder: {
14050 std::vector<TestCase> sorted = unsortedTestCases;
14051 std::sort( sorted.begin(), sorted.end() );
14052 return sorted;
14053 }
14054
14055 case RunTests::InRandomOrder: {
14056 seedRng( config );
14057 TestHasher h( rng() );
14058
14059 using hashedTest = std::pair<uint64_t, TestCase const*>;
14060 std::vector<hashedTest> indexed_tests;
14061 indexed_tests.reserve( unsortedTestCases.size() );
14062
14063 for (auto const& testCase : unsortedTestCases) {
14064 indexed_tests.emplace_back(h(testCase), &testCase);
14065 }
14066
14067 std::sort(indexed_tests.begin(), indexed_tests.end(),
14068 [](hashedTest const& lhs, hashedTest const& rhs) {
14069 if (lhs.first == rhs.first) {
14070 return lhs.second->name < rhs.second->name;
14071 }
14072 return lhs.first < rhs.first;
14073 });
14074
14075 std::vector<TestCase> sorted;
14076 sorted.reserve( indexed_tests.size() );
14077
14078 for (auto const& hashed : indexed_tests) {
14079 sorted.emplace_back(*hashed.second);
14080 }
14081
14082 return sorted;
14083 }
14084 }
14085 return unsortedTestCases;
14086 }
14087
14088 bool isThrowSafe( TestCase const& testCase, IConfig const& config ) {
14089 return !testCase.throws() || config.allowThrows();
14090 }
14091
14092 bool matchTest( TestCase const& testCase, TestSpec const& testSpec, IConfig const& config ) {
14093 return testSpec.matches( testCase ) && isThrowSafe( testCase, config );
14094 }
14095
14096 void enforceNoDuplicateTestCases( std::vector<TestCase> const& functions ) {
14097 std::set<TestCase> seenFunctions;
14098 for( auto const& function : functions ) {
14099 auto prev = seenFunctions.insert( function );
14100 CATCH_ENFORCE( prev.second,
14101 "error: TEST_CASE( \"" << function.name << "\" ) already defined.\n"
14102 << "\tFirst seen at " << prev.first->getTestCaseInfo().lineInfo << "\n"
14103 << "\tRedefined at " << function.getTestCaseInfo().lineInfo );
14104 }
14105 }
14106
14107 std::vector<TestCase> filterTests( std::vector<TestCase> const& testCases, TestSpec const& testSpec, IConfig const& config ) {
14108 std::vector<TestCase> filtered;
14109 filtered.reserve( testCases.size() );
14110 for (auto const& testCase : testCases) {
14111 if ((!testSpec.hasFilters() && !testCase.isHidden()) ||
14112 (testSpec.hasFilters() && matchTest(testCase, testSpec, config))) {
14113 filtered.push_back(testCase);
14114 }
14115 }
14116 return filtered;
14117 }
14118 std::vector<TestCase> const& getAllTestCasesSorted( IConfig const& config ) {
14119 return getRegistryHub().getTestCaseRegistry().getAllTestsSorted( config );
14120 }
14121
14122 void TestRegistry::registerTest( TestCase const& testCase ) {
14123 std::string name = testCase.getTestCaseInfo().name;
14124 if( name.empty() ) {
14125 ReusableStringStream rss;
14126 rss << "Anonymous test case " << ++m_unnamedCount;
14127 return registerTest( testCase.withName( rss.str() ) );
14128 }
14129 m_functions.push_back( testCase );
14130 }
14131
14132 std::vector<TestCase> const& TestRegistry::getAllTests() const {
14133 return m_functions;
14134 }
14135 std::vector<TestCase> const& TestRegistry::getAllTestsSorted( IConfig const& config ) const {
14136 if( m_sortedFunctions.empty() )
14137 enforceNoDuplicateTestCases( m_functions );
14138
14139 if( m_currentSortOrder != config.runOrder() || m_sortedFunctions.empty() ) {
14140 m_sortedFunctions = sortTests( config, m_functions );
14141 m_currentSortOrder = config.runOrder();
14142 }
14143 return m_sortedFunctions;
14144 }
14145
14147 TestInvokerAsFunction::TestInvokerAsFunction( void(*testAsFunction)() ) noexcept : m_testAsFunction( testAsFunction ) {}
14148
14149 void TestInvokerAsFunction::invoke() const {
14150 m_testAsFunction();
14151 }
14152
14153 std::string extractClassName( StringRef const& classOrQualifiedMethodName ) {
14154 std::string className(classOrQualifiedMethodName);
14155 if( startsWith( className, '&' ) )
14156 {
14157 std::size_t lastColons = className.rfind( "::" );
14158 std::size_t penultimateColons = className.rfind( "::", lastColons-1 );
14159 if( penultimateColons == std::string::npos )
14160 penultimateColons = 1;
14161 className = className.substr( penultimateColons, lastColons-penultimateColons );
14162 }
14163 return className;
14164 }
14165
14166} // end namespace Catch
14167// end catch_test_case_registry_impl.cpp
14168// start catch_test_case_tracker.cpp
14169
14170#include <algorithm>
14171#include <cassert>
14172#include <stdexcept>
14173#include <memory>
14174#include <sstream>
14175
14176#if defined(__clang__)
14177# pragma clang diagnostic push
14178# pragma clang diagnostic ignored "-Wexit-time-destructors"
14179#endif
14180
14181namespace Catch {
14182namespace TestCaseTracking {
14183
14184 NameAndLocation::NameAndLocation( std::string const& _name, SourceLineInfo const& _location )
14185 : name( _name ),
14186 location( _location )
14187 {}
14188
14189 ITracker::~ITracker() = default;
14190
14191 ITracker& TrackerContext::startRun() {
14192 m_rootTracker = std::make_shared<SectionTracker>( NameAndLocation( "{root}", CATCH_INTERNAL_LINEINFO ), *this, nullptr );
14193 m_currentTracker = nullptr;
14194 m_runState = Executing;
14195 return *m_rootTracker;
14196 }
14197
14198 void TrackerContext::endRun() {
14199 m_rootTracker.reset();
14200 m_currentTracker = nullptr;
14201 m_runState = NotStarted;
14202 }
14203
14204 void TrackerContext::startCycle() {
14205 m_currentTracker = m_rootTracker.get();
14206 m_runState = Executing;
14207 }
14208 void TrackerContext::completeCycle() {
14209 m_runState = CompletedCycle;
14210 }
14211
14212 bool TrackerContext::completedCycle() const {
14213 return m_runState == CompletedCycle;
14214 }
14215 ITracker& TrackerContext::currentTracker() {
14216 return *m_currentTracker;
14217 }
14218 void TrackerContext::setCurrentTracker( ITracker* tracker ) {
14219 m_currentTracker = tracker;
14220 }
14221
14222 TrackerBase::TrackerBase( NameAndLocation const& nameAndLocation, TrackerContext& ctx, ITracker* parent )
14223 : m_nameAndLocation( nameAndLocation ),
14224 m_ctx( ctx ),
14225 m_parent( parent )
14226 {}
14227
14228 NameAndLocation const& TrackerBase::nameAndLocation() const {
14229 return m_nameAndLocation;
14230 }
14231 bool TrackerBase::isComplete() const {
14232 return m_runState == CompletedSuccessfully || m_runState == Failed;
14233 }
14234 bool TrackerBase::isSuccessfullyCompleted() const {
14235 return m_runState == CompletedSuccessfully;
14236 }
14237 bool TrackerBase::isOpen() const {
14238 return m_runState != NotStarted && !isComplete();
14239 }
14240 bool TrackerBase::hasChildren() const {
14241 return !m_children.empty();
14242 }
14243
14244 void TrackerBase::addChild( ITrackerPtr const& child ) {
14245 m_children.push_back( child );
14246 }
14247
14248 ITrackerPtr TrackerBase::findChild( NameAndLocation const& nameAndLocation ) {
14249 auto it = std::find_if( m_children.begin(), m_children.end(),
14250 [&nameAndLocation]( ITrackerPtr const& tracker ){
14251 return
14252 tracker->nameAndLocation().location == nameAndLocation.location &&
14253 tracker->nameAndLocation().name == nameAndLocation.name;
14254 } );
14255 return( it != m_children.end() )
14256 ? *it
14257 : nullptr;
14258 }
14259 ITracker& TrackerBase::parent() {
14260 assert( m_parent ); // Should always be non-null except for root
14261 return *m_parent;
14262 }
14263
14264 void TrackerBase::openChild() {
14265 if( m_runState != ExecutingChildren ) {
14266 m_runState = ExecutingChildren;
14267 if( m_parent )
14268 m_parent->openChild();
14269 }
14270 }
14271
14272 bool TrackerBase::isSectionTracker() const { return false; }
14273 bool TrackerBase::isGeneratorTracker() const { return false; }
14274
14275 void TrackerBase::open() {
14276 m_runState = Executing;
14277 moveToThis();
14278 if( m_parent )
14279 m_parent->openChild();
14280 }
14281
14282 void TrackerBase::close() {
14283
14284 // Close any still open children (e.g. generators)
14285 while( &m_ctx.currentTracker() != this )
14286 m_ctx.currentTracker().close();
14287
14288 switch( m_runState ) {
14289 case NeedsAnotherRun:
14290 break;
14291
14292 case Executing:
14293 m_runState = CompletedSuccessfully;
14294 break;
14295 case ExecutingChildren:
14296 if( std::all_of(m_children.begin(), m_children.end(), [](ITrackerPtr const& t){ return t->isComplete(); }) )
14297 m_runState = CompletedSuccessfully;
14298 break;
14299
14300 case NotStarted:
14301 case CompletedSuccessfully:
14302 case Failed:
14303 CATCH_INTERNAL_ERROR( "Illogical state: " << m_runState );
14304
14305 default:
14306 CATCH_INTERNAL_ERROR( "Unknown state: " << m_runState );
14307 }
14308 moveToParent();
14309 m_ctx.completeCycle();
14310 }
14311 void TrackerBase::fail() {
14312 m_runState = Failed;
14313 if( m_parent )
14314 m_parent->markAsNeedingAnotherRun();
14315 moveToParent();
14316 m_ctx.completeCycle();
14317 }
14318 void TrackerBase::markAsNeedingAnotherRun() {
14319 m_runState = NeedsAnotherRun;
14320 }
14321
14322 void TrackerBase::moveToParent() {
14323 assert( m_parent );
14324 m_ctx.setCurrentTracker( m_parent );
14325 }
14326 void TrackerBase::moveToThis() {
14327 m_ctx.setCurrentTracker( this );
14328 }
14329
14330 SectionTracker::SectionTracker( NameAndLocation const& nameAndLocation, TrackerContext& ctx, ITracker* parent )
14331 : TrackerBase( nameAndLocation, ctx, parent ),
14332 m_trimmed_name(trim(nameAndLocation.name))
14333 {
14334 if( parent ) {
14335 while( !parent->isSectionTracker() )
14336 parent = &parent->parent();
14337
14338 SectionTracker& parentSection = static_cast<SectionTracker&>( *parent );
14339 addNextFilters( parentSection.m_filters );
14340 }
14341 }
14342
14343 bool SectionTracker::isComplete() const {
14344 bool complete = true;
14345
14346 if ((m_filters.empty() || m_filters[0] == "")
14347 || std::find(m_filters.begin(), m_filters.end(), m_trimmed_name) != m_filters.end()) {
14348 complete = TrackerBase::isComplete();
14349 }
14350 return complete;
14351 }
14352
14353 bool SectionTracker::isSectionTracker() const { return true; }
14354
14355 SectionTracker& SectionTracker::acquire( TrackerContext& ctx, NameAndLocation const& nameAndLocation ) {
14356 std::shared_ptr<SectionTracker> section;
14357
14358 ITracker& currentTracker = ctx.currentTracker();
14359 if( ITrackerPtr childTracker = currentTracker.findChild( nameAndLocation ) ) {
14360 assert( childTracker );
14361 assert( childTracker->isSectionTracker() );
14362 section = std::static_pointer_cast<SectionTracker>( childTracker );
14363 }
14364 else {
14365 section = std::make_shared<SectionTracker>( nameAndLocation, ctx, &currentTracker );
14366 currentTracker.addChild( section );
14367 }
14368 if( !ctx.completedCycle() )
14369 section->tryOpen();
14370 return *section;
14371 }
14372
14373 void SectionTracker::tryOpen() {
14374 if( !isComplete() )
14375 open();
14376 }
14377
14378 void SectionTracker::addInitialFilters( std::vector<std::string> const& filters ) {
14379 if( !filters.empty() ) {
14380 m_filters.reserve( m_filters.size() + filters.size() + 2 );
14381 m_filters.emplace_back(""); // Root - should never be consulted
14382 m_filters.emplace_back(""); // Test Case - not a section filter
14383 m_filters.insert( m_filters.end(), filters.begin(), filters.end() );
14384 }
14385 }
14386 void SectionTracker::addNextFilters( std::vector<std::string> const& filters ) {
14387 if( filters.size() > 1 )
14388 m_filters.insert( m_filters.end(), filters.begin()+1, filters.end() );
14389 }
14390
14391} // namespace TestCaseTracking
14392
14393using TestCaseTracking::ITracker;
14394using TestCaseTracking::TrackerContext;
14395using TestCaseTracking::SectionTracker;
14396
14397} // namespace Catch
14398
14399#if defined(__clang__)
14400# pragma clang diagnostic pop
14401#endif
14402// end catch_test_case_tracker.cpp
14403// start catch_test_registry.cpp
14404
14405namespace Catch {
14406
14407 auto makeTestInvoker( void(*testAsFunction)() ) noexcept -> ITestInvoker* {
14408 return new(std::nothrow) TestInvokerAsFunction( testAsFunction );
14409 }
14410
14411 NameAndTags::NameAndTags( StringRef const& name_ , StringRef const& tags_ ) noexcept : name( name_ ), tags( tags_ ) {}
14412
14413 AutoReg::AutoReg( ITestInvoker* invoker, SourceLineInfo const& lineInfo, StringRef const& classOrMethod, NameAndTags const& nameAndTags ) noexcept {
14414 CATCH_TRY {
14415 getMutableRegistryHub()
14416 .registerTest(
14417 makeTestCase(
14418 invoker,
14419 extractClassName( classOrMethod ),
14420 nameAndTags,
14421 lineInfo));
14422 } CATCH_CATCH_ALL {
14423 // Do not throw when constructing global objects, instead register the exception to be processed later
14424 getMutableRegistryHub().registerStartupException();
14425 }
14426 }
14427
14428 AutoReg::~AutoReg() = default;
14429}
14430// end catch_test_registry.cpp
14431// start catch_test_spec.cpp
14432
14433#include <algorithm>
14434#include <string>
14435#include <vector>
14436#include <memory>
14437
14438namespace Catch {
14439
14440 TestSpec::Pattern::Pattern( std::string const& name )
14441 : m_name( name )
14442 {}
14443
14444 TestSpec::Pattern::~Pattern() = default;
14445
14446 std::string const& TestSpec::Pattern::name() const {
14447 return m_name;
14448 }
14449
14450 TestSpec::NamePattern::NamePattern( std::string const& name, std::string const& filterString )
14451 : Pattern( filterString )
14452 , m_wildcardPattern( toLower( name ), CaseSensitive::No )
14453 {}
14454
14455 bool TestSpec::NamePattern::matches( TestCaseInfo const& testCase ) const {
14456 return m_wildcardPattern.matches( testCase.name );
14457 }
14458
14459 TestSpec::TagPattern::TagPattern( std::string const& tag, std::string const& filterString )
14460 : Pattern( filterString )
14461 , m_tag( toLower( tag ) )
14462 {}
14463
14464 bool TestSpec::TagPattern::matches( TestCaseInfo const& testCase ) const {
14465 return std::find(begin(testCase.lcaseTags),
14466 end(testCase.lcaseTags),
14467 m_tag) != end(testCase.lcaseTags);
14468 }
14469
14470 TestSpec::ExcludedPattern::ExcludedPattern( PatternPtr const& underlyingPattern )
14471 : Pattern( underlyingPattern->name() )
14472 , m_underlyingPattern( underlyingPattern )
14473 {}
14474
14475 bool TestSpec::ExcludedPattern::matches( TestCaseInfo const& testCase ) const {
14476 return !m_underlyingPattern->matches( testCase );
14477 }
14478
14479 bool TestSpec::Filter::matches( TestCaseInfo const& testCase ) const {
14480 return std::all_of( m_patterns.begin(), m_patterns.end(), [&]( PatternPtr const& p ){ return p->matches( testCase ); } );
14481 }
14482
14483 std::string TestSpec::Filter::name() const {
14484 std::string name;
14485 for( auto const& p : m_patterns )
14486 name += p->name();
14487 return name;
14488 }
14489
14490 bool TestSpec::hasFilters() const {
14491 return !m_filters.empty();
14492 }
14493
14494 bool TestSpec::matches( TestCaseInfo const& testCase ) const {
14495 return std::any_of( m_filters.begin(), m_filters.end(), [&]( Filter const& f ){ return f.matches( testCase ); } );
14496 }
14497
14498 TestSpec::Matches TestSpec::matchesByFilter( std::vector<TestCase> const& testCases, IConfig const& config ) const
14499 {
14500 Matches matches( m_filters.size() );
14501 std::transform( m_filters.begin(), m_filters.end(), matches.begin(), [&]( Filter const& filter ){
14502 std::vector<TestCase const*> currentMatches;
14503 for( auto const& test : testCases )
14504 if( isThrowSafe( test, config ) && filter.matches( test ) )
14505 currentMatches.emplace_back( &test );
14506 return FilterMatch{ filter.name(), currentMatches };
14507 } );
14508 return matches;
14509 }
14510
14511 const TestSpec::vectorStrings& TestSpec::getInvalidArgs() const{
14512 return (m_invalidArgs);
14513 }
14514
14515}
14516// end catch_test_spec.cpp
14517// start catch_test_spec_parser.cpp
14518
14519namespace Catch {
14520
14521 TestSpecParser::TestSpecParser( ITagAliasRegistry const& tagAliases ) : m_tagAliases( &tagAliases ) {}
14522
14523 TestSpecParser& TestSpecParser::parse( std::string const& arg ) {
14524 m_mode = None;
14525 m_exclusion = false;
14526 m_arg = m_tagAliases->expandAliases( arg );
14527 m_escapeChars.clear();
14528 m_substring.reserve(m_arg.size());
14529 m_patternName.reserve(m_arg.size());
14530 m_realPatternPos = 0;
14531
14532 for( m_pos = 0; m_pos < m_arg.size(); ++m_pos )
14533 //if visitChar fails
14534 if( !visitChar( m_arg[m_pos] ) ){
14535 m_testSpec.m_invalidArgs.push_back(arg);
14536 break;
14537 }
14538 endMode();
14539 return *this;
14540 }
14541 TestSpec TestSpecParser::testSpec() {
14542 addFilter();
14543 return m_testSpec;
14544 }
14545 bool TestSpecParser::visitChar( char c ) {
14546 if( (m_mode != EscapedName) && (c == '\\') ) {
14547 escape();
14548 addCharToPattern(c);
14549 return true;
14550 }else if((m_mode != EscapedName) && (c == ',') ) {
14551 return separate();
14552 }
14553
14554 switch( m_mode ) {
14555 case None:
14556 if( processNoneChar( c ) )
14557 return true;
14558 break;
14559 case Name:
14560 processNameChar( c );
14561 break;
14562 case EscapedName:
14563 endMode();
14564 addCharToPattern(c);
14565 return true;
14566 default:
14567 case Tag:
14568 case QuotedName:
14569 if( processOtherChar( c ) )
14570 return true;
14571 break;
14572 }
14573
14574 m_substring += c;
14575 if( !isControlChar( c ) ) {
14576 m_patternName += c;
14577 m_realPatternPos++;
14578 }
14579 return true;
14580 }
14581 // Two of the processing methods return true to signal the caller to return
14582 // without adding the given character to the current pattern strings
14583 bool TestSpecParser::processNoneChar( char c ) {
14584 switch( c ) {
14585 case ' ':
14586 return true;
14587 case '~':
14588 m_exclusion = true;
14589 return false;
14590 case '[':
14591 startNewMode( Tag );
14592 return false;
14593 case '"':
14594 startNewMode( QuotedName );
14595 return false;
14596 default:
14597 startNewMode( Name );
14598 return false;
14599 }
14600 }
14601 void TestSpecParser::processNameChar( char c ) {
14602 if( c == '[' ) {
14603 if( m_substring == "exclude:" )
14604 m_exclusion = true;
14605 else
14606 endMode();
14607 startNewMode( Tag );
14608 }
14609 }
14610 bool TestSpecParser::processOtherChar( char c ) {
14611 if( !isControlChar( c ) )
14612 return false;
14613 m_substring += c;
14614 endMode();
14615 return true;
14616 }
14617 void TestSpecParser::startNewMode( Mode mode ) {
14618 m_mode = mode;
14619 }
14620 void TestSpecParser::endMode() {
14621 switch( m_mode ) {
14622 case Name:
14623 case QuotedName:
14624 return addNamePattern();
14625 case Tag:
14626 return addTagPattern();
14627 case EscapedName:
14628 revertBackToLastMode();
14629 return;
14630 case None:
14631 default:
14632 return startNewMode( None );
14633 }
14634 }
14635 void TestSpecParser::escape() {
14636 saveLastMode();
14637 m_mode = EscapedName;
14638 m_escapeChars.push_back(m_realPatternPos);
14639 }
14640 bool TestSpecParser::isControlChar( char c ) const {
14641 switch( m_mode ) {
14642 default:
14643 return false;
14644 case None:
14645 return c == '~';
14646 case Name:
14647 return c == '[';
14648 case EscapedName:
14649 return true;
14650 case QuotedName:
14651 return c == '"';
14652 case Tag:
14653 return c == '[' || c == ']';
14654 }
14655 }
14656
14657 void TestSpecParser::addFilter() {
14658 if( !m_currentFilter.m_patterns.empty() ) {
14659 m_testSpec.m_filters.push_back( m_currentFilter );
14660 m_currentFilter = TestSpec::Filter();
14661 }
14662 }
14663
14664 void TestSpecParser::saveLastMode() {
14665 lastMode = m_mode;
14666 }
14667
14668 void TestSpecParser::revertBackToLastMode() {
14669 m_mode = lastMode;
14670 }
14671
14672 bool TestSpecParser::separate() {
14673 if( (m_mode==QuotedName) || (m_mode==Tag) ){
14674 //invalid argument, signal failure to previous scope.
14675 m_mode = None;
14676 m_pos = m_arg.size();
14677 m_substring.clear();
14678 m_patternName.clear();
14679 m_realPatternPos = 0;
14680 return false;
14681 }
14682 endMode();
14683 addFilter();
14684 return true; //success
14685 }
14686
14687 std::string TestSpecParser::preprocessPattern() {
14688 std::string token = m_patternName;
14689 for (std::size_t i = 0; i < m_escapeChars.size(); ++i)
14690 token = token.substr(0, m_escapeChars[i] - i) + token.substr(m_escapeChars[i] - i + 1);
14691 m_escapeChars.clear();
14692 if (startsWith(token, "exclude:")) {
14693 m_exclusion = true;
14694 token = token.substr(8);
14695 }
14696
14697 m_patternName.clear();
14698 m_realPatternPos = 0;
14699
14700 return token;
14701 }
14702
14703 void TestSpecParser::addNamePattern() {
14704 auto token = preprocessPattern();
14705
14706 if (!token.empty()) {
14707 TestSpec::PatternPtr pattern = std::make_shared<TestSpec::NamePattern>(token, m_substring);
14708 if (m_exclusion)
14709 pattern = std::make_shared<TestSpec::ExcludedPattern>(pattern);
14710 m_currentFilter.m_patterns.push_back(pattern);
14711 }
14712 m_substring.clear();
14713 m_exclusion = false;
14714 m_mode = None;
14715 }
14716
14717 void TestSpecParser::addTagPattern() {
14718 auto token = preprocessPattern();
14719
14720 if (!token.empty()) {
14721 // If the tag pattern is the "hide and tag" shorthand (e.g. [.foo])
14722 // we have to create a separate hide tag and shorten the real one
14723 if (token.size() > 1 && token[0] == '.') {
14724 token.erase(token.begin());
14725 TestSpec::PatternPtr pattern = std::make_shared<TestSpec::TagPattern>(".", m_substring);
14726 if (m_exclusion) {
14727 pattern = std::make_shared<TestSpec::ExcludedPattern>(pattern);
14728 }
14729 m_currentFilter.m_patterns.push_back(pattern);
14730 }
14731
14732 TestSpec::PatternPtr pattern = std::make_shared<TestSpec::TagPattern>(token, m_substring);
14733
14734 if (m_exclusion) {
14735 pattern = std::make_shared<TestSpec::ExcludedPattern>(pattern);
14736 }
14737 m_currentFilter.m_patterns.push_back(pattern);
14738 }
14739 m_substring.clear();
14740 m_exclusion = false;
14741 m_mode = None;
14742 }
14743
14744 TestSpec parseTestSpec( std::string const& arg ) {
14745 return TestSpecParser( ITagAliasRegistry::get() ).parse( arg ).testSpec();
14746 }
14747
14748} // namespace Catch
14749// end catch_test_spec_parser.cpp
14750// start catch_timer.cpp
14751
14752#include <chrono>
14753
14754static const uint64_t nanosecondsInSecond = 1000000000;
14755
14756namespace Catch {
14757
14758 auto getCurrentNanosecondsSinceEpoch() -> uint64_t {
14759 return std::chrono::duration_cast<std::chrono::nanoseconds>( std::chrono::high_resolution_clock::now().time_since_epoch() ).count();
14760 }
14761
14762 namespace {
14763 auto estimateClockResolution() -> uint64_t {
14764 uint64_t sum = 0;
14765 static const uint64_t iterations = 1000000;
14766
14767 auto startTime = getCurrentNanosecondsSinceEpoch();
14768
14769 for( std::size_t i = 0; i < iterations; ++i ) {
14770
14771 uint64_t ticks;
14772 uint64_t baseTicks = getCurrentNanosecondsSinceEpoch();
14773 do {
14774 ticks = getCurrentNanosecondsSinceEpoch();
14775 } while( ticks == baseTicks );
14776
14777 auto delta = ticks - baseTicks;
14778 sum += delta;
14779
14780 // If we have been calibrating for over 3 seconds -- the clock
14781 // is terrible and we should move on.
14782 // TBD: How to signal that the measured resolution is probably wrong?
14783 if (ticks > startTime + 3 * nanosecondsInSecond) {
14784 return sum / ( i + 1u );
14785 }
14786 }
14787
14788 // We're just taking the mean, here. To do better we could take the std. dev and exclude outliers
14789 // - and potentially do more iterations if there's a high variance.
14790 return sum/iterations;
14791 }
14792 }
14793 auto getEstimatedClockResolution() -> uint64_t {
14794 static auto s_resolution = estimateClockResolution();
14795 return s_resolution;
14796 }
14797
14798 void Timer::start() {
14799 m_nanoseconds = getCurrentNanosecondsSinceEpoch();
14800 }
14801 auto Timer::getElapsedNanoseconds() const -> uint64_t {
14802 return getCurrentNanosecondsSinceEpoch() - m_nanoseconds;
14803 }
14804 auto Timer::getElapsedMicroseconds() const -> uint64_t {
14805 return getElapsedNanoseconds()/1000;
14806 }
14807 auto Timer::getElapsedMilliseconds() const -> unsigned int {
14808 return static_cast<unsigned int>(getElapsedMicroseconds()/1000);
14809 }
14810 auto Timer::getElapsedSeconds() const -> double {
14811 return getElapsedMicroseconds()/1000000.0;
14812 }
14813
14814} // namespace Catch
14815// end catch_timer.cpp
14816// start catch_tostring.cpp
14817
14818#if defined(__clang__)
14819# pragma clang diagnostic push
14820# pragma clang diagnostic ignored "-Wexit-time-destructors"
14821# pragma clang diagnostic ignored "-Wglobal-constructors"
14822#endif
14823
14824// Enable specific decls locally
14825#if !defined(CATCH_CONFIG_ENABLE_CHRONO_STRINGMAKER)
14826#define CATCH_CONFIG_ENABLE_CHRONO_STRINGMAKER
14827#endif
14828
14829#include <cmath>
14830#include <iomanip>
14831
14832namespace Catch {
14833
14834namespace Detail {
14835
14836 const std::string unprintableString = "{?}";
14837
14838 namespace {
14839 const int hexThreshold = 255;
14840
14841 struct Endianness {
14842 enum Arch { Big, Little };
14843
14844 static Arch which() {
14845 int one = 1;
14846 // If the lowest byte we read is non-zero, we can assume
14847 // that little endian format is used.
14848 auto value = *reinterpret_cast<char*>(&one);
14849 return value ? Little : Big;
14850 }
14851 };
14852 }
14853
14854 std::string rawMemoryToString( const void *object, std::size_t size ) {
14855 // Reverse order for little endian architectures
14856 int i = 0, end = static_cast<int>( size ), inc = 1;
14857 if( Endianness::which() == Endianness::Little ) {
14858 i = end-1;
14859 end = inc = -1;
14860 }
14861
14862 unsigned char const *bytes = static_cast<unsigned char const *>(object);
14863 ReusableStringStream rss;
14864 rss << "0x" << std::setfill('0') << std::hex;
14865 for( ; i != end; i += inc )
14866 rss << std::setw(2) << static_cast<unsigned>(bytes[i]);
14867 return rss.str();
14868 }
14869}
14870
14871template<typename T>
14872std::string fpToString( T value, int precision ) {
14873 if (Catch::isnan(value)) {
14874 return "nan";
14875 }
14876
14877 ReusableStringStream rss;
14878 rss << std::setprecision( precision )
14879 << std::fixed
14880 << value;
14881 std::string d = rss.str();
14882 std::size_t i = d.find_last_not_of( '0' );
14883 if( i != std::string::npos && i != d.size()-1 ) {
14884 if( d[i] == '.' )
14885 i++;
14886 d = d.substr( 0, i+1 );
14887 }
14888 return d;
14889}
14890
14892//
14893// Out-of-line defs for full specialization of StringMaker
14894//
14896
14897std::string StringMaker<std::string>::convert(const std::string& str) {
14898 if (!getCurrentContext().getConfig()->showInvisibles()) {
14899 return '"' + str + '"';
14900 }
14901
14902 std::string s("\"");
14903 for (char c : str) {
14904 switch (c) {
14905 case '\n':
14906 s.append("\\n");
14907 break;
14908 case '\t':
14909 s.append("\\t");
14910 break;
14911 default:
14912 s.push_back(c);
14913 break;
14914 }
14915 }
14916 s.append("\"");
14917 return s;
14918}
14919
14920#ifdef CATCH_CONFIG_CPP17_STRING_VIEW
14921std::string StringMaker<std::string_view>::convert(std::string_view str) {
14922 return ::Catch::Detail::stringify(std::string{ str });
14923}
14924#endif
14925
14926std::string StringMaker<char const*>::convert(char const* str) {
14927 if (str) {
14928 return ::Catch::Detail::stringify(std::string{ str });
14929 } else {
14930 return{ "{null string}" };
14931 }
14932}
14933std::string StringMaker<char*>::convert(char* str) {
14934 if (str) {
14935 return ::Catch::Detail::stringify(std::string{ str });
14936 } else {
14937 return{ "{null string}" };
14938 }
14939}
14940
14941#ifdef CATCH_CONFIG_WCHAR
14942std::string StringMaker<std::wstring>::convert(const std::wstring& wstr) {
14943 std::string s;
14944 s.reserve(wstr.size());
14945 for (auto c : wstr) {
14946 s += (c <= 0xff) ? static_cast<char>(c) : '?';
14947 }
14948 return ::Catch::Detail::stringify(s);
14949}
14950
14951# ifdef CATCH_CONFIG_CPP17_STRING_VIEW
14952std::string StringMaker<std::wstring_view>::convert(std::wstring_view str) {
14953 return StringMaker<std::wstring>::convert(std::wstring(str));
14954}
14955# endif
14956
14957std::string StringMaker<wchar_t const*>::convert(wchar_t const * str) {
14958 if (str) {
14959 return ::Catch::Detail::stringify(std::wstring{ str });
14960 } else {
14961 return{ "{null string}" };
14962 }
14963}
14964std::string StringMaker<wchar_t *>::convert(wchar_t * str) {
14965 if (str) {
14966 return ::Catch::Detail::stringify(std::wstring{ str });
14967 } else {
14968 return{ "{null string}" };
14969 }
14970}
14971#endif
14972
14973#if defined(CATCH_CONFIG_CPP17_BYTE)
14974#include <cstddef>
14975std::string StringMaker<std::byte>::convert(std::byte value) {
14976 return ::Catch::Detail::stringify(std::to_integer<unsigned long long>(value));
14977}
14978#endif // defined(CATCH_CONFIG_CPP17_BYTE)
14979
14980std::string StringMaker<int>::convert(int value) {
14981 return ::Catch::Detail::stringify(static_cast<long long>(value));
14982}
14983std::string StringMaker<long>::convert(long value) {
14984 return ::Catch::Detail::stringify(static_cast<long long>(value));
14985}
14986std::string StringMaker<long long>::convert(long long value) {
14987 ReusableStringStream rss;
14988 rss << value;
14989 if (value > Detail::hexThreshold) {
14990 rss << " (0x" << std::hex << value << ')';
14991 }
14992 return rss.str();
14993}
14994
14995std::string StringMaker<unsigned int>::convert(unsigned int value) {
14996 return ::Catch::Detail::stringify(static_cast<unsigned long long>(value));
14997}
14998std::string StringMaker<unsigned long>::convert(unsigned long value) {
14999 return ::Catch::Detail::stringify(static_cast<unsigned long long>(value));
15000}
15001std::string StringMaker<unsigned long long>::convert(unsigned long long value) {
15002 ReusableStringStream rss;
15003 rss << value;
15004 if (value > Detail::hexThreshold) {
15005 rss << " (0x" << std::hex << value << ')';
15006 }
15007 return rss.str();
15008}
15009
15010std::string StringMaker<bool>::convert(bool b) {
15011 return b ? "true" : "false";
15012}
15013
15014std::string StringMaker<signed char>::convert(signed char value) {
15015 if (value == '\r') {
15016 return "'\\r'";
15017 } else if (value == '\f') {
15018 return "'\\f'";
15019 } else if (value == '\n') {
15020 return "'\\n'";
15021 } else if (value == '\t') {
15022 return "'\\t'";
15023 } else if ('\0' <= value && value < ' ') {
15024 return ::Catch::Detail::stringify(static_cast<unsigned int>(value));
15025 } else {
15026 char chstr[] = "' '";
15027 chstr[1] = value;
15028 return chstr;
15029 }
15030}
15031std::string StringMaker<char>::convert(char c) {
15032 return ::Catch::Detail::stringify(static_cast<signed char>(c));
15033}
15034std::string StringMaker<unsigned char>::convert(unsigned char c) {
15035 return ::Catch::Detail::stringify(static_cast<char>(c));
15036}
15037
15038std::string StringMaker<std::nullptr_t>::convert(std::nullptr_t) {
15039 return "nullptr";
15040}
15041
15042int StringMaker<float>::precision = 5;
15043
15044std::string StringMaker<float>::convert(float value) {
15045 return fpToString(value, precision) + 'f';
15046}
15047
15048int StringMaker<double>::precision = 10;
15049
15050std::string StringMaker<double>::convert(double value) {
15051 return fpToString(value, precision);
15052}
15053
15054std::string ratio_string<std::atto>::symbol() { return "a"; }
15055std::string ratio_string<std::femto>::symbol() { return "f"; }
15056std::string ratio_string<std::pico>::symbol() { return "p"; }
15057std::string ratio_string<std::nano>::symbol() { return "n"; }
15058std::string ratio_string<std::micro>::symbol() { return "u"; }
15059std::string ratio_string<std::milli>::symbol() { return "m"; }
15060
15061} // end namespace Catch
15062
15063#if defined(__clang__)
15064# pragma clang diagnostic pop
15065#endif
15066
15067// end catch_tostring.cpp
15068// start catch_totals.cpp
15069
15070namespace Catch {
15071
15072 Counts Counts::operator - ( Counts const& other ) const {
15073 Counts diff;
15074 diff.passed = passed - other.passed;
15075 diff.failed = failed - other.failed;
15076 diff.failedButOk = failedButOk - other.failedButOk;
15077 return diff;
15078 }
15079
15080 Counts& Counts::operator += ( Counts const& other ) {
15081 passed += other.passed;
15082 failed += other.failed;
15083 failedButOk += other.failedButOk;
15084 return *this;
15085 }
15086
15087 std::size_t Counts::total() const {
15088 return passed + failed + failedButOk;
15089 }
15090 bool Counts::allPassed() const {
15091 return failed == 0 && failedButOk == 0;
15092 }
15093 bool Counts::allOk() const {
15094 return failed == 0;
15095 }
15096
15097 Totals Totals::operator - ( Totals const& other ) const {
15098 Totals diff;
15099 diff.assertions = assertions - other.assertions;
15100 diff.testCases = testCases - other.testCases;
15101 return diff;
15102 }
15103
15104 Totals& Totals::operator += ( Totals const& other ) {
15105 assertions += other.assertions;
15106 testCases += other.testCases;
15107 return *this;
15108 }
15109
15110 Totals Totals::delta( Totals const& prevTotals ) const {
15111 Totals diff = *this - prevTotals;
15112 if( diff.assertions.failed > 0 )
15113 ++diff.testCases.failed;
15114 else if( diff.assertions.failedButOk > 0 )
15115 ++diff.testCases.failedButOk;
15116 else
15117 ++diff.testCases.passed;
15118 return diff;
15119 }
15120
15121}
15122// end catch_totals.cpp
15123// start catch_uncaught_exceptions.cpp
15124
15125#include <exception>
15126
15127namespace Catch {
15128 bool uncaught_exceptions() {
15129#if defined(CATCH_CONFIG_CPP17_UNCAUGHT_EXCEPTIONS)
15130 return std::uncaught_exceptions() > 0;
15131#else
15132 return std::uncaught_exception();
15133#endif
15134 }
15135} // end namespace Catch
15136// end catch_uncaught_exceptions.cpp
15137// start catch_version.cpp
15138
15139#include <ostream>
15140
15141namespace Catch {
15142
15143 Version::Version
15144 ( unsigned int _majorVersion,
15145 unsigned int _minorVersion,
15146 unsigned int _patchNumber,
15147 char const * const _branchName,
15148 unsigned int _buildNumber )
15149 : majorVersion( _majorVersion ),
15150 minorVersion( _minorVersion ),
15151 patchNumber( _patchNumber ),
15152 branchName( _branchName ),
15153 buildNumber( _buildNumber )
15154 {}
15155
15156 std::ostream& operator << ( std::ostream& os, Version const& version ) {
15157 os << version.majorVersion << '.'
15158 << version.minorVersion << '.'
15159 << version.patchNumber;
15160 // branchName is never null -> 0th char is \0 if it is empty
15161 if (version.branchName[0]) {
15162 os << '-' << version.branchName
15163 << '.' << version.buildNumber;
15164 }
15165 return os;
15166 }
15167
15168 Version const& libraryVersion() {
15169 static Version version( 2, 12, 2, "", 0 );
15170 return version;
15171 }
15172
15173}
15174// end catch_version.cpp
15175// start catch_wildcard_pattern.cpp
15176
15177namespace Catch {
15178
15179 WildcardPattern::WildcardPattern( std::string const& pattern,
15180 CaseSensitive::Choice caseSensitivity )
15181 : m_caseSensitivity( caseSensitivity ),
15182 m_pattern( normaliseString( pattern ) )
15183 {
15184 if( startsWith( m_pattern, '*' ) ) {
15185 m_pattern = m_pattern.substr( 1 );
15186 m_wildcard = WildcardAtStart;
15187 }
15188 if( endsWith( m_pattern, '*' ) ) {
15189 m_pattern = m_pattern.substr( 0, m_pattern.size()-1 );
15190 m_wildcard = static_cast<WildcardPosition>( m_wildcard | WildcardAtEnd );
15191 }
15192 }
15193
15194 bool WildcardPattern::matches( std::string const& str ) const {
15195 switch( m_wildcard ) {
15196 case NoWildcard:
15197 return m_pattern == normaliseString( str );
15198 case WildcardAtStart:
15199 return endsWith( normaliseString( str ), m_pattern );
15200 case WildcardAtEnd:
15201 return startsWith( normaliseString( str ), m_pattern );
15202 case WildcardAtBothEnds:
15203 return contains( normaliseString( str ), m_pattern );
15204 default:
15205 CATCH_INTERNAL_ERROR( "Unknown enum" );
15206 }
15207 }
15208
15209 std::string WildcardPattern::normaliseString( std::string const& str ) const {
15210 return trim( m_caseSensitivity == CaseSensitive::No ? toLower( str ) : str );
15211 }
15212}
15213// end catch_wildcard_pattern.cpp
15214// start catch_xmlwriter.cpp
15215
15216#include <iomanip>
15217#include <type_traits>
15218
15219namespace Catch {
15220
15221namespace {
15222
15223 size_t trailingBytes(unsigned char c) {
15224 if ((c & 0xE0) == 0xC0) {
15225 return 2;
15226 }
15227 if ((c & 0xF0) == 0xE0) {
15228 return 3;
15229 }
15230 if ((c & 0xF8) == 0xF0) {
15231 return 4;
15232 }
15233 CATCH_INTERNAL_ERROR("Invalid multibyte utf-8 start byte encountered");
15234 }
15235
15236 uint32_t headerValue(unsigned char c) {
15237 if ((c & 0xE0) == 0xC0) {
15238 return c & 0x1F;
15239 }
15240 if ((c & 0xF0) == 0xE0) {
15241 return c & 0x0F;
15242 }
15243 if ((c & 0xF8) == 0xF0) {
15244 return c & 0x07;
15245 }
15246 CATCH_INTERNAL_ERROR("Invalid multibyte utf-8 start byte encountered");
15247 }
15248
15249 void hexEscapeChar(std::ostream& os, unsigned char c) {
15250 std::ios_base::fmtflags f(os.flags());
15251 os << "\\x"
15252 << std::uppercase << std::hex << std::setfill('0') << std::setw(2)
15253 << static_cast<int>(c);
15254 os.flags(f);
15255 }
15256
15257 bool shouldNewline(XmlFormatting fmt) {
15258 return !!(static_cast<std::underlying_type<XmlFormatting>::type>(fmt & XmlFormatting::Newline));
15259 }
15260
15261 bool shouldIndent(XmlFormatting fmt) {
15262 return !!(static_cast<std::underlying_type<XmlFormatting>::type>(fmt & XmlFormatting::Indent));
15263 }
15264
15265} // anonymous namespace
15266
15267 XmlFormatting operator | (XmlFormatting lhs, XmlFormatting rhs) {
15268 return static_cast<XmlFormatting>(
15269 static_cast<std::underlying_type<XmlFormatting>::type>(lhs) |
15270 static_cast<std::underlying_type<XmlFormatting>::type>(rhs)
15271 );
15272 }
15273
15274 XmlFormatting operator & (XmlFormatting lhs, XmlFormatting rhs) {
15275 return static_cast<XmlFormatting>(
15276 static_cast<std::underlying_type<XmlFormatting>::type>(lhs) &
15277 static_cast<std::underlying_type<XmlFormatting>::type>(rhs)
15278 );
15279 }
15280
15281 XmlEncode::XmlEncode( std::string const& str, ForWhat forWhat )
15282 : m_str( str ),
15283 m_forWhat( forWhat )
15284 {}
15285
15286 void XmlEncode::encodeTo( std::ostream& os ) const {
15287 // Apostrophe escaping not necessary if we always use " to write attributes
15288 // (see: http://www.w3.org/TR/xml/#syntax)
15289
15290 for( std::size_t idx = 0; idx < m_str.size(); ++ idx ) {
15291 unsigned char c = m_str[idx];
15292 switch (c) {
15293 case '<': os << "&lt;"; break;
15294 case '&': os << "&amp;"; break;
15295
15296 case '>':
15297 // See: http://www.w3.org/TR/xml/#syntax
15298 if (idx > 2 && m_str[idx - 1] == ']' && m_str[idx - 2] == ']')
15299 os << "&gt;";
15300 else
15301 os << c;
15302 break;
15303
15304 case '\"':
15305 if (m_forWhat == ForAttributes)
15306 os << "&quot;";
15307 else
15308 os << c;
15309 break;
15310
15311 default:
15312 // Check for control characters and invalid utf-8
15313
15314 // Escape control characters in standard ascii
15315 // see http://stackoverflow.com/questions/404107/why-are-control-characters-illegal-in-xml-1-0
15316 if (c < 0x09 || (c > 0x0D && c < 0x20) || c == 0x7F) {
15317 hexEscapeChar(os, c);
15318 break;
15319 }
15320
15321 // Plain ASCII: Write it to stream
15322 if (c < 0x7F) {
15323 os << c;
15324 break;
15325 }
15326
15327 // UTF-8 territory
15328 // Check if the encoding is valid and if it is not, hex escape bytes.
15329 // Important: We do not check the exact decoded values for validity, only the encoding format
15330 // First check that this bytes is a valid lead byte:
15331 // This means that it is not encoded as 1111 1XXX
15332 // Or as 10XX XXXX
15333 if (c < 0xC0 ||
15334 c >= 0xF8) {
15335 hexEscapeChar(os, c);
15336 break;
15337 }
15338
15339 auto encBytes = trailingBytes(c);
15340 // Are there enough bytes left to avoid accessing out-of-bounds memory?
15341 if (idx + encBytes - 1 >= m_str.size()) {
15342 hexEscapeChar(os, c);
15343 break;
15344 }
15345 // The header is valid, check data
15346 // The next encBytes bytes must together be a valid utf-8
15347 // This means: bitpattern 10XX XXXX and the extracted value is sane (ish)
15348 bool valid = true;
15349 uint32_t value = headerValue(c);
15350 for (std::size_t n = 1; n < encBytes; ++n) {
15351 unsigned char nc = m_str[idx + n];
15352 valid &= ((nc & 0xC0) == 0x80);
15353 value = (value << 6) | (nc & 0x3F);
15354 }
15355
15356 if (
15357 // Wrong bit pattern of following bytes
15358 (!valid) ||
15359 // Overlong encodings
15360 (value < 0x80) ||
15361 (0x80 <= value && value < 0x800 && encBytes > 2) ||
15362 (0x800 < value && value < 0x10000 && encBytes > 3) ||
15363 // Encoded value out of range
15364 (value >= 0x110000)
15365 ) {
15366 hexEscapeChar(os, c);
15367 break;
15368 }
15369
15370 // If we got here, this is in fact a valid(ish) utf-8 sequence
15371 for (std::size_t n = 0; n < encBytes; ++n) {
15372 os << m_str[idx + n];
15373 }
15374 idx += encBytes - 1;
15375 break;
15376 }
15377 }
15378 }
15379
15380 std::ostream& operator << ( std::ostream& os, XmlEncode const& xmlEncode ) {
15381 xmlEncode.encodeTo( os );
15382 return os;
15383 }
15384
15385 XmlWriter::ScopedElement::ScopedElement( XmlWriter* writer, XmlFormatting fmt )
15386 : m_writer( writer ),
15387 m_fmt(fmt)
15388 {}
15389
15390 XmlWriter::ScopedElement::ScopedElement( ScopedElement&& other ) noexcept
15391 : m_writer( other.m_writer ),
15392 m_fmt(other.m_fmt)
15393 {
15394 other.m_writer = nullptr;
15395 other.m_fmt = XmlFormatting::None;
15396 }
15397 XmlWriter::ScopedElement& XmlWriter::ScopedElement::operator=( ScopedElement&& other ) noexcept {
15398 if ( m_writer ) {
15399 m_writer->endElement();
15400 }
15401 m_writer = other.m_writer;
15402 other.m_writer = nullptr;
15403 m_fmt = other.m_fmt;
15404 other.m_fmt = XmlFormatting::None;
15405 return *this;
15406 }
15407
15408 XmlWriter::ScopedElement::~ScopedElement() {
15409 if (m_writer) {
15410 m_writer->endElement(m_fmt);
15411 }
15412 }
15413
15414 XmlWriter::ScopedElement& XmlWriter::ScopedElement::writeText( std::string const& text, XmlFormatting fmt ) {
15415 m_writer->writeText( text, fmt );
15416 return *this;
15417 }
15418
15419 XmlWriter::XmlWriter( std::ostream& os ) : m_os( os )
15420 {
15421 writeDeclaration();
15422 }
15423
15424 XmlWriter::~XmlWriter() {
15425 while (!m_tags.empty()) {
15426 endElement();
15427 }
15428 newlineIfNecessary();
15429 }
15430
15431 XmlWriter& XmlWriter::startElement( std::string const& name, XmlFormatting fmt ) {
15432 ensureTagClosed();
15433 newlineIfNecessary();
15434 if (shouldIndent(fmt)) {
15435 m_os << m_indent;
15436 m_indent += " ";
15437 }
15438 m_os << '<' << name;
15439 m_tags.push_back( name );
15440 m_tagIsOpen = true;
15441 applyFormatting(fmt);
15442 return *this;
15443 }
15444
15445 XmlWriter::ScopedElement XmlWriter::scopedElement( std::string const& name, XmlFormatting fmt ) {
15446 ScopedElement scoped( this, fmt );
15447 startElement( name, fmt );
15448 return scoped;
15449 }
15450
15451 XmlWriter& XmlWriter::endElement(XmlFormatting fmt) {
15452 m_indent = m_indent.substr(0, m_indent.size() - 2);
15453
15454 if( m_tagIsOpen ) {
15455 m_os << "/>";
15456 m_tagIsOpen = false;
15457 } else {
15458 newlineIfNecessary();
15459 if (shouldIndent(fmt)) {
15460 m_os << m_indent;
15461 }
15462 m_os << "</" << m_tags.back() << ">";
15463 }
15464 m_os << std::flush;
15465 applyFormatting(fmt);
15466 m_tags.pop_back();
15467 return *this;
15468 }
15469
15470 XmlWriter& XmlWriter::writeAttribute( std::string const& name, std::string const& attribute ) {
15471 if( !name.empty() && !attribute.empty() )
15472 m_os << ' ' << name << "=\"" << XmlEncode( attribute, XmlEncode::ForAttributes ) << '"';
15473 return *this;
15474 }
15475
15476 XmlWriter& XmlWriter::writeAttribute( std::string const& name, bool attribute ) {
15477 m_os << ' ' << name << "=\"" << ( attribute ? "true" : "false" ) << '"';
15478 return *this;
15479 }
15480
15481 XmlWriter& XmlWriter::writeText( std::string const& text, XmlFormatting fmt) {
15482 if( !text.empty() ){
15483 bool tagWasOpen = m_tagIsOpen;
15484 ensureTagClosed();
15485 if (tagWasOpen && shouldIndent(fmt)) {
15486 m_os << m_indent;
15487 }
15488 m_os << XmlEncode( text );
15489 applyFormatting(fmt);
15490 }
15491 return *this;
15492 }
15493
15494 XmlWriter& XmlWriter::writeComment( std::string const& text, XmlFormatting fmt) {
15495 ensureTagClosed();
15496 if (shouldIndent(fmt)) {
15497 m_os << m_indent;
15498 }
15499 m_os << "<!--" << text << "-->";
15500 applyFormatting(fmt);
15501 return *this;
15502 }
15503
15504 void XmlWriter::writeStylesheetRef( std::string const& url ) {
15505 m_os << "<?xml-stylesheet type=\"text/xsl\" href=\"" << url << "\"?>\n";
15506 }
15507
15508 XmlWriter& XmlWriter::writeBlankLine() {
15509 ensureTagClosed();
15510 m_os << '\n';
15511 return *this;
15512 }
15513
15514 void XmlWriter::ensureTagClosed() {
15515 if( m_tagIsOpen ) {
15516 m_os << '>' << std::flush;
15517 newlineIfNecessary();
15518 m_tagIsOpen = false;
15519 }
15520 }
15521
15522 void XmlWriter::applyFormatting(XmlFormatting fmt) {
15523 m_needsNewline = shouldNewline(fmt);
15524 }
15525
15526 void XmlWriter::writeDeclaration() {
15527 m_os << "<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n";
15528 }
15529
15530 void XmlWriter::newlineIfNecessary() {
15531 if( m_needsNewline ) {
15532 m_os << std::endl;
15533 m_needsNewline = false;
15534 }
15535 }
15536}
15537// end catch_xmlwriter.cpp
15538// start catch_reporter_bases.cpp
15539
15540#include <cstring>
15541#include <cfloat>
15542#include <cstdio>
15543#include <cassert>
15544#include <memory>
15545
15546namespace Catch {
15547 void prepareExpandedExpression(AssertionResult& result) {
15548 result.getExpandedExpression();
15549 }
15550
15551 // Because formatting using c++ streams is stateful, drop down to C is required
15552 // Alternatively we could use stringstream, but its performance is... not good.
15553 std::string getFormattedDuration( double duration ) {
15554 // Max exponent + 1 is required to represent the whole part
15555 // + 1 for decimal point
15556 // + 3 for the 3 decimal places
15557 // + 1 for null terminator
15558 const std::size_t maxDoubleSize = DBL_MAX_10_EXP + 1 + 1 + 3 + 1;
15559 char buffer[maxDoubleSize];
15560
15561 // Save previous errno, to prevent sprintf from overwriting it
15562 ErrnoGuard guard;
15563#ifdef _MSC_VER
15564 sprintf_s(buffer, "%.3f", duration);
15565#else
15566 std::sprintf(buffer, "%.3f", duration);
15567#endif
15568 return std::string(buffer);
15569 }
15570
15571 std::string serializeFilters( std::vector<std::string> const& container ) {
15572 ReusableStringStream oss;
15573 bool first = true;
15574 for (auto&& filter : container)
15575 {
15576 if (!first)
15577 oss << ' ';
15578 else
15579 first = false;
15580
15581 oss << filter;
15582 }
15583 return oss.str();
15584 }
15585
15586 TestEventListenerBase::TestEventListenerBase(ReporterConfig const & _config)
15587 :StreamingReporterBase(_config) {}
15588
15589 std::set<Verbosity> TestEventListenerBase::getSupportedVerbosities() {
15590 return { Verbosity::Quiet, Verbosity::Normal, Verbosity::High };
15591 }
15592
15593 void TestEventListenerBase::assertionStarting(AssertionInfo const &) {}
15594
15595 bool TestEventListenerBase::assertionEnded(AssertionStats const &) {
15596 return false;
15597 }
15598
15599} // end namespace Catch
15600// end catch_reporter_bases.cpp
15601// start catch_reporter_compact.cpp
15602
15603namespace {
15604
15605#ifdef CATCH_PLATFORM_MAC
15606 const char* failedString() { return "FAILED"; }
15607 const char* passedString() { return "PASSED"; }
15608#else
15609 const char* failedString() { return "failed"; }
15610 const char* passedString() { return "passed"; }
15611#endif
15612
15613 // Colour::LightGrey
15614 Catch::Colour::Code dimColour() { return Catch::Colour::FileName; }
15615
15616 std::string bothOrAll( std::size_t count ) {
15617 return count == 1 ? std::string() :
15618 count == 2 ? "both " : "all " ;
15619 }
15620
15621} // anon namespace
15622
15623namespace Catch {
15624namespace {
15625// Colour, message variants:
15626// - white: No tests ran.
15627// - red: Failed [both/all] N test cases, failed [both/all] M assertions.
15628// - white: Passed [both/all] N test cases (no assertions).
15629// - red: Failed N tests cases, failed M assertions.
15630// - green: Passed [both/all] N tests cases with M assertions.
15631void printTotals(std::ostream& out, const Totals& totals) {
15632 if (totals.testCases.total() == 0) {
15633 out << "No tests ran.";
15634 } else if (totals.testCases.failed == totals.testCases.total()) {
15635 Colour colour(Colour::ResultError);
15636 const std::string qualify_assertions_failed =
15637 totals.assertions.failed == totals.assertions.total() ?
15638 bothOrAll(totals.assertions.failed) : std::string();
15639 out <<
15640 "Failed " << bothOrAll(totals.testCases.failed)
15641 << pluralise(totals.testCases.failed, "test case") << ", "
15642 "failed " << qualify_assertions_failed <<
15643 pluralise(totals.assertions.failed, "assertion") << '.';
15644 } else if (totals.assertions.total() == 0) {
15645 out <<
15646 "Passed " << bothOrAll(totals.testCases.total())
15647 << pluralise(totals.testCases.total(), "test case")
15648 << " (no assertions).";
15649 } else if (totals.assertions.failed) {
15650 Colour colour(Colour::ResultError);
15651 out <<
15652 "Failed " << pluralise(totals.testCases.failed, "test case") << ", "
15653 "failed " << pluralise(totals.assertions.failed, "assertion") << '.';
15654 } else {
15655 Colour colour(Colour::ResultSuccess);
15656 out <<
15657 "Passed " << bothOrAll(totals.testCases.passed)
15658 << pluralise(totals.testCases.passed, "test case") <<
15659 " with " << pluralise(totals.assertions.passed, "assertion") << '.';
15660 }
15661}
15662
15663// Implementation of CompactReporter formatting
15664class AssertionPrinter {
15665public:
15666 AssertionPrinter& operator= (AssertionPrinter const&) = delete;
15667 AssertionPrinter(AssertionPrinter const&) = delete;
15668 AssertionPrinter(std::ostream& _stream, AssertionStats const& _stats, bool _printInfoMessages)
15669 : stream(_stream)
15670 , result(_stats.assertionResult)
15671 , messages(_stats.infoMessages)
15672 , itMessage(_stats.infoMessages.begin())
15673 , printInfoMessages(_printInfoMessages) {}
15674
15675 void print() {
15676 printSourceInfo();
15677
15678 itMessage = messages.begin();
15679
15680 switch (result.getResultType()) {
15681 case ResultWas::Ok:
15682 printResultType(Colour::ResultSuccess, passedString());
15683 printOriginalExpression();
15684 printReconstructedExpression();
15685 if (!result.hasExpression())
15686 printRemainingMessages(Colour::None);
15687 else
15688 printRemainingMessages();
15689 break;
15690 case ResultWas::ExpressionFailed:
15691 if (result.isOk())
15692 printResultType(Colour::ResultSuccess, failedString() + std::string(" - but was ok"));
15693 else
15694 printResultType(Colour::Error, failedString());
15695 printOriginalExpression();
15696 printReconstructedExpression();
15697 printRemainingMessages();
15698 break;
15699 case ResultWas::ThrewException:
15700 printResultType(Colour::Error, failedString());
15701 printIssue("unexpected exception with message:");
15702 printMessage();
15703 printExpressionWas();
15704 printRemainingMessages();
15705 break;
15706 case ResultWas::FatalErrorCondition:
15707 printResultType(Colour::Error, failedString());
15708 printIssue("fatal error condition with message:");
15709 printMessage();
15710 printExpressionWas();
15711 printRemainingMessages();
15712 break;
15713 case ResultWas::DidntThrowException:
15714 printResultType(Colour::Error, failedString());
15715 printIssue("expected exception, got none");
15716 printExpressionWas();
15717 printRemainingMessages();
15718 break;
15719 case ResultWas::Info:
15720 printResultType(Colour::None, "info");
15721 printMessage();
15722 printRemainingMessages();
15723 break;
15724 case ResultWas::Warning:
15725 printResultType(Colour::None, "warning");
15726 printMessage();
15727 printRemainingMessages();
15728 break;
15729 case ResultWas::ExplicitFailure:
15730 printResultType(Colour::Error, failedString());
15731 printIssue("explicitly");
15732 printRemainingMessages(Colour::None);
15733 break;
15734 // These cases are here to prevent compiler warnings
15735 case ResultWas::Unknown:
15736 case ResultWas::FailureBit:
15737 case ResultWas::Exception:
15738 printResultType(Colour::Error, "** internal error **");
15739 break;
15740 }
15741 }
15742
15743private:
15744 void printSourceInfo() const {
15745 Colour colourGuard(Colour::FileName);
15746 stream << result.getSourceInfo() << ':';
15747 }
15748
15749 void printResultType(Colour::Code colour, std::string const& passOrFail) const {
15750 if (!passOrFail.empty()) {
15751 {
15752 Colour colourGuard(colour);
15753 stream << ' ' << passOrFail;
15754 }
15755 stream << ':';
15756 }
15757 }
15758
15759 void printIssue(std::string const& issue) const {
15760 stream << ' ' << issue;
15761 }
15762
15763 void printExpressionWas() {
15764 if (result.hasExpression()) {
15765 stream << ';';
15766 {
15767 Colour colour(dimColour());
15768 stream << " expression was:";
15769 }
15770 printOriginalExpression();
15771 }
15772 }
15773
15774 void printOriginalExpression() const {
15775 if (result.hasExpression()) {
15776 stream << ' ' << result.getExpression();
15777 }
15778 }
15779
15780 void printReconstructedExpression() const {
15781 if (result.hasExpandedExpression()) {
15782 {
15783 Colour colour(dimColour());
15784 stream << " for: ";
15785 }
15786 stream << result.getExpandedExpression();
15787 }
15788 }
15789
15790 void printMessage() {
15791 if (itMessage != messages.end()) {
15792 stream << " '" << itMessage->message << '\'';
15793 ++itMessage;
15794 }
15795 }
15796
15797 void printRemainingMessages(Colour::Code colour = dimColour()) {
15798 if (itMessage == messages.end())
15799 return;
15800
15801 const auto itEnd = messages.cend();
15802 const auto N = static_cast<std::size_t>(std::distance(itMessage, itEnd));
15803
15804 {
15805 Colour colourGuard(colour);
15806 stream << " with " << pluralise(N, "message") << ':';
15807 }
15808
15809 while (itMessage != itEnd) {
15810 // If this assertion is a warning ignore any INFO messages
15811 if (printInfoMessages || itMessage->type != ResultWas::Info) {
15812 printMessage();
15813 if (itMessage != itEnd) {
15814 Colour colourGuard(dimColour());
15815 stream << " and";
15816 }
15817 continue;
15818 }
15819 ++itMessage;
15820 }
15821 }
15822
15823private:
15824 std::ostream& stream;
15825 AssertionResult const& result;
15826 std::vector<MessageInfo> messages;
15827 std::vector<MessageInfo>::const_iterator itMessage;
15828 bool printInfoMessages;
15829};
15830
15831} // anon namespace
15832
15833 std::string CompactReporter::getDescription() {
15834 return "Reports test results on a single line, suitable for IDEs";
15835 }
15836
15837 ReporterPreferences CompactReporter::getPreferences() const {
15838 return m_reporterPrefs;
15839 }
15840
15841 void CompactReporter::noMatchingTestCases( std::string const& spec ) {
15842 stream << "No test cases matched '" << spec << '\'' << std::endl;
15843 }
15844
15845 void CompactReporter::assertionStarting( AssertionInfo const& ) {}
15846
15847 bool CompactReporter::assertionEnded( AssertionStats const& _assertionStats ) {
15848 AssertionResult const& result = _assertionStats.assertionResult;
15849
15850 bool printInfoMessages = true;
15851
15852 // Drop out if result was successful and we're not printing those
15853 if( !m_config->includeSuccessfulResults() && result.isOk() ) {
15854 if( result.getResultType() != ResultWas::Warning )
15855 return false;
15856 printInfoMessages = false;
15857 }
15858
15859 AssertionPrinter printer( stream, _assertionStats, printInfoMessages );
15860 printer.print();
15861
15862 stream << std::endl;
15863 return true;
15864 }
15865
15866 void CompactReporter::sectionEnded(SectionStats const& _sectionStats) {
15867 if (m_config->showDurations() == ShowDurations::Always) {
15868 stream << getFormattedDuration(_sectionStats.durationInSeconds) << " s: " << _sectionStats.sectionInfo.name << std::endl;
15869 }
15870 }
15871
15872 void CompactReporter::testRunEnded( TestRunStats const& _testRunStats ) {
15873 printTotals( stream, _testRunStats.totals );
15874 stream << '\n' << std::endl;
15875 StreamingReporterBase::testRunEnded( _testRunStats );
15876 }
15877
15878 CompactReporter::~CompactReporter() {}
15879
15880 CATCH_REGISTER_REPORTER( "compact", CompactReporter )
15881
15882} // end namespace Catch
15883// end catch_reporter_compact.cpp
15884// start catch_reporter_console.cpp
15885
15886#include <cfloat>
15887#include <cstdio>
15888
15889#if defined(_MSC_VER)
15890#pragma warning(push)
15891#pragma warning(disable:4061) // Not all labels are EXPLICITLY handled in switch
15892 // Note that 4062 (not all labels are handled and default is missing) is enabled
15893#endif
15894
15895#if defined(__clang__)
15896# pragma clang diagnostic push
15897// For simplicity, benchmarking-only helpers are always enabled
15898# pragma clang diagnostic ignored "-Wunused-function"
15899#endif
15900
15901namespace Catch {
15902
15903namespace {
15904
15905// Formatter impl for ConsoleReporter
15906class ConsoleAssertionPrinter {
15907public:
15908 ConsoleAssertionPrinter& operator= (ConsoleAssertionPrinter const&) = delete;
15909 ConsoleAssertionPrinter(ConsoleAssertionPrinter const&) = delete;
15910 ConsoleAssertionPrinter(std::ostream& _stream, AssertionStats const& _stats, bool _printInfoMessages)
15911 : stream(_stream),
15912 stats(_stats),
15913 result(_stats.assertionResult),
15914 colour(Colour::None),
15915 message(result.getMessage()),
15916 messages(_stats.infoMessages),
15917 printInfoMessages(_printInfoMessages) {
15918 switch (result.getResultType()) {
15919 case ResultWas::Ok:
15920 colour = Colour::Success;
15921 passOrFail = "PASSED";
15922 //if( result.hasMessage() )
15923 if (_stats.infoMessages.size() == 1)
15924 messageLabel = "with message";
15925 if (_stats.infoMessages.size() > 1)
15926 messageLabel = "with messages";
15927 break;
15928 case ResultWas::ExpressionFailed:
15929 if (result.isOk()) {
15930 colour = Colour::Success;
15931 passOrFail = "FAILED - but was ok";
15932 } else {
15933 colour = Colour::Error;
15934 passOrFail = "FAILED";
15935 }
15936 if (_stats.infoMessages.size() == 1)
15937 messageLabel = "with message";
15938 if (_stats.infoMessages.size() > 1)
15939 messageLabel = "with messages";
15940 break;
15941 case ResultWas::ThrewException:
15942 colour = Colour::Error;
15943 passOrFail = "FAILED";
15944 messageLabel = "due to unexpected exception with ";
15945 if (_stats.infoMessages.size() == 1)
15946 messageLabel += "message";
15947 if (_stats.infoMessages.size() > 1)
15948 messageLabel += "messages";
15949 break;
15950 case ResultWas::FatalErrorCondition:
15951 colour = Colour::Error;
15952 passOrFail = "FAILED";
15953 messageLabel = "due to a fatal error condition";
15954 break;
15955 case ResultWas::DidntThrowException:
15956 colour = Colour::Error;
15957 passOrFail = "FAILED";
15958 messageLabel = "because no exception was thrown where one was expected";
15959 break;
15960 case ResultWas::Info:
15961 messageLabel = "info";
15962 break;
15963 case ResultWas::Warning:
15964 messageLabel = "warning";
15965 break;
15966 case ResultWas::ExplicitFailure:
15967 passOrFail = "FAILED";
15968 colour = Colour::Error;
15969 if (_stats.infoMessages.size() == 1)
15970 messageLabel = "explicitly with message";
15971 if (_stats.infoMessages.size() > 1)
15972 messageLabel = "explicitly with messages";
15973 break;
15974 // These cases are here to prevent compiler warnings
15975 case ResultWas::Unknown:
15976 case ResultWas::FailureBit:
15977 case ResultWas::Exception:
15978 passOrFail = "** internal error **";
15979 colour = Colour::Error;
15980 break;
15981 }
15982 }
15983
15984 void print() const {
15985 printSourceInfo();
15986 if (stats.totals.assertions.total() > 0) {
15987 printResultType();
15988 printOriginalExpression();
15989 printReconstructedExpression();
15990 } else {
15991 stream << '\n';
15992 }
15993 printMessage();
15994 }
15995
15996private:
15997 void printResultType() const {
15998 if (!passOrFail.empty()) {
15999 Colour colourGuard(colour);
16000 stream << passOrFail << ":\n";
16001 }
16002 }
16003 void printOriginalExpression() const {
16004 if (result.hasExpression()) {
16005 Colour colourGuard(Colour::OriginalExpression);
16006 stream << " ";
16007 stream << result.getExpressionInMacro();
16008 stream << '\n';
16009 }
16010 }
16011 void printReconstructedExpression() const {
16012 if (result.hasExpandedExpression()) {
16013 stream << "with expansion:\n";
16014 Colour colourGuard(Colour::ReconstructedExpression);
16015 stream << Column(result.getExpandedExpression()).indent(2) << '\n';
16016 }
16017 }
16018 void printMessage() const {
16019 if (!messageLabel.empty())
16020 stream << messageLabel << ':' << '\n';
16021 for (auto const& msg : messages) {
16022 // If this assertion is a warning ignore any INFO messages
16023 if (printInfoMessages || msg.type != ResultWas::Info)
16024 stream << Column(msg.message).indent(2) << '\n';
16025 }
16026 }
16027 void printSourceInfo() const {
16028 Colour colourGuard(Colour::FileName);
16029 stream << result.getSourceInfo() << ": ";
16030 }
16031
16032 std::ostream& stream;
16033 AssertionStats const& stats;
16034 AssertionResult const& result;
16035 Colour::Code colour;
16036 std::string passOrFail;
16037 std::string messageLabel;
16038 std::string message;
16039 std::vector<MessageInfo> messages;
16040 bool printInfoMessages;
16041};
16042
16043std::size_t makeRatio(std::size_t number, std::size_t total) {
16044 std::size_t ratio = total > 0 ? CATCH_CONFIG_CONSOLE_WIDTH * number / total : 0;
16045 return (ratio == 0 && number > 0) ? 1 : ratio;
16046}
16047
16048std::size_t& findMax(std::size_t& i, std::size_t& j, std::size_t& k) {
16049 if (i > j && i > k)
16050 return i;
16051 else if (j > k)
16052 return j;
16053 else
16054 return k;
16055}
16056
16057struct ColumnInfo {
16058 enum Justification { Left, Right };
16059 std::string name;
16060 int width;
16061 Justification justification;
16062};
16063struct ColumnBreak {};
16064struct RowBreak {};
16065
16066class Duration {
16067 enum class Unit {
16068 Auto,
16069 Nanoseconds,
16070 Microseconds,
16071 Milliseconds,
16072 Seconds,
16073 Minutes
16074 };
16075 static const uint64_t s_nanosecondsInAMicrosecond = 1000;
16076 static const uint64_t s_nanosecondsInAMillisecond = 1000 * s_nanosecondsInAMicrosecond;
16077 static const uint64_t s_nanosecondsInASecond = 1000 * s_nanosecondsInAMillisecond;
16078 static const uint64_t s_nanosecondsInAMinute = 60 * s_nanosecondsInASecond;
16079
16080 double m_inNanoseconds;
16081 Unit m_units;
16082
16083public:
16084 explicit Duration(double inNanoseconds, Unit units = Unit::Auto)
16085 : m_inNanoseconds(inNanoseconds),
16086 m_units(units) {
16087 if (m_units == Unit::Auto) {
16088 if (m_inNanoseconds < s_nanosecondsInAMicrosecond)
16089 m_units = Unit::Nanoseconds;
16090 else if (m_inNanoseconds < s_nanosecondsInAMillisecond)
16091 m_units = Unit::Microseconds;
16092 else if (m_inNanoseconds < s_nanosecondsInASecond)
16093 m_units = Unit::Milliseconds;
16094 else if (m_inNanoseconds < s_nanosecondsInAMinute)
16095 m_units = Unit::Seconds;
16096 else
16097 m_units = Unit::Minutes;
16098 }
16099
16100 }
16101
16102 auto value() const -> double {
16103 switch (m_units) {
16104 case Unit::Microseconds:
16105 return m_inNanoseconds / static_cast<double>(s_nanosecondsInAMicrosecond);
16106 case Unit::Milliseconds:
16107 return m_inNanoseconds / static_cast<double>(s_nanosecondsInAMillisecond);
16108 case Unit::Seconds:
16109 return m_inNanoseconds / static_cast<double>(s_nanosecondsInASecond);
16110 case Unit::Minutes:
16111 return m_inNanoseconds / static_cast<double>(s_nanosecondsInAMinute);
16112 default:
16113 return m_inNanoseconds;
16114 }
16115 }
16116 auto unitsAsString() const -> std::string {
16117 switch (m_units) {
16118 case Unit::Nanoseconds:
16119 return "ns";
16120 case Unit::Microseconds:
16121 return "us";
16122 case Unit::Milliseconds:
16123 return "ms";
16124 case Unit::Seconds:
16125 return "s";
16126 case Unit::Minutes:
16127 return "m";
16128 default:
16129 return "** internal error **";
16130 }
16131
16132 }
16133 friend auto operator << (std::ostream& os, Duration const& duration) -> std::ostream& {
16134 return os << duration.value() << ' ' << duration.unitsAsString();
16135 }
16136};
16137} // end anon namespace
16138
16139class TablePrinter {
16140 std::ostream& m_os;
16141 std::vector<ColumnInfo> m_columnInfos;
16142 std::ostringstream m_oss;
16143 int m_currentColumn = -1;
16144 bool m_isOpen = false;
16145
16146public:
16147 TablePrinter( std::ostream& os, std::vector<ColumnInfo> columnInfos )
16148 : m_os( os ),
16149 m_columnInfos( std::move( columnInfos ) ) {}
16150
16151 auto columnInfos() const -> std::vector<ColumnInfo> const& {
16152 return m_columnInfos;
16153 }
16154
16155 void open() {
16156 if (!m_isOpen) {
16157 m_isOpen = true;
16158 *this << RowBreak();
16159
16160 Columns headerCols;
16161 Spacer spacer(2);
16162 for (auto const& info : m_columnInfos) {
16163 headerCols += Column(info.name).width(static_cast<std::size_t>(info.width - 2));
16164 headerCols += spacer;
16165 }
16166 m_os << headerCols << '\n';
16167
16168 m_os << Catch::getLineOfChars<'-'>() << '\n';
16169 }
16170 }
16171 void close() {
16172 if (m_isOpen) {
16173 *this << RowBreak();
16174 m_os << std::endl;
16175 m_isOpen = false;
16176 }
16177 }
16178
16179 template<typename T>
16180 friend TablePrinter& operator << (TablePrinter& tp, T const& value) {
16181 tp.m_oss << value;
16182 return tp;
16183 }
16184
16185 friend TablePrinter& operator << (TablePrinter& tp, ColumnBreak) {
16186 auto colStr = tp.m_oss.str();
16187 const auto strSize = colStr.size();
16188 tp.m_oss.str("");
16189 tp.open();
16190 if (tp.m_currentColumn == static_cast<int>(tp.m_columnInfos.size() - 1)) {
16191 tp.m_currentColumn = -1;
16192 tp.m_os << '\n';
16193 }
16194 tp.m_currentColumn++;
16195
16196 auto colInfo = tp.m_columnInfos[tp.m_currentColumn];
16197 auto padding = (strSize + 1 < static_cast<std::size_t>(colInfo.width))
16198 ? std::string(colInfo.width - (strSize + 1), ' ')
16199 : std::string();
16200 if (colInfo.justification == ColumnInfo::Left)
16201 tp.m_os << colStr << padding << ' ';
16202 else
16203 tp.m_os << padding << colStr << ' ';
16204 return tp;
16205 }
16206
16207 friend TablePrinter& operator << (TablePrinter& tp, RowBreak) {
16208 if (tp.m_currentColumn > 0) {
16209 tp.m_os << '\n';
16210 tp.m_currentColumn = -1;
16211 }
16212 return tp;
16213 }
16214};
16215
16216ConsoleReporter::ConsoleReporter(ReporterConfig const& config)
16217 : StreamingReporterBase(config),
16218 m_tablePrinter(new TablePrinter(config.stream(),
16219 [&config]() -> std::vector<ColumnInfo> {
16220 if (config.fullConfig()->benchmarkNoAnalysis())
16221 {
16222 return{
16223 { "benchmark name", CATCH_CONFIG_CONSOLE_WIDTH - 43, ColumnInfo::Left },
16224 { " samples", 14, ColumnInfo::Right },
16225 { " iterations", 14, ColumnInfo::Right },
16226 { " mean", 14, ColumnInfo::Right }
16227 };
16228 }
16229 else
16230 {
16231 return{
16232 { "benchmark name", CATCH_CONFIG_CONSOLE_WIDTH - 43, ColumnInfo::Left },
16233 { "samples mean std dev", 14, ColumnInfo::Right },
16234 { "iterations low mean low std dev", 14, ColumnInfo::Right },
16235 { "estimated high mean high std dev", 14, ColumnInfo::Right }
16236 };
16237 }
16238 }())) {}
16239ConsoleReporter::~ConsoleReporter() = default;
16240
16241std::string ConsoleReporter::getDescription() {
16242 return "Reports test results as plain lines of text";
16243}
16244
16245void ConsoleReporter::noMatchingTestCases(std::string const& spec) {
16246 stream << "No test cases matched '" << spec << '\'' << std::endl;
16247}
16248
16249void ConsoleReporter::reportInvalidArguments(std::string const&arg){
16250 stream << "Invalid Filter: " << arg << std::endl;
16251}
16252
16253void ConsoleReporter::assertionStarting(AssertionInfo const&) {}
16254
16255bool ConsoleReporter::assertionEnded(AssertionStats const& _assertionStats) {
16256 AssertionResult const& result = _assertionStats.assertionResult;
16257
16258 bool includeResults = m_config->includeSuccessfulResults() || !result.isOk();
16259
16260 // Drop out if result was successful but we're not printing them.
16261 if (!includeResults && result.getResultType() != ResultWas::Warning)
16262 return false;
16263
16264 lazyPrint();
16265
16266 ConsoleAssertionPrinter printer(stream, _assertionStats, includeResults);
16267 printer.print();
16268 stream << std::endl;
16269 return true;
16270}
16271
16272void ConsoleReporter::sectionStarting(SectionInfo const& _sectionInfo) {
16273 m_tablePrinter->close();
16274 m_headerPrinted = false;
16275 StreamingReporterBase::sectionStarting(_sectionInfo);
16276}
16277void ConsoleReporter::sectionEnded(SectionStats const& _sectionStats) {
16278 m_tablePrinter->close();
16279 if (_sectionStats.missingAssertions) {
16280 lazyPrint();
16281 Colour colour(Colour::ResultError);
16282 if (m_sectionStack.size() > 1)
16283 stream << "\nNo assertions in section";
16284 else
16285 stream << "\nNo assertions in test case";
16286 stream << " '" << _sectionStats.sectionInfo.name << "'\n" << std::endl;
16287 }
16288 if (m_config->showDurations() == ShowDurations::Always) {
16289 stream << getFormattedDuration(_sectionStats.durationInSeconds) << " s: " << _sectionStats.sectionInfo.name << std::endl;
16290 }
16291 if (m_headerPrinted) {
16292 m_headerPrinted = false;
16293 }
16294 StreamingReporterBase::sectionEnded(_sectionStats);
16295}
16296
16297#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
16298void ConsoleReporter::benchmarkPreparing(std::string const& name) {
16299 lazyPrintWithoutClosingBenchmarkTable();
16300
16301 auto nameCol = Column(name).width(static_cast<std::size_t>(m_tablePrinter->columnInfos()[0].width - 2));
16302
16303 bool firstLine = true;
16304 for (auto line : nameCol) {
16305 if (!firstLine)
16306 (*m_tablePrinter) << ColumnBreak() << ColumnBreak() << ColumnBreak();
16307 else
16308 firstLine = false;
16309
16310 (*m_tablePrinter) << line << ColumnBreak();
16311 }
16312}
16313
16314void ConsoleReporter::benchmarkStarting(BenchmarkInfo const& info) {
16315 (*m_tablePrinter) << info.samples << ColumnBreak()
16316 << info.iterations << ColumnBreak();
16317 if (!m_config->benchmarkNoAnalysis())
16318 (*m_tablePrinter) << Duration(info.estimatedDuration) << ColumnBreak();
16319}
16320void ConsoleReporter::benchmarkEnded(BenchmarkStats<> const& stats) {
16321 if (m_config->benchmarkNoAnalysis())
16322 {
16323 (*m_tablePrinter) << Duration(stats.mean.point.count()) << ColumnBreak();
16324 }
16325 else
16326 {
16327 (*m_tablePrinter) << ColumnBreak()
16328 << Duration(stats.mean.point.count()) << ColumnBreak()
16329 << Duration(stats.mean.lower_bound.count()) << ColumnBreak()
16330 << Duration(stats.mean.upper_bound.count()) << ColumnBreak() << ColumnBreak()
16331 << Duration(stats.standardDeviation.point.count()) << ColumnBreak()
16332 << Duration(stats.standardDeviation.lower_bound.count()) << ColumnBreak()
16333 << Duration(stats.standardDeviation.upper_bound.count()) << ColumnBreak() << ColumnBreak() << ColumnBreak() << ColumnBreak() << ColumnBreak();
16334 }
16335}
16336
16337void ConsoleReporter::benchmarkFailed(std::string const& error) {
16338 Colour colour(Colour::Red);
16339 (*m_tablePrinter)
16340 << "Benchmark failed (" << error << ')'
16341 << ColumnBreak() << RowBreak();
16342}
16343#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
16344
16345void ConsoleReporter::testCaseEnded(TestCaseStats const& _testCaseStats) {
16346 m_tablePrinter->close();
16347 StreamingReporterBase::testCaseEnded(_testCaseStats);
16348 m_headerPrinted = false;
16349}
16350void ConsoleReporter::testGroupEnded(TestGroupStats const& _testGroupStats) {
16351 if (currentGroupInfo.used) {
16352 printSummaryDivider();
16353 stream << "Summary for group '" << _testGroupStats.groupInfo.name << "':\n";
16354 printTotals(_testGroupStats.totals);
16355 stream << '\n' << std::endl;
16356 }
16357 StreamingReporterBase::testGroupEnded(_testGroupStats);
16358}
16359void ConsoleReporter::testRunEnded(TestRunStats const& _testRunStats) {
16360 printTotalsDivider(_testRunStats.totals);
16361 printTotals(_testRunStats.totals);
16362 stream << std::endl;
16363 StreamingReporterBase::testRunEnded(_testRunStats);
16364}
16365void ConsoleReporter::testRunStarting(TestRunInfo const& _testInfo) {
16366 StreamingReporterBase::testRunStarting(_testInfo);
16367 printTestFilters();
16368}
16369
16370void ConsoleReporter::lazyPrint() {
16371
16372 m_tablePrinter->close();
16373 lazyPrintWithoutClosingBenchmarkTable();
16374}
16375
16376void ConsoleReporter::lazyPrintWithoutClosingBenchmarkTable() {
16377
16378 if (!currentTestRunInfo.used)
16379 lazyPrintRunInfo();
16380 if (!currentGroupInfo.used)
16381 lazyPrintGroupInfo();
16382
16383 if (!m_headerPrinted) {
16384 printTestCaseAndSectionHeader();
16385 m_headerPrinted = true;
16386 }
16387}
16388void ConsoleReporter::lazyPrintRunInfo() {
16389 stream << '\n' << getLineOfChars<'~'>() << '\n';
16390 Colour colour(Colour::SecondaryText);
16391 stream << currentTestRunInfo->name
16392 << " is a Catch v" << libraryVersion() << " host application.\n"
16393 << "Run with -? for options\n\n";
16394
16395 if (m_config->rngSeed() != 0)
16396 stream << "Randomness seeded to: " << m_config->rngSeed() << "\n\n";
16397
16398 currentTestRunInfo.used = true;
16399}
16400void ConsoleReporter::lazyPrintGroupInfo() {
16401 if (!currentGroupInfo->name.empty() && currentGroupInfo->groupsCounts > 1) {
16402 printClosedHeader("Group: " + currentGroupInfo->name);
16403 currentGroupInfo.used = true;
16404 }
16405}
16406void ConsoleReporter::printTestCaseAndSectionHeader() {
16407 assert(!m_sectionStack.empty());
16408 printOpenHeader(currentTestCaseInfo->name);
16409
16410 if (m_sectionStack.size() > 1) {
16411 Colour colourGuard(Colour::Headers);
16412
16413 auto
16414 it = m_sectionStack.begin() + 1, // Skip first section (test case)
16415 itEnd = m_sectionStack.end();
16416 for (; it != itEnd; ++it)
16417 printHeaderString(it->name, 2);
16418 }
16419
16420 SourceLineInfo lineInfo = m_sectionStack.back().lineInfo;
16421
16422 stream << getLineOfChars<'-'>() << '\n';
16423 Colour colourGuard(Colour::FileName);
16424 stream << lineInfo << '\n';
16425 stream << getLineOfChars<'.'>() << '\n' << std::endl;
16426}
16427
16428void ConsoleReporter::printClosedHeader(std::string const& _name) {
16429 printOpenHeader(_name);
16430 stream << getLineOfChars<'.'>() << '\n';
16431}
16432void ConsoleReporter::printOpenHeader(std::string const& _name) {
16433 stream << getLineOfChars<'-'>() << '\n';
16434 {
16435 Colour colourGuard(Colour::Headers);
16436 printHeaderString(_name);
16437 }
16438}
16439
16440// if string has a : in first line will set indent to follow it on
16441// subsequent lines
16442void ConsoleReporter::printHeaderString(std::string const& _string, std::size_t indent) {
16443 std::size_t i = _string.find(": ");
16444 if (i != std::string::npos)
16445 i += 2;
16446 else
16447 i = 0;
16448 stream << Column(_string).indent(indent + i).initialIndent(indent) << '\n';
16449}
16450
16451struct SummaryColumn {
16452
16453 SummaryColumn( std::string _label, Colour::Code _colour )
16454 : label( std::move( _label ) ),
16455 colour( _colour ) {}
16456 SummaryColumn addRow( std::size_t count ) {
16457 ReusableStringStream rss;
16458 rss << count;
16459 std::string row = rss.str();
16460 for (auto& oldRow : rows) {
16461 while (oldRow.size() < row.size())
16462 oldRow = ' ' + oldRow;
16463 while (oldRow.size() > row.size())
16464 row = ' ' + row;
16465 }
16466 rows.push_back(row);
16467 return *this;
16468 }
16469
16470 std::string label;
16471 Colour::Code colour;
16472 std::vector<std::string> rows;
16473
16474};
16475
16476void ConsoleReporter::printTotals( Totals const& totals ) {
16477 if (totals.testCases.total() == 0) {
16478 stream << Colour(Colour::Warning) << "No tests ran\n";
16479 } else if (totals.assertions.total() > 0 && totals.testCases.allPassed()) {
16480 stream << Colour(Colour::ResultSuccess) << "All tests passed";
16481 stream << " ("
16482 << pluralise(totals.assertions.passed, "assertion") << " in "
16483 << pluralise(totals.testCases.passed, "test case") << ')'
16484 << '\n';
16485 } else {
16486
16487 std::vector<SummaryColumn> columns;
16488 columns.push_back(SummaryColumn("", Colour::None)
16489 .addRow(totals.testCases.total())
16490 .addRow(totals.assertions.total()));
16491 columns.push_back(SummaryColumn("passed", Colour::Success)
16492 .addRow(totals.testCases.passed)
16493 .addRow(totals.assertions.passed));
16494 columns.push_back(SummaryColumn("failed", Colour::ResultError)
16495 .addRow(totals.testCases.failed)
16496 .addRow(totals.assertions.failed));
16497 columns.push_back(SummaryColumn("failed as expected", Colour::ResultExpectedFailure)
16498 .addRow(totals.testCases.failedButOk)
16499 .addRow(totals.assertions.failedButOk));
16500
16501 printSummaryRow("test cases", columns, 0);
16502 printSummaryRow("assertions", columns, 1);
16503 }
16504}
16505void ConsoleReporter::printSummaryRow(std::string const& label, std::vector<SummaryColumn> const& cols, std::size_t row) {
16506 for (auto col : cols) {
16507 std::string value = col.rows[row];
16508 if (col.label.empty()) {
16509 stream << label << ": ";
16510 if (value != "0")
16511 stream << value;
16512 else
16513 stream << Colour(Colour::Warning) << "- none -";
16514 } else if (value != "0") {
16515 stream << Colour(Colour::LightGrey) << " | ";
16516 stream << Colour(col.colour)
16517 << value << ' ' << col.label;
16518 }
16519 }
16520 stream << '\n';
16521}
16522
16523void ConsoleReporter::printTotalsDivider(Totals const& totals) {
16524 if (totals.testCases.total() > 0) {
16525 std::size_t failedRatio = makeRatio(totals.testCases.failed, totals.testCases.total());
16526 std::size_t failedButOkRatio = makeRatio(totals.testCases.failedButOk, totals.testCases.total());
16527 std::size_t passedRatio = makeRatio(totals.testCases.passed, totals.testCases.total());
16528 while (failedRatio + failedButOkRatio + passedRatio < CATCH_CONFIG_CONSOLE_WIDTH - 1)
16529 findMax(failedRatio, failedButOkRatio, passedRatio)++;
16530 while (failedRatio + failedButOkRatio + passedRatio > CATCH_CONFIG_CONSOLE_WIDTH - 1)
16531 findMax(failedRatio, failedButOkRatio, passedRatio)--;
16532
16533 stream << Colour(Colour::Error) << std::string(failedRatio, '=');
16534 stream << Colour(Colour::ResultExpectedFailure) << std::string(failedButOkRatio, '=');
16535 if (totals.testCases.allPassed())
16536 stream << Colour(Colour::ResultSuccess) << std::string(passedRatio, '=');
16537 else
16538 stream << Colour(Colour::Success) << std::string(passedRatio, '=');
16539 } else {
16540 stream << Colour(Colour::Warning) << std::string(CATCH_CONFIG_CONSOLE_WIDTH - 1, '=');
16541 }
16542 stream << '\n';
16543}
16544void ConsoleReporter::printSummaryDivider() {
16545 stream << getLineOfChars<'-'>() << '\n';
16546}
16547
16548void ConsoleReporter::printTestFilters() {
16549 if (m_config->testSpec().hasFilters()) {
16550 Colour guard(Colour::BrightYellow);
16551 stream << "Filters: " << serializeFilters(m_config->getTestsOrTags()) << '\n';
16552 }
16553}
16554
16555CATCH_REGISTER_REPORTER("console", ConsoleReporter)
16556
16557} // end namespace Catch
16558
16559#if defined(_MSC_VER)
16560#pragma warning(pop)
16561#endif
16562
16563#if defined(__clang__)
16564# pragma clang diagnostic pop
16565#endif
16566// end catch_reporter_console.cpp
16567// start catch_reporter_junit.cpp
16568
16569#include <cassert>
16570#include <sstream>
16571#include <ctime>
16572#include <algorithm>
16573
16574namespace Catch {
16575
16576 namespace {
16577 std::string getCurrentTimestamp() {
16578 // Beware, this is not reentrant because of backward compatibility issues
16579 // Also, UTC only, again because of backward compatibility (%z is C++11)
16580 time_t rawtime;
16581 std::time(&rawtime);
16582 auto const timeStampSize = sizeof("2017-01-16T17:06:45Z");
16583
16584#ifdef _MSC_VER
16585 std::tm timeInfo = {};
16586 gmtime_s(&timeInfo, &rawtime);
16587#else
16588 std::tm* timeInfo;
16589 timeInfo = std::gmtime(&rawtime);
16590#endif
16591
16592 char timeStamp[timeStampSize];
16593 const char * const fmt = "%Y-%m-%dT%H:%M:%SZ";
16594
16595#ifdef _MSC_VER
16596 std::strftime(timeStamp, timeStampSize, fmt, &timeInfo);
16597#else
16598 std::strftime(timeStamp, timeStampSize, fmt, timeInfo);
16599#endif
16600 return std::string(timeStamp);
16601 }
16602
16603 std::string fileNameTag(const std::vector<std::string> &tags) {
16604 auto it = std::find_if(begin(tags),
16605 end(tags),
16606 [] (std::string const& tag) {return tag.front() == '#'; });
16607 if (it != tags.end())
16608 return it->substr(1);
16609 return std::string();
16610 }
16611 } // anonymous namespace
16612
16613 JunitReporter::JunitReporter( ReporterConfig const& _config )
16614 : CumulativeReporterBase( _config ),
16615 xml( _config.stream() )
16616 {
16617 m_reporterPrefs.shouldRedirectStdOut = true;
16618 m_reporterPrefs.shouldReportAllAssertions = true;
16619 }
16620
16621 JunitReporter::~JunitReporter() {}
16622
16623 std::string JunitReporter::getDescription() {
16624 return "Reports test results in an XML format that looks like Ant's junitreport target";
16625 }
16626
16627 void JunitReporter::noMatchingTestCases( std::string const& /*spec*/ ) {}
16628
16629 void JunitReporter::testRunStarting( TestRunInfo const& runInfo ) {
16630 CumulativeReporterBase::testRunStarting( runInfo );
16631 xml.startElement( "testsuites" );
16632 }
16633
16634 void JunitReporter::testGroupStarting( GroupInfo const& groupInfo ) {
16635 suiteTimer.start();
16636 stdOutForSuite.clear();
16637 stdErrForSuite.clear();
16638 unexpectedExceptions = 0;
16639 CumulativeReporterBase::testGroupStarting( groupInfo );
16640 }
16641
16642 void JunitReporter::testCaseStarting( TestCaseInfo const& testCaseInfo ) {
16643 m_okToFail = testCaseInfo.okToFail();
16644 }
16645
16646 bool JunitReporter::assertionEnded( AssertionStats const& assertionStats ) {
16647 if( assertionStats.assertionResult.getResultType() == ResultWas::ThrewException && !m_okToFail )
16648 unexpectedExceptions++;
16649 return CumulativeReporterBase::assertionEnded( assertionStats );
16650 }
16651
16652 void JunitReporter::testCaseEnded( TestCaseStats const& testCaseStats ) {
16653 stdOutForSuite += testCaseStats.stdOut;
16654 stdErrForSuite += testCaseStats.stdErr;
16655 CumulativeReporterBase::testCaseEnded( testCaseStats );
16656 }
16657
16658 void JunitReporter::testGroupEnded( TestGroupStats const& testGroupStats ) {
16659 double suiteTime = suiteTimer.getElapsedSeconds();
16660 CumulativeReporterBase::testGroupEnded( testGroupStats );
16661 writeGroup( *m_testGroups.back(), suiteTime );
16662 }
16663
16664 void JunitReporter::testRunEndedCumulative() {
16665 xml.endElement();
16666 }
16667
16668 void JunitReporter::writeGroup( TestGroupNode const& groupNode, double suiteTime ) {
16669 XmlWriter::ScopedElement e = xml.scopedElement( "testsuite" );
16670
16671 TestGroupStats const& stats = groupNode.value;
16672 xml.writeAttribute( "name", stats.groupInfo.name );
16673 xml.writeAttribute( "errors", unexpectedExceptions );
16674 xml.writeAttribute( "failures", stats.totals.assertions.failed-unexpectedExceptions );
16675 xml.writeAttribute( "tests", stats.totals.assertions.total() );
16676 xml.writeAttribute( "hostname", "tbd" ); // !TBD
16677 if( m_config->showDurations() == ShowDurations::Never )
16678 xml.writeAttribute( "time", "" );
16679 else
16680 xml.writeAttribute( "time", suiteTime );
16681 xml.writeAttribute( "timestamp", getCurrentTimestamp() );
16682
16683 // Write properties if there are any
16684 if (m_config->hasTestFilters() || m_config->rngSeed() != 0) {
16685 auto properties = xml.scopedElement("properties");
16686 if (m_config->hasTestFilters()) {
16687 xml.scopedElement("property")
16688 .writeAttribute("name", "filters")
16689 .writeAttribute("value", serializeFilters(m_config->getTestsOrTags()));
16690 }
16691 if (m_config->rngSeed() != 0) {
16692 xml.scopedElement("property")
16693 .writeAttribute("name", "random-seed")
16694 .writeAttribute("value", m_config->rngSeed());
16695 }
16696 }
16697
16698 // Write test cases
16699 for( auto const& child : groupNode.children )
16700 writeTestCase( *child );
16701
16702 xml.scopedElement( "system-out" ).writeText( trim( stdOutForSuite ), XmlFormatting::Newline );
16703 xml.scopedElement( "system-err" ).writeText( trim( stdErrForSuite ), XmlFormatting::Newline );
16704 }
16705
16706 void JunitReporter::writeTestCase( TestCaseNode const& testCaseNode ) {
16707 TestCaseStats const& stats = testCaseNode.value;
16708
16709 // All test cases have exactly one section - which represents the
16710 // test case itself. That section may have 0-n nested sections
16711 assert( testCaseNode.children.size() == 1 );
16712 SectionNode const& rootSection = *testCaseNode.children.front();
16713
16714 std::string className = stats.testInfo.className;
16715
16716 if( className.empty() ) {
16717 className = fileNameTag(stats.testInfo.tags);
16718 if ( className.empty() )
16719 className = "global";
16720 }
16721
16722 if ( !m_config->name().empty() )
16723 className = m_config->name() + "." + className;
16724
16725 writeSection( className, "", rootSection );
16726 }
16727
16728 void JunitReporter::writeSection( std::string const& className,
16729 std::string const& rootName,
16730 SectionNode const& sectionNode ) {
16731 std::string name = trim( sectionNode.stats.sectionInfo.name );
16732 if( !rootName.empty() )
16733 name = rootName + '/' + name;
16734
16735 if( !sectionNode.assertions.empty() ||
16736 !sectionNode.stdOut.empty() ||
16737 !sectionNode.stdErr.empty() ) {
16738 XmlWriter::ScopedElement e = xml.scopedElement( "testcase" );
16739 if( className.empty() ) {
16740 xml.writeAttribute( "classname", name );
16741 xml.writeAttribute( "name", "root" );
16742 }
16743 else {
16744 xml.writeAttribute( "classname", className );
16745 xml.writeAttribute( "name", name );
16746 }
16747 xml.writeAttribute( "time", ::Catch::Detail::stringify( sectionNode.stats.durationInSeconds ) );
16748 // This is not ideal, but it should be enough to mimic gtest's
16749 // junit output.
16750 // Ideally the JUnit reporter would also handle `skipTest`
16751 // events and write those out appropriately.
16752 xml.writeAttribute( "status", "run" );
16753
16754 writeAssertions( sectionNode );
16755
16756 if( !sectionNode.stdOut.empty() )
16757 xml.scopedElement( "system-out" ).writeText( trim( sectionNode.stdOut ), XmlFormatting::Newline );
16758 if( !sectionNode.stdErr.empty() )
16759 xml.scopedElement( "system-err" ).writeText( trim( sectionNode.stdErr ), XmlFormatting::Newline );
16760 }
16761 for( auto const& childNode : sectionNode.childSections )
16762 if( className.empty() )
16763 writeSection( name, "", *childNode );
16764 else
16765 writeSection( className, name, *childNode );
16766 }
16767
16768 void JunitReporter::writeAssertions( SectionNode const& sectionNode ) {
16769 for( auto const& assertion : sectionNode.assertions )
16770 writeAssertion( assertion );
16771 }
16772
16773 void JunitReporter::writeAssertion( AssertionStats const& stats ) {
16774 AssertionResult const& result = stats.assertionResult;
16775 if( !result.isOk() ) {
16776 std::string elementName;
16777 switch( result.getResultType() ) {
16778 case ResultWas::ThrewException:
16779 case ResultWas::FatalErrorCondition:
16780 elementName = "error";
16781 break;
16782 case ResultWas::ExplicitFailure:
16783 case ResultWas::ExpressionFailed:
16784 case ResultWas::DidntThrowException:
16785 elementName = "failure";
16786 break;
16787
16788 // We should never see these here:
16789 case ResultWas::Info:
16790 case ResultWas::Warning:
16791 case ResultWas::Ok:
16792 case ResultWas::Unknown:
16793 case ResultWas::FailureBit:
16794 case ResultWas::Exception:
16795 elementName = "internalError";
16796 break;
16797 }
16798
16799 XmlWriter::ScopedElement e = xml.scopedElement( elementName );
16800
16801 xml.writeAttribute( "message", result.getExpression() );
16802 xml.writeAttribute( "type", result.getTestMacroName() );
16803
16804 ReusableStringStream rss;
16805 if (stats.totals.assertions.total() > 0) {
16806 rss << "FAILED" << ":\n";
16807 if (result.hasExpression()) {
16808 rss << " ";
16809 rss << result.getExpressionInMacro();
16810 rss << '\n';
16811 }
16812 if (result.hasExpandedExpression()) {
16813 rss << "with expansion:\n";
16814 rss << Column(result.getExpandedExpression()).indent(2) << '\n';
16815 }
16816 } else {
16817 rss << '\n';
16818 }
16819
16820 if( !result.getMessage().empty() )
16821 rss << result.getMessage() << '\n';
16822 for( auto const& msg : stats.infoMessages )
16823 if( msg.type == ResultWas::Info )
16824 rss << msg.message << '\n';
16825
16826 rss << "at " << result.getSourceInfo();
16827 xml.writeText( rss.str(), XmlFormatting::Newline );
16828 }
16829 }
16830
16831 CATCH_REGISTER_REPORTER( "junit", JunitReporter )
16832
16833} // end namespace Catch
16834// end catch_reporter_junit.cpp
16835// start catch_reporter_listening.cpp
16836
16837#include <cassert>
16838
16839namespace Catch {
16840
16841 ListeningReporter::ListeningReporter() {
16842 // We will assume that listeners will always want all assertions
16843 m_preferences.shouldReportAllAssertions = true;
16844 }
16845
16846 void ListeningReporter::addListener( IStreamingReporterPtr&& listener ) {
16847 m_listeners.push_back( std::move( listener ) );
16848 }
16849
16850 void ListeningReporter::addReporter(IStreamingReporterPtr&& reporter) {
16851 assert(!m_reporter && "Listening reporter can wrap only 1 real reporter");
16852 m_reporter = std::move( reporter );
16853 m_preferences.shouldRedirectStdOut = m_reporter->getPreferences().shouldRedirectStdOut;
16854 }
16855
16856 ReporterPreferences ListeningReporter::getPreferences() const {
16857 return m_preferences;
16858 }
16859
16860 std::set<Verbosity> ListeningReporter::getSupportedVerbosities() {
16861 return std::set<Verbosity>{ };
16862 }
16863
16864 void ListeningReporter::noMatchingTestCases( std::string const& spec ) {
16865 for ( auto const& listener : m_listeners ) {
16866 listener->noMatchingTestCases( spec );
16867 }
16868 m_reporter->noMatchingTestCases( spec );
16869 }
16870
16871 void ListeningReporter::reportInvalidArguments(std::string const&arg){
16872 for ( auto const& listener : m_listeners ) {
16873 listener->reportInvalidArguments( arg );
16874 }
16875 m_reporter->reportInvalidArguments( arg );
16876 }
16877
16878#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
16879 void ListeningReporter::benchmarkPreparing( std::string const& name ) {
16880 for (auto const& listener : m_listeners) {
16881 listener->benchmarkPreparing(name);
16882 }
16883 m_reporter->benchmarkPreparing(name);
16884 }
16885 void ListeningReporter::benchmarkStarting( BenchmarkInfo const& benchmarkInfo ) {
16886 for ( auto const& listener : m_listeners ) {
16887 listener->benchmarkStarting( benchmarkInfo );
16888 }
16889 m_reporter->benchmarkStarting( benchmarkInfo );
16890 }
16891 void ListeningReporter::benchmarkEnded( BenchmarkStats<> const& benchmarkStats ) {
16892 for ( auto const& listener : m_listeners ) {
16893 listener->benchmarkEnded( benchmarkStats );
16894 }
16895 m_reporter->benchmarkEnded( benchmarkStats );
16896 }
16897
16898 void ListeningReporter::benchmarkFailed( std::string const& error ) {
16899 for (auto const& listener : m_listeners) {
16900 listener->benchmarkFailed(error);
16901 }
16902 m_reporter->benchmarkFailed(error);
16903 }
16904#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
16905
16906 void ListeningReporter::testRunStarting( TestRunInfo const& testRunInfo ) {
16907 for ( auto const& listener : m_listeners ) {
16908 listener->testRunStarting( testRunInfo );
16909 }
16910 m_reporter->testRunStarting( testRunInfo );
16911 }
16912
16913 void ListeningReporter::testGroupStarting( GroupInfo const& groupInfo ) {
16914 for ( auto const& listener : m_listeners ) {
16915 listener->testGroupStarting( groupInfo );
16916 }
16917 m_reporter->testGroupStarting( groupInfo );
16918 }
16919
16920 void ListeningReporter::testCaseStarting( TestCaseInfo const& testInfo ) {
16921 for ( auto const& listener : m_listeners ) {
16922 listener->testCaseStarting( testInfo );
16923 }
16924 m_reporter->testCaseStarting( testInfo );
16925 }
16926
16927 void ListeningReporter::sectionStarting( SectionInfo const& sectionInfo ) {
16928 for ( auto const& listener : m_listeners ) {
16929 listener->sectionStarting( sectionInfo );
16930 }
16931 m_reporter->sectionStarting( sectionInfo );
16932 }
16933
16934 void ListeningReporter::assertionStarting( AssertionInfo const& assertionInfo ) {
16935 for ( auto const& listener : m_listeners ) {
16936 listener->assertionStarting( assertionInfo );
16937 }
16938 m_reporter->assertionStarting( assertionInfo );
16939 }
16940
16941 // The return value indicates if the messages buffer should be cleared:
16942 bool ListeningReporter::assertionEnded( AssertionStats const& assertionStats ) {
16943 for( auto const& listener : m_listeners ) {
16944 static_cast<void>( listener->assertionEnded( assertionStats ) );
16945 }
16946 return m_reporter->assertionEnded( assertionStats );
16947 }
16948
16949 void ListeningReporter::sectionEnded( SectionStats const& sectionStats ) {
16950 for ( auto const& listener : m_listeners ) {
16951 listener->sectionEnded( sectionStats );
16952 }
16953 m_reporter->sectionEnded( sectionStats );
16954 }
16955
16956 void ListeningReporter::testCaseEnded( TestCaseStats const& testCaseStats ) {
16957 for ( auto const& listener : m_listeners ) {
16958 listener->testCaseEnded( testCaseStats );
16959 }
16960 m_reporter->testCaseEnded( testCaseStats );
16961 }
16962
16963 void ListeningReporter::testGroupEnded( TestGroupStats const& testGroupStats ) {
16964 for ( auto const& listener : m_listeners ) {
16965 listener->testGroupEnded( testGroupStats );
16966 }
16967 m_reporter->testGroupEnded( testGroupStats );
16968 }
16969
16970 void ListeningReporter::testRunEnded( TestRunStats const& testRunStats ) {
16971 for ( auto const& listener : m_listeners ) {
16972 listener->testRunEnded( testRunStats );
16973 }
16974 m_reporter->testRunEnded( testRunStats );
16975 }
16976
16977 void ListeningReporter::skipTest( TestCaseInfo const& testInfo ) {
16978 for ( auto const& listener : m_listeners ) {
16979 listener->skipTest( testInfo );
16980 }
16981 m_reporter->skipTest( testInfo );
16982 }
16983
16984 bool ListeningReporter::isMulti() const {
16985 return true;
16986 }
16987
16988} // end namespace Catch
16989// end catch_reporter_listening.cpp
16990// start catch_reporter_xml.cpp
16991
16992#if defined(_MSC_VER)
16993#pragma warning(push)
16994#pragma warning(disable:4061) // Not all labels are EXPLICITLY handled in switch
16995 // Note that 4062 (not all labels are handled
16996 // and default is missing) is enabled
16997#endif
16998
16999namespace Catch {
17000 XmlReporter::XmlReporter( ReporterConfig const& _config )
17001 : StreamingReporterBase( _config ),
17002 m_xml(_config.stream())
17003 {
17004 m_reporterPrefs.shouldRedirectStdOut = true;
17005 m_reporterPrefs.shouldReportAllAssertions = true;
17006 }
17007
17008 XmlReporter::~XmlReporter() = default;
17009
17010 std::string XmlReporter::getDescription() {
17011 return "Reports test results as an XML document";
17012 }
17013
17014 std::string XmlReporter::getStylesheetRef() const {
17015 return std::string();
17016 }
17017
17018 void XmlReporter::writeSourceInfo( SourceLineInfo const& sourceInfo ) {
17019 m_xml
17020 .writeAttribute( "filename", sourceInfo.file )
17021 .writeAttribute( "line", sourceInfo.line );
17022 }
17023
17024 void XmlReporter::noMatchingTestCases( std::string const& s ) {
17025 StreamingReporterBase::noMatchingTestCases( s );
17026 }
17027
17028 void XmlReporter::testRunStarting( TestRunInfo const& testInfo ) {
17029 StreamingReporterBase::testRunStarting( testInfo );
17030 std::string stylesheetRef = getStylesheetRef();
17031 if( !stylesheetRef.empty() )
17032 m_xml.writeStylesheetRef( stylesheetRef );
17033 m_xml.startElement( "Catch" );
17034 if( !m_config->name().empty() )
17035 m_xml.writeAttribute( "name", m_config->name() );
17036 if (m_config->testSpec().hasFilters())
17037 m_xml.writeAttribute( "filters", serializeFilters( m_config->getTestsOrTags() ) );
17038 if( m_config->rngSeed() != 0 )
17039 m_xml.scopedElement( "Randomness" )
17040 .writeAttribute( "seed", m_config->rngSeed() );
17041 }
17042
17043 void XmlReporter::testGroupStarting( GroupInfo const& groupInfo ) {
17044 StreamingReporterBase::testGroupStarting( groupInfo );
17045 m_xml.startElement( "Group" )
17046 .writeAttribute( "name", groupInfo.name );
17047 }
17048
17049 void XmlReporter::testCaseStarting( TestCaseInfo const& testInfo ) {
17050 StreamingReporterBase::testCaseStarting(testInfo);
17051 m_xml.startElement( "TestCase" )
17052 .writeAttribute( "name", trim( testInfo.name ) )
17053 .writeAttribute( "description", testInfo.description )
17054 .writeAttribute( "tags", testInfo.tagsAsString() );
17055
17056 writeSourceInfo( testInfo.lineInfo );
17057
17058 if ( m_config->showDurations() == ShowDurations::Always )
17059 m_testCaseTimer.start();
17060 m_xml.ensureTagClosed();
17061 }
17062
17063 void XmlReporter::sectionStarting( SectionInfo const& sectionInfo ) {
17064 StreamingReporterBase::sectionStarting( sectionInfo );
17065 if( m_sectionDepth++ > 0 ) {
17066 m_xml.startElement( "Section" )
17067 .writeAttribute( "name", trim( sectionInfo.name ) );
17068 writeSourceInfo( sectionInfo.lineInfo );
17069 m_xml.ensureTagClosed();
17070 }
17071 }
17072
17073 void XmlReporter::assertionStarting( AssertionInfo const& ) { }
17074
17075 bool XmlReporter::assertionEnded( AssertionStats const& assertionStats ) {
17076
17077 AssertionResult const& result = assertionStats.assertionResult;
17078
17079 bool includeResults = m_config->includeSuccessfulResults() || !result.isOk();
17080
17081 if( includeResults || result.getResultType() == ResultWas::Warning ) {
17082 // Print any info messages in <Info> tags.
17083 for( auto const& msg : assertionStats.infoMessages ) {
17084 if( msg.type == ResultWas::Info && includeResults ) {
17085 m_xml.scopedElement( "Info" )
17086 .writeText( msg.message );
17087 } else if ( msg.type == ResultWas::Warning ) {
17088 m_xml.scopedElement( "Warning" )
17089 .writeText( msg.message );
17090 }
17091 }
17092 }
17093
17094 // Drop out if result was successful but we're not printing them.
17095 if( !includeResults && result.getResultType() != ResultWas::Warning )
17096 return true;
17097
17098 // Print the expression if there is one.
17099 if( result.hasExpression() ) {
17100 m_xml.startElement( "Expression" )
17101 .writeAttribute( "success", result.succeeded() )
17102 .writeAttribute( "type", result.getTestMacroName() );
17103
17104 writeSourceInfo( result.getSourceInfo() );
17105
17106 m_xml.scopedElement( "Original" )
17107 .writeText( result.getExpression() );
17108 m_xml.scopedElement( "Expanded" )
17109 .writeText( result.getExpandedExpression() );
17110 }
17111
17112 // And... Print a result applicable to each result type.
17113 switch( result.getResultType() ) {
17114 case ResultWas::ThrewException:
17115 m_xml.startElement( "Exception" );
17116 writeSourceInfo( result.getSourceInfo() );
17117 m_xml.writeText( result.getMessage() );
17118 m_xml.endElement();
17119 break;
17120 case ResultWas::FatalErrorCondition:
17121 m_xml.startElement( "FatalErrorCondition" );
17122 writeSourceInfo( result.getSourceInfo() );
17123 m_xml.writeText( result.getMessage() );
17124 m_xml.endElement();
17125 break;
17126 case ResultWas::Info:
17127 m_xml.scopedElement( "Info" )
17128 .writeText( result.getMessage() );
17129 break;
17130 case ResultWas::Warning:
17131 // Warning will already have been written
17132 break;
17133 case ResultWas::ExplicitFailure:
17134 m_xml.startElement( "Failure" );
17135 writeSourceInfo( result.getSourceInfo() );
17136 m_xml.writeText( result.getMessage() );
17137 m_xml.endElement();
17138 break;
17139 default:
17140 break;
17141 }
17142
17143 if( result.hasExpression() )
17144 m_xml.endElement();
17145
17146 return true;
17147 }
17148
17149 void XmlReporter::sectionEnded( SectionStats const& sectionStats ) {
17150 StreamingReporterBase::sectionEnded( sectionStats );
17151 if( --m_sectionDepth > 0 ) {
17152 XmlWriter::ScopedElement e = m_xml.scopedElement( "OverallResults" );
17153 e.writeAttribute( "successes", sectionStats.assertions.passed );
17154 e.writeAttribute( "failures", sectionStats.assertions.failed );
17155 e.writeAttribute( "expectedFailures", sectionStats.assertions.failedButOk );
17156
17157 if ( m_config->showDurations() == ShowDurations::Always )
17158 e.writeAttribute( "durationInSeconds", sectionStats.durationInSeconds );
17159
17160 m_xml.endElement();
17161 }
17162 }
17163
17164 void XmlReporter::testCaseEnded( TestCaseStats const& testCaseStats ) {
17165 StreamingReporterBase::testCaseEnded( testCaseStats );
17166 XmlWriter::ScopedElement e = m_xml.scopedElement( "OverallResult" );
17167 e.writeAttribute( "success", testCaseStats.totals.assertions.allOk() );
17168
17169 if ( m_config->showDurations() == ShowDurations::Always )
17170 e.writeAttribute( "durationInSeconds", m_testCaseTimer.getElapsedSeconds() );
17171
17172 if( !testCaseStats.stdOut.empty() )
17173 m_xml.scopedElement( "StdOut" ).writeText( trim( testCaseStats.stdOut ), XmlFormatting::Newline );
17174 if( !testCaseStats.stdErr.empty() )
17175 m_xml.scopedElement( "StdErr" ).writeText( trim( testCaseStats.stdErr ), XmlFormatting::Newline );
17176
17177 m_xml.endElement();
17178 }
17179
17180 void XmlReporter::testGroupEnded( TestGroupStats const& testGroupStats ) {
17181 StreamingReporterBase::testGroupEnded( testGroupStats );
17182 // TODO: Check testGroupStats.aborting and act accordingly.
17183 m_xml.scopedElement( "OverallResults" )
17184 .writeAttribute( "successes", testGroupStats.totals.assertions.passed )
17185 .writeAttribute( "failures", testGroupStats.totals.assertions.failed )
17186 .writeAttribute( "expectedFailures", testGroupStats.totals.assertions.failedButOk );
17187 m_xml.endElement();
17188 }
17189
17190 void XmlReporter::testRunEnded( TestRunStats const& testRunStats ) {
17191 StreamingReporterBase::testRunEnded( testRunStats );
17192 m_xml.scopedElement( "OverallResults" )
17193 .writeAttribute( "successes", testRunStats.totals.assertions.passed )
17194 .writeAttribute( "failures", testRunStats.totals.assertions.failed )
17195 .writeAttribute( "expectedFailures", testRunStats.totals.assertions.failedButOk );
17196 m_xml.endElement();
17197 }
17198
17199#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
17200 void XmlReporter::benchmarkPreparing(std::string const& name) {
17201 m_xml.startElement("BenchmarkResults")
17202 .writeAttribute("name", name);
17203 }
17204
17205 void XmlReporter::benchmarkStarting(BenchmarkInfo const &info) {
17206 m_xml.writeAttribute("samples", info.samples)
17207 .writeAttribute("resamples", info.resamples)
17208 .writeAttribute("iterations", info.iterations)
17209 .writeAttribute("clockResolution", info.clockResolution)
17210 .writeAttribute("estimatedDuration", info.estimatedDuration)
17211 .writeComment("All values in nano seconds");
17212 }
17213
17214 void XmlReporter::benchmarkEnded(BenchmarkStats<> const& benchmarkStats) {
17215 m_xml.startElement("mean")
17216 .writeAttribute("value", benchmarkStats.mean.point.count())
17217 .writeAttribute("lowerBound", benchmarkStats.mean.lower_bound.count())
17218 .writeAttribute("upperBound", benchmarkStats.mean.upper_bound.count())
17219 .writeAttribute("ci", benchmarkStats.mean.confidence_interval);
17220 m_xml.endElement();
17221 m_xml.startElement("standardDeviation")
17222 .writeAttribute("value", benchmarkStats.standardDeviation.point.count())
17223 .writeAttribute("lowerBound", benchmarkStats.standardDeviation.lower_bound.count())
17224 .writeAttribute("upperBound", benchmarkStats.standardDeviation.upper_bound.count())
17225 .writeAttribute("ci", benchmarkStats.standardDeviation.confidence_interval);
17226 m_xml.endElement();
17227 m_xml.startElement("outliers")
17228 .writeAttribute("variance", benchmarkStats.outlierVariance)
17229 .writeAttribute("lowMild", benchmarkStats.outliers.low_mild)
17230 .writeAttribute("lowSevere", benchmarkStats.outliers.low_severe)
17231 .writeAttribute("highMild", benchmarkStats.outliers.high_mild)
17232 .writeAttribute("highSevere", benchmarkStats.outliers.high_severe);
17233 m_xml.endElement();
17234 m_xml.endElement();
17235 }
17236
17237 void XmlReporter::benchmarkFailed(std::string const &error) {
17238 m_xml.scopedElement("failed").
17239 writeAttribute("message", error);
17240 m_xml.endElement();
17241 }
17242#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
17243
17244 CATCH_REGISTER_REPORTER( "xml", XmlReporter )
17245
17246} // end namespace Catch
17247
17248#if defined(_MSC_VER)
17249#pragma warning(pop)
17250#endif
17251// end catch_reporter_xml.cpp
17252
17253namespace Catch {
17254 LeakDetector leakDetector;
17255}
17256
17257#ifdef __clang__
17258#pragma clang diagnostic pop
17259#endif
17260
17261// end catch_impl.hpp
17262#endif
17263
17264#ifdef CATCH_CONFIG_MAIN
17265// start catch_default_main.hpp
17266
17267#ifndef __OBJC__
17268
17269#if defined(CATCH_CONFIG_WCHAR) && defined(CATCH_PLATFORM_WINDOWS) && defined(_UNICODE) && !defined(DO_NOT_USE_WMAIN)
17270// Standard C/C++ Win32 Unicode wmain entry point
17271extern "C" int wmain (int argc, wchar_t * argv[], wchar_t * []) {
17272#else
17273// Standard C/C++ main entry point
17274int main (int argc, char * argv[]) {
17275#endif
17276
17277 return Catch::Session().run( argc, argv );
17278}
17279
17280#else // __OBJC__
17281
17282// Objective-C entry point
17283int main (int argc, char * const argv[]) {
17284#if !CATCH_ARC_ENABLED
17285 NSAutoreleasePool * pool = [[NSAutoreleasePool alloc] init];
17286#endif
17287
17288 Catch::registerTestMethods();
17289 int result = Catch::Session().run( argc, (char**)argv );
17290
17291#if !CATCH_ARC_ENABLED
17292 [pool drain];
17293#endif
17294
17295 return result;
17296}
17297
17298#endif // __OBJC__
17299
17300// end catch_default_main.hpp
17301#endif
17302
17303#if !defined(CATCH_CONFIG_IMPL_ONLY)
17304
17305#ifdef CLARA_CONFIG_MAIN_NOT_DEFINED
17306# undef CLARA_CONFIG_MAIN
17307#endif
17308
17309#if !defined(CATCH_CONFIG_DISABLE)
17311// If this config identifier is defined then all CATCH macros are prefixed with CATCH_
17312#ifdef CATCH_CONFIG_PREFIX_ALL
17313
17314#define CATCH_REQUIRE( ... ) INTERNAL_CATCH_TEST( "CATCH_REQUIRE", Catch::ResultDisposition::Normal, __VA_ARGS__ )
17315#define CATCH_REQUIRE_FALSE( ... ) INTERNAL_CATCH_TEST( "CATCH_REQUIRE_FALSE", Catch::ResultDisposition::Normal | Catch::ResultDisposition::FalseTest, __VA_ARGS__ )
17316
17317#define CATCH_REQUIRE_THROWS( ... ) INTERNAL_CATCH_THROWS( "CATCH_REQUIRE_THROWS", Catch::ResultDisposition::Normal, __VA_ARGS__ )
17318#define CATCH_REQUIRE_THROWS_AS( expr, exceptionType ) INTERNAL_CATCH_THROWS_AS( "CATCH_REQUIRE_THROWS_AS", exceptionType, Catch::ResultDisposition::Normal, expr )
17319#define CATCH_REQUIRE_THROWS_WITH( expr, matcher ) INTERNAL_CATCH_THROWS_STR_MATCHES( "CATCH_REQUIRE_THROWS_WITH", Catch::ResultDisposition::Normal, matcher, expr )
17320#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17321#define CATCH_REQUIRE_THROWS_MATCHES( expr, exceptionType, matcher ) INTERNAL_CATCH_THROWS_MATCHES( "CATCH_REQUIRE_THROWS_MATCHES", exceptionType, Catch::ResultDisposition::Normal, matcher, expr )
17322#endif// CATCH_CONFIG_DISABLE_MATCHERS
17323#define CATCH_REQUIRE_NOTHROW( ... ) INTERNAL_CATCH_NO_THROW( "CATCH_REQUIRE_NOTHROW", Catch::ResultDisposition::Normal, __VA_ARGS__ )
17324
17325#define CATCH_CHECK( ... ) INTERNAL_CATCH_TEST( "CATCH_CHECK", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17326#define CATCH_CHECK_FALSE( ... ) INTERNAL_CATCH_TEST( "CATCH_CHECK_FALSE", Catch::ResultDisposition::ContinueOnFailure | Catch::ResultDisposition::FalseTest, __VA_ARGS__ )
17327#define CATCH_CHECKED_IF( ... ) INTERNAL_CATCH_IF( "CATCH_CHECKED_IF", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17328#define CATCH_CHECKED_ELSE( ... ) INTERNAL_CATCH_ELSE( "CATCH_CHECKED_ELSE", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17329#define CATCH_CHECK_NOFAIL( ... ) INTERNAL_CATCH_TEST( "CATCH_CHECK_NOFAIL", Catch::ResultDisposition::ContinueOnFailure | Catch::ResultDisposition::SuppressFail, __VA_ARGS__ )
17330
17331#define CATCH_CHECK_THROWS( ... ) INTERNAL_CATCH_THROWS( "CATCH_CHECK_THROWS", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17332#define CATCH_CHECK_THROWS_AS( expr, exceptionType ) INTERNAL_CATCH_THROWS_AS( "CATCH_CHECK_THROWS_AS", exceptionType, Catch::ResultDisposition::ContinueOnFailure, expr )
17333#define CATCH_CHECK_THROWS_WITH( expr, matcher ) INTERNAL_CATCH_THROWS_STR_MATCHES( "CATCH_CHECK_THROWS_WITH", Catch::ResultDisposition::ContinueOnFailure, matcher, expr )
17334#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17335#define CATCH_CHECK_THROWS_MATCHES( expr, exceptionType, matcher ) INTERNAL_CATCH_THROWS_MATCHES( "CATCH_CHECK_THROWS_MATCHES", exceptionType, Catch::ResultDisposition::ContinueOnFailure, matcher, expr )
17336#endif // CATCH_CONFIG_DISABLE_MATCHERS
17337#define CATCH_CHECK_NOTHROW( ... ) INTERNAL_CATCH_NO_THROW( "CATCH_CHECK_NOTHROW", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17338
17339#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17340#define CATCH_CHECK_THAT( arg, matcher ) INTERNAL_CHECK_THAT( "CATCH_CHECK_THAT", matcher, Catch::ResultDisposition::ContinueOnFailure, arg )
17341
17342#define CATCH_REQUIRE_THAT( arg, matcher ) INTERNAL_CHECK_THAT( "CATCH_REQUIRE_THAT", matcher, Catch::ResultDisposition::Normal, arg )
17343#endif // CATCH_CONFIG_DISABLE_MATCHERS
17344
17345#define CATCH_INFO( msg ) INTERNAL_CATCH_INFO( "CATCH_INFO", msg )
17346#define CATCH_UNSCOPED_INFO( msg ) INTERNAL_CATCH_UNSCOPED_INFO( "CATCH_UNSCOPED_INFO", msg )
17347#define CATCH_WARN( msg ) INTERNAL_CATCH_MSG( "CATCH_WARN", Catch::ResultWas::Warning, Catch::ResultDisposition::ContinueOnFailure, msg )
17348#define CATCH_CAPTURE( ... ) INTERNAL_CATCH_CAPTURE( INTERNAL_CATCH_UNIQUE_NAME(capturer), "CATCH_CAPTURE",__VA_ARGS__ )
17349
17350#define CATCH_TEST_CASE( ... ) INTERNAL_CATCH_TESTCASE( __VA_ARGS__ )
17351#define CATCH_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TEST_CASE_METHOD( className, __VA_ARGS__ )
17352#define CATCH_METHOD_AS_TEST_CASE( method, ... ) INTERNAL_CATCH_METHOD_AS_TEST_CASE( method, __VA_ARGS__ )
17353#define CATCH_REGISTER_TEST_CASE( Function, ... ) INTERNAL_CATCH_REGISTER_TESTCASE( Function, __VA_ARGS__ )
17354#define CATCH_SECTION( ... ) INTERNAL_CATCH_SECTION( __VA_ARGS__ )
17355#define CATCH_DYNAMIC_SECTION( ... ) INTERNAL_CATCH_DYNAMIC_SECTION( __VA_ARGS__ )
17356#define CATCH_FAIL( ... ) INTERNAL_CATCH_MSG( "CATCH_FAIL", Catch::ResultWas::ExplicitFailure, Catch::ResultDisposition::Normal, __VA_ARGS__ )
17357#define CATCH_FAIL_CHECK( ... ) INTERNAL_CATCH_MSG( "CATCH_FAIL_CHECK", Catch::ResultWas::ExplicitFailure, Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17358#define CATCH_SUCCEED( ... ) INTERNAL_CATCH_MSG( "CATCH_SUCCEED", Catch::ResultWas::Ok, Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17359
17360#define CATCH_ANON_TEST_CASE() INTERNAL_CATCH_TESTCASE()
17361
17362#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
17363#define CATCH_TEMPLATE_TEST_CASE( ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE( __VA_ARGS__ )
17364#define CATCH_TEMPLATE_TEST_CASE_SIG( ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG( __VA_ARGS__ )
17365#define CATCH_TEMPLATE_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17366#define CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( className, __VA_ARGS__ )
17367#define CATCH_TEMPLATE_PRODUCT_TEST_CASE( ... ) INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE( __VA_ARGS__ )
17368#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG( ... ) INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG( __VA_ARGS__ )
17369#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, __VA_ARGS__ )
17370#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, __VA_ARGS__ )
17371#else
17372#define CATCH_TEMPLATE_TEST_CASE( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE( __VA_ARGS__ ) )
17373#define CATCH_TEMPLATE_TEST_CASE_SIG( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG( __VA_ARGS__ ) )
17374#define CATCH_TEMPLATE_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ ) )
17375#define CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( className, __VA_ARGS__ ) )
17376#define CATCH_TEMPLATE_PRODUCT_TEST_CASE( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE( __VA_ARGS__ ) )
17377#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG( __VA_ARGS__ ) )
17378#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, __VA_ARGS__ ) )
17379#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, __VA_ARGS__ ) )
17380#endif
17381
17382#if !defined(CATCH_CONFIG_RUNTIME_STATIC_REQUIRE)
17383#define CATCH_STATIC_REQUIRE( ... ) static_assert( __VA_ARGS__ , #__VA_ARGS__ ); CATCH_SUCCEED( #__VA_ARGS__ )
17384#define CATCH_STATIC_REQUIRE_FALSE( ... ) static_assert( !(__VA_ARGS__), "!(" #__VA_ARGS__ ")" ); CATCH_SUCCEED( #__VA_ARGS__ )
17385#else
17386#define CATCH_STATIC_REQUIRE( ... ) CATCH_REQUIRE( __VA_ARGS__ )
17387#define CATCH_STATIC_REQUIRE_FALSE( ... ) CATCH_REQUIRE_FALSE( __VA_ARGS__ )
17388#endif
17389
17390// "BDD-style" convenience wrappers
17391#define CATCH_SCENARIO( ... ) CATCH_TEST_CASE( "Scenario: " __VA_ARGS__ )
17392#define CATCH_SCENARIO_METHOD( className, ... ) INTERNAL_CATCH_TEST_CASE_METHOD( className, "Scenario: " __VA_ARGS__ )
17393#define CATCH_GIVEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " Given: " << desc )
17394#define CATCH_AND_GIVEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( "And given: " << desc )
17395#define CATCH_WHEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " When: " << desc )
17396#define CATCH_AND_WHEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " And when: " << desc )
17397#define CATCH_THEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " Then: " << desc )
17398#define CATCH_AND_THEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " And: " << desc )
17399
17400#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
17401#define CATCH_BENCHMARK(...) \
17402 INTERNAL_CATCH_BENCHMARK(INTERNAL_CATCH_UNIQUE_NAME(____C_A_T_C_H____B_E_N_C_H____), INTERNAL_CATCH_GET_1_ARG(__VA_ARGS__,,), INTERNAL_CATCH_GET_2_ARG(__VA_ARGS__,,))
17403#define CATCH_BENCHMARK_ADVANCED(name) \
17404 INTERNAL_CATCH_BENCHMARK_ADVANCED(INTERNAL_CATCH_UNIQUE_NAME(____C_A_T_C_H____B_E_N_C_H____), name)
17405#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
17406
17407// If CATCH_CONFIG_PREFIX_ALL is not defined then the CATCH_ prefix is not required
17408#else
17409
17410#define REQUIRE( ... ) INTERNAL_CATCH_TEST( "REQUIRE", Catch::ResultDisposition::Normal, __VA_ARGS__ )
17411#define REQUIRE_FALSE( ... ) INTERNAL_CATCH_TEST( "REQUIRE_FALSE", Catch::ResultDisposition::Normal | Catch::ResultDisposition::FalseTest, __VA_ARGS__ )
17412
17413#define REQUIRE_THROWS( ... ) INTERNAL_CATCH_THROWS( "REQUIRE_THROWS", Catch::ResultDisposition::Normal, __VA_ARGS__ )
17414#define REQUIRE_THROWS_AS( expr, exceptionType ) INTERNAL_CATCH_THROWS_AS( "REQUIRE_THROWS_AS", exceptionType, Catch::ResultDisposition::Normal, expr )
17415#define REQUIRE_THROWS_WITH( expr, matcher ) INTERNAL_CATCH_THROWS_STR_MATCHES( "REQUIRE_THROWS_WITH", Catch::ResultDisposition::Normal, matcher, expr )
17416#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17417#define REQUIRE_THROWS_MATCHES( expr, exceptionType, matcher ) INTERNAL_CATCH_THROWS_MATCHES( "REQUIRE_THROWS_MATCHES", exceptionType, Catch::ResultDisposition::Normal, matcher, expr )
17418#endif // CATCH_CONFIG_DISABLE_MATCHERS
17419#define REQUIRE_NOTHROW( ... ) INTERNAL_CATCH_NO_THROW( "REQUIRE_NOTHROW", Catch::ResultDisposition::Normal, __VA_ARGS__ )
17420
17421#define CHECK( ... ) INTERNAL_CATCH_TEST( "CHECK", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17422#define CHECK_FALSE( ... ) INTERNAL_CATCH_TEST( "CHECK_FALSE", Catch::ResultDisposition::ContinueOnFailure | Catch::ResultDisposition::FalseTest, __VA_ARGS__ )
17423#define CHECKED_IF( ... ) INTERNAL_CATCH_IF( "CHECKED_IF", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17424#define CHECKED_ELSE( ... ) INTERNAL_CATCH_ELSE( "CHECKED_ELSE", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17425#define CHECK_NOFAIL( ... ) INTERNAL_CATCH_TEST( "CHECK_NOFAIL", Catch::ResultDisposition::ContinueOnFailure | Catch::ResultDisposition::SuppressFail, __VA_ARGS__ )
17426
17427#define CHECK_THROWS( ... ) INTERNAL_CATCH_THROWS( "CHECK_THROWS", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17428#define CHECK_THROWS_AS( expr, exceptionType ) INTERNAL_CATCH_THROWS_AS( "CHECK_THROWS_AS", exceptionType, Catch::ResultDisposition::ContinueOnFailure, expr )
17429#define CHECK_THROWS_WITH( expr, matcher ) INTERNAL_CATCH_THROWS_STR_MATCHES( "CHECK_THROWS_WITH", Catch::ResultDisposition::ContinueOnFailure, matcher, expr )
17430#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17431#define CHECK_THROWS_MATCHES( expr, exceptionType, matcher ) INTERNAL_CATCH_THROWS_MATCHES( "CHECK_THROWS_MATCHES", exceptionType, Catch::ResultDisposition::ContinueOnFailure, matcher, expr )
17432#endif // CATCH_CONFIG_DISABLE_MATCHERS
17433#define CHECK_NOTHROW( ... ) INTERNAL_CATCH_NO_THROW( "CHECK_NOTHROW", Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17434
17435#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17436#define CHECK_THAT( arg, matcher ) INTERNAL_CHECK_THAT( "CHECK_THAT", matcher, Catch::ResultDisposition::ContinueOnFailure, arg )
17437
17438#define REQUIRE_THAT( arg, matcher ) INTERNAL_CHECK_THAT( "REQUIRE_THAT", matcher, Catch::ResultDisposition::Normal, arg )
17439#endif // CATCH_CONFIG_DISABLE_MATCHERS
17440
17441#define INFO( msg ) INTERNAL_CATCH_INFO( "INFO", msg )
17442#define UNSCOPED_INFO( msg ) INTERNAL_CATCH_UNSCOPED_INFO( "UNSCOPED_INFO", msg )
17443#define WARN( msg ) INTERNAL_CATCH_MSG( "WARN", Catch::ResultWas::Warning, Catch::ResultDisposition::ContinueOnFailure, msg )
17444#define CAPTURE( ... ) INTERNAL_CATCH_CAPTURE( INTERNAL_CATCH_UNIQUE_NAME(capturer), "CAPTURE",__VA_ARGS__ )
17445
17446#define TEST_CASE( ... ) INTERNAL_CATCH_TESTCASE( __VA_ARGS__ )
17447#define TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TEST_CASE_METHOD( className, __VA_ARGS__ )
17448#define METHOD_AS_TEST_CASE( method, ... ) INTERNAL_CATCH_METHOD_AS_TEST_CASE( method, __VA_ARGS__ )
17449#define REGISTER_TEST_CASE( Function, ... ) INTERNAL_CATCH_REGISTER_TESTCASE( Function, __VA_ARGS__ )
17450#define SECTION( ... ) INTERNAL_CATCH_SECTION( __VA_ARGS__ )
17451#define DYNAMIC_SECTION( ... ) INTERNAL_CATCH_DYNAMIC_SECTION( __VA_ARGS__ )
17452#define FAIL( ... ) INTERNAL_CATCH_MSG( "FAIL", Catch::ResultWas::ExplicitFailure, Catch::ResultDisposition::Normal, __VA_ARGS__ )
17453#define FAIL_CHECK( ... ) INTERNAL_CATCH_MSG( "FAIL_CHECK", Catch::ResultWas::ExplicitFailure, Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17454#define SUCCEED( ... ) INTERNAL_CATCH_MSG( "SUCCEED", Catch::ResultWas::Ok, Catch::ResultDisposition::ContinueOnFailure, __VA_ARGS__ )
17455#define ANON_TEST_CASE() INTERNAL_CATCH_TESTCASE()
17456
17457#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
17458#define TEMPLATE_TEST_CASE( ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE( __VA_ARGS__ )
17459#define TEMPLATE_TEST_CASE_SIG( ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG( __VA_ARGS__ )
17460#define TEMPLATE_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17461#define TEMPLATE_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( className, __VA_ARGS__ )
17462#define TEMPLATE_PRODUCT_TEST_CASE( ... ) INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE( __VA_ARGS__ )
17463#define TEMPLATE_PRODUCT_TEST_CASE_SIG( ... ) INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG( __VA_ARGS__ )
17464#define TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, __VA_ARGS__ )
17465#define TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, __VA_ARGS__ )
17466#define TEMPLATE_LIST_TEST_CASE( ... ) INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE(__VA_ARGS__)
17467#define TEMPLATE_LIST_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE_METHOD( className, __VA_ARGS__ )
17468#else
17469#define TEMPLATE_TEST_CASE( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE( __VA_ARGS__ ) )
17470#define TEMPLATE_TEST_CASE_SIG( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG( __VA_ARGS__ ) )
17471#define TEMPLATE_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ ) )
17472#define TEMPLATE_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( className, __VA_ARGS__ ) )
17473#define TEMPLATE_PRODUCT_TEST_CASE( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE( __VA_ARGS__ ) )
17474#define TEMPLATE_PRODUCT_TEST_CASE_SIG( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG( __VA_ARGS__ ) )
17475#define TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, __VA_ARGS__ ) )
17476#define TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, __VA_ARGS__ ) )
17477#define TEMPLATE_LIST_TEST_CASE( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE( __VA_ARGS__ ) )
17478#define TEMPLATE_LIST_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_LIST_TEST_CASE_METHOD( className, __VA_ARGS__ ) )
17479#endif
17480
17481#if !defined(CATCH_CONFIG_RUNTIME_STATIC_REQUIRE)
17482#define STATIC_REQUIRE( ... ) static_assert( __VA_ARGS__, #__VA_ARGS__ ); SUCCEED( #__VA_ARGS__ )
17483#define STATIC_REQUIRE_FALSE( ... ) static_assert( !(__VA_ARGS__), "!(" #__VA_ARGS__ ")" ); SUCCEED( "!(" #__VA_ARGS__ ")" )
17484#else
17485#define STATIC_REQUIRE( ... ) REQUIRE( __VA_ARGS__ )
17486#define STATIC_REQUIRE_FALSE( ... ) REQUIRE_FALSE( __VA_ARGS__ )
17487#endif
17488
17489#endif
17490
17491#define CATCH_TRANSLATE_EXCEPTION( signature ) INTERNAL_CATCH_TRANSLATE_EXCEPTION( signature )
17492
17493// "BDD-style" convenience wrappers
17494#define SCENARIO( ... ) TEST_CASE( "Scenario: " __VA_ARGS__ )
17495#define SCENARIO_METHOD( className, ... ) INTERNAL_CATCH_TEST_CASE_METHOD( className, "Scenario: " __VA_ARGS__ )
17496
17497#define GIVEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " Given: " << desc )
17498#define AND_GIVEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( "And given: " << desc )
17499#define WHEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " When: " << desc )
17500#define AND_WHEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " And when: " << desc )
17501#define THEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " Then: " << desc )
17502#define AND_THEN( desc ) INTERNAL_CATCH_DYNAMIC_SECTION( " And: " << desc )
17503
17504#if defined(CATCH_CONFIG_ENABLE_BENCHMARKING)
17505#define BENCHMARK(...) \
17506 INTERNAL_CATCH_BENCHMARK(INTERNAL_CATCH_UNIQUE_NAME(____C_A_T_C_H____B_E_N_C_H____), INTERNAL_CATCH_GET_1_ARG(__VA_ARGS__,,), INTERNAL_CATCH_GET_2_ARG(__VA_ARGS__,,))
17507#define BENCHMARK_ADVANCED(name) \
17508 INTERNAL_CATCH_BENCHMARK_ADVANCED(INTERNAL_CATCH_UNIQUE_NAME(____C_A_T_C_H____B_E_N_C_H____), name)
17509#endif // CATCH_CONFIG_ENABLE_BENCHMARKING
17510
17512
17513#else // CATCH_CONFIG_DISABLE
17514
17516// If this config identifier is defined then all CATCH macros are prefixed with CATCH_
17517#ifdef CATCH_CONFIG_PREFIX_ALL
17518
17519#define CATCH_REQUIRE( ... ) (void)(0)
17520#define CATCH_REQUIRE_FALSE( ... ) (void)(0)
17521
17522#define CATCH_REQUIRE_THROWS( ... ) (void)(0)
17523#define CATCH_REQUIRE_THROWS_AS( expr, exceptionType ) (void)(0)
17524#define CATCH_REQUIRE_THROWS_WITH( expr, matcher ) (void)(0)
17525#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17526#define CATCH_REQUIRE_THROWS_MATCHES( expr, exceptionType, matcher ) (void)(0)
17527#endif// CATCH_CONFIG_DISABLE_MATCHERS
17528#define CATCH_REQUIRE_NOTHROW( ... ) (void)(0)
17529
17530#define CATCH_CHECK( ... ) (void)(0)
17531#define CATCH_CHECK_FALSE( ... ) (void)(0)
17532#define CATCH_CHECKED_IF( ... ) if (__VA_ARGS__)
17533#define CATCH_CHECKED_ELSE( ... ) if (!(__VA_ARGS__))
17534#define CATCH_CHECK_NOFAIL( ... ) (void)(0)
17535
17536#define CATCH_CHECK_THROWS( ... ) (void)(0)
17537#define CATCH_CHECK_THROWS_AS( expr, exceptionType ) (void)(0)
17538#define CATCH_CHECK_THROWS_WITH( expr, matcher ) (void)(0)
17539#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17540#define CATCH_CHECK_THROWS_MATCHES( expr, exceptionType, matcher ) (void)(0)
17541#endif // CATCH_CONFIG_DISABLE_MATCHERS
17542#define CATCH_CHECK_NOTHROW( ... ) (void)(0)
17543
17544#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17545#define CATCH_CHECK_THAT( arg, matcher ) (void)(0)
17546
17547#define CATCH_REQUIRE_THAT( arg, matcher ) (void)(0)
17548#endif // CATCH_CONFIG_DISABLE_MATCHERS
17549
17550#define CATCH_INFO( msg ) (void)(0)
17551#define CATCH_UNSCOPED_INFO( msg ) (void)(0)
17552#define CATCH_WARN( msg ) (void)(0)
17553#define CATCH_CAPTURE( msg ) (void)(0)
17554
17555#define CATCH_TEST_CASE( ... ) INTERNAL_CATCH_TESTCASE_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ))
17556#define CATCH_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TESTCASE_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ))
17557#define CATCH_METHOD_AS_TEST_CASE( method, ... )
17558#define CATCH_REGISTER_TEST_CASE( Function, ... ) (void)(0)
17559#define CATCH_SECTION( ... )
17560#define CATCH_DYNAMIC_SECTION( ... )
17561#define CATCH_FAIL( ... ) (void)(0)
17562#define CATCH_FAIL_CHECK( ... ) (void)(0)
17563#define CATCH_SUCCEED( ... ) (void)(0)
17564
17565#define CATCH_ANON_TEST_CASE() INTERNAL_CATCH_TESTCASE_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ))
17566
17567#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
17568#define CATCH_TEMPLATE_TEST_CASE( ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION(__VA_ARGS__)
17569#define CATCH_TEMPLATE_TEST_CASE_SIG( ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG_NO_REGISTRATION(__VA_ARGS__)
17570#define CATCH_TEMPLATE_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION(className, __VA_ARGS__)
17571#define CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG_NO_REGISTRATION(className, __VA_ARGS__ )
17572#define CATCH_TEMPLATE_PRODUCT_TEST_CASE( ... ) CATCH_TEMPLATE_TEST_CASE( __VA_ARGS__ )
17573#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG( ... ) CATCH_TEMPLATE_TEST_CASE( __VA_ARGS__ )
17574#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, ... ) CATCH_TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17575#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, ... ) CATCH_TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17576#else
17577#define CATCH_TEMPLATE_TEST_CASE( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION(__VA_ARGS__) )
17578#define CATCH_TEMPLATE_TEST_CASE_SIG( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG_NO_REGISTRATION(__VA_ARGS__) )
17579#define CATCH_TEMPLATE_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION(className, __VA_ARGS__ ) )
17580#define CATCH_TEMPLATE_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG_NO_REGISTRATION(className, __VA_ARGS__ ) )
17581#define CATCH_TEMPLATE_PRODUCT_TEST_CASE( ... ) CATCH_TEMPLATE_TEST_CASE( __VA_ARGS__ )
17582#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_SIG( ... ) CATCH_TEMPLATE_TEST_CASE( __VA_ARGS__ )
17583#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, ... ) CATCH_TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17584#define CATCH_TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, ... ) CATCH_TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17585#endif
17586
17587// "BDD-style" convenience wrappers
17588#define CATCH_SCENARIO( ... ) INTERNAL_CATCH_TESTCASE_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ))
17589#define CATCH_SCENARIO_METHOD( className, ... ) INTERNAL_CATCH_TESTCASE_METHOD_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ), className )
17590#define CATCH_GIVEN( desc )
17591#define CATCH_AND_GIVEN( desc )
17592#define CATCH_WHEN( desc )
17593#define CATCH_AND_WHEN( desc )
17594#define CATCH_THEN( desc )
17595#define CATCH_AND_THEN( desc )
17596
17597#define CATCH_STATIC_REQUIRE( ... ) (void)(0)
17598#define CATCH_STATIC_REQUIRE_FALSE( ... ) (void)(0)
17599
17600// If CATCH_CONFIG_PREFIX_ALL is not defined then the CATCH_ prefix is not required
17601#else
17602
17603#define REQUIRE( ... ) (void)(0)
17604#define REQUIRE_FALSE( ... ) (void)(0)
17605
17606#define REQUIRE_THROWS( ... ) (void)(0)
17607#define REQUIRE_THROWS_AS( expr, exceptionType ) (void)(0)
17608#define REQUIRE_THROWS_WITH( expr, matcher ) (void)(0)
17609#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17610#define REQUIRE_THROWS_MATCHES( expr, exceptionType, matcher ) (void)(0)
17611#endif // CATCH_CONFIG_DISABLE_MATCHERS
17612#define REQUIRE_NOTHROW( ... ) (void)(0)
17613
17614#define CHECK( ... ) (void)(0)
17615#define CHECK_FALSE( ... ) (void)(0)
17616#define CHECKED_IF( ... ) if (__VA_ARGS__)
17617#define CHECKED_ELSE( ... ) if (!(__VA_ARGS__))
17618#define CHECK_NOFAIL( ... ) (void)(0)
17619
17620#define CHECK_THROWS( ... ) (void)(0)
17621#define CHECK_THROWS_AS( expr, exceptionType ) (void)(0)
17622#define CHECK_THROWS_WITH( expr, matcher ) (void)(0)
17623#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17624#define CHECK_THROWS_MATCHES( expr, exceptionType, matcher ) (void)(0)
17625#endif // CATCH_CONFIG_DISABLE_MATCHERS
17626#define CHECK_NOTHROW( ... ) (void)(0)
17627
17628#if !defined(CATCH_CONFIG_DISABLE_MATCHERS)
17629#define CHECK_THAT( arg, matcher ) (void)(0)
17630
17631#define REQUIRE_THAT( arg, matcher ) (void)(0)
17632#endif // CATCH_CONFIG_DISABLE_MATCHERS
17633
17634#define INFO( msg ) (void)(0)
17635#define UNSCOPED_INFO( msg ) (void)(0)
17636#define WARN( msg ) (void)(0)
17637#define CAPTURE( msg ) (void)(0)
17638
17639#define TEST_CASE( ... ) INTERNAL_CATCH_TESTCASE_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ))
17640#define TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TESTCASE_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ))
17641#define METHOD_AS_TEST_CASE( method, ... )
17642#define REGISTER_TEST_CASE( Function, ... ) (void)(0)
17643#define SECTION( ... )
17644#define DYNAMIC_SECTION( ... )
17645#define FAIL( ... ) (void)(0)
17646#define FAIL_CHECK( ... ) (void)(0)
17647#define SUCCEED( ... ) (void)(0)
17648#define ANON_TEST_CASE() INTERNAL_CATCH_TESTCASE_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ))
17649
17650#ifndef CATCH_CONFIG_TRADITIONAL_MSVC_PREPROCESSOR
17651#define TEMPLATE_TEST_CASE( ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION(__VA_ARGS__)
17652#define TEMPLATE_TEST_CASE_SIG( ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG_NO_REGISTRATION(__VA_ARGS__)
17653#define TEMPLATE_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION(className, __VA_ARGS__)
17654#define TEMPLATE_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG_NO_REGISTRATION(className, __VA_ARGS__ )
17655#define TEMPLATE_PRODUCT_TEST_CASE( ... ) TEMPLATE_TEST_CASE( __VA_ARGS__ )
17656#define TEMPLATE_PRODUCT_TEST_CASE_SIG( ... ) TEMPLATE_TEST_CASE( __VA_ARGS__ )
17657#define TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, ... ) TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17658#define TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, ... ) TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17659#else
17660#define TEMPLATE_TEST_CASE( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_NO_REGISTRATION(__VA_ARGS__) )
17661#define TEMPLATE_TEST_CASE_SIG( ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_SIG_NO_REGISTRATION(__VA_ARGS__) )
17662#define TEMPLATE_TEST_CASE_METHOD( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_NO_REGISTRATION(className, __VA_ARGS__ ) )
17663#define TEMPLATE_TEST_CASE_METHOD_SIG( className, ... ) INTERNAL_CATCH_EXPAND_VARGS( INTERNAL_CATCH_TEMPLATE_TEST_CASE_METHOD_SIG_NO_REGISTRATION(className, __VA_ARGS__ ) )
17664#define TEMPLATE_PRODUCT_TEST_CASE( ... ) TEMPLATE_TEST_CASE( __VA_ARGS__ )
17665#define TEMPLATE_PRODUCT_TEST_CASE_SIG( ... ) TEMPLATE_TEST_CASE( __VA_ARGS__ )
17666#define TEMPLATE_PRODUCT_TEST_CASE_METHOD( className, ... ) TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17667#define TEMPLATE_PRODUCT_TEST_CASE_METHOD_SIG( className, ... ) TEMPLATE_TEST_CASE_METHOD( className, __VA_ARGS__ )
17668#endif
17669
17670#define STATIC_REQUIRE( ... ) (void)(0)
17671#define STATIC_REQUIRE_FALSE( ... ) (void)(0)
17672
17673#endif
17674
17675#define CATCH_TRANSLATE_EXCEPTION( signature ) INTERNAL_CATCH_TRANSLATE_EXCEPTION_NO_REG( INTERNAL_CATCH_UNIQUE_NAME( catch_internal_ExceptionTranslator ), signature )
17676
17677// "BDD-style" convenience wrappers
17678#define SCENARIO( ... ) INTERNAL_CATCH_TESTCASE_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ) )
17679#define SCENARIO_METHOD( className, ... ) INTERNAL_CATCH_TESTCASE_METHOD_NO_REGISTRATION(INTERNAL_CATCH_UNIQUE_NAME( ____C_A_T_C_H____T_E_S_T____ ), className )
17680
17681#define GIVEN( desc )
17682#define AND_GIVEN( desc )
17683#define WHEN( desc )
17684#define AND_WHEN( desc )
17685#define THEN( desc )
17686#define AND_THEN( desc )
17687
17689
17690#endif
17691
17692#endif // ! CATCH_CONFIG_IMPL_ONLY
17693
17694// start catch_reenable_warnings.h
17695
17696
17697#ifdef __clang__
17698# ifdef __ICC // icpc defines the __clang__ macro
17699# pragma warning(pop)
17700# else
17701# pragma clang diagnostic pop
17702# endif
17703#elif defined __GNUC__
17704# pragma GCC diagnostic pop
17705#endif
17706
17707// end catch_reenable_warnings.h
17708// end catch.hpp
17709#endif // TWOBLUECUBES_SINGLE_INCLUDE_CATCH_HPP_INCLUDED
17710
std::ostream & operator<<(std::ostream &out, const CellType celltype)
Allow Standard c++ streams to print out our enum values as text.
Definition: Cell.cpp:1438
Definition: diagrams_c.h:5
Definition: catch.hpp:2552
Definition: catch.hpp:2228
Definition: catch.hpp:2656
Definition: catch.hpp:3082
Definition: catch.hpp:1568
Definition: catch.hpp:3025
Definition: catch.hpp:2342
Definition: catch.hpp:3923
Definition: catch.hpp:4290
Definition: catch.hpp:4154
Definition: catch.hpp:3971
Definition: catch.hpp:3849
Definition: catch.hpp:3990
Definition: catch.hpp:4014
Definition: catch.hpp:4704
Definition: catch.hpp:4249
Definition: catch.hpp:4659
Definition: catch.hpp:4193
Definition: catch.hpp:3957
Definition: catch.hpp:4118
Definition: catch.hpp:2530
Definition: catch.hpp:3774
Definition: catch.hpp:495
Definition: catch.hpp:4402
Definition: catch.hpp:1444
Definition: catch.hpp:2645
Definition: catch.hpp:2915
Definition: catch.hpp:4550
A non-owning string class (similar to the forthcoming std::string_view) Note that,...
Definition: catch.hpp:610
Definition: catch.hpp:4799
Definition: catch.hpp:966
Definition: catch.hpp:2898
Definition: catch.hpp:2304
Definition: diagrams_e.h:4
A class that is inherited from the external class Test.
Definition: tag.cpp:5
void func()
function in group 1
Definition: group.cpp:13
Coord add(Coord c1, Coord c2)
This function returns the addition of c1 and c2, i.e: (c1.x+c2.x,c1.y+c2.y)
Definition: restypedef.cpp:23
Definition: catch.hpp:1401
Definition: catch.hpp:2547
Definition: catch.hpp:990
Definition: catch.hpp:490
Definition: catch.hpp:2833
Definition: catch.hpp:2418
Definition: catch.hpp:1470
Definition: catch.hpp:3945
Definition: catch.hpp:4064
Definition: catch.hpp:4505
Definition: catch.hpp:4352
Definition: catch.hpp:3019
Definition: catch.hpp:3014
Definition: catch.hpp:3863
Definition: catch.hpp:4361
Definition: catch.hpp:1480
Definition: catch.hpp:2980
Definition: catch.hpp:2969
Definition: catch.hpp:2462
Definition: catch.hpp:4832
Definition: catch.hpp:1437
Definition: catch.hpp:584
Definition: catch.hpp:576
Definition: catch.hpp:2206
Definition: catch.hpp:3292
Definition: catch.hpp:3325
Definition: catch.hpp:3360
Definition: catch.hpp:3284
Definition: catch.hpp:3266
Definition: catch.hpp:3543
Definition: catch.hpp:3685
Definition: catch.hpp:3662
Definition: catch.hpp:2631
Definition: catch.hpp:2603
Definition: catch.hpp:2620
Definition: catch.hpp:984
Definition: catch.hpp:553
Definition: catch.hpp:1381
Definition: catch.hpp:1357
Definition: catch.hpp:4486
Definition: catch.hpp:2880
Definition: catch.hpp:2864
Definition: catch.hpp:4481
Definition: catch.hpp:506
Definition: catch.hpp:538
Definition: catch.hpp:1619
Definition: catch.hpp:4764
Definition: catch.hpp:2525
Definition: catch.hpp:2846
Definition: catch.hpp:4491
Definition: catch.hpp:4496
Definition: catch.hpp:4475
Definition: catch.hpp:929
Definition: catch.hpp:2002
Definition: catch.hpp:1997
Definition: catch.hpp:932
Definition: catch.hpp:940
Definition: catch.hpp:2011
Definition: catch.hpp:3220
Definition: catch.hpp:931
Definition: catch.hpp:485
int open(const char *, int)
Opens a file descriptor.
int errno
Contains the last error code.
Definition: structcmd.h:53
int close(int)
Closes the file descriptor fd.
size_t write(int, const char *, size_t)
Writes count bytes from buf to the filedescriptor fd.