1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108
|
/**
* @file
* @brief Assertions and such.
**/
#pragma once
#include "debug-defines.h"
#include "macros.h"
// Synch with ANSI definitions.
#if !(defined(DEBUG) ^ defined(NDEBUG))
#error DEBUG and NDEBUG are out of sync!
#endif
// Synch with MSL definitions.
#ifdef __MSL__
#if __MSL__ && DEBUG != defined(MSIPL_DEBUG_MODE)
#error DEBUG and MSIPL_DEBUG_MODE are out of sync!
#endif
#endif
// Synch with MSVC.
#ifdef TARGET_COMPILER_VC
#if _MSC_VER >= 1100 && defined(DEBUG) != defined(_DEBUG)
#error DEBUG and _DEBUG are out of sync!
#endif
#endif
#if defined(DEBUG) && !defined(ASSERTS)
#define ASSERTS
#endif
#ifdef ASSERTS
NORETURN void AssertFailed(const char *expr, const char *file, int line,
const char *text = nullptr, ...);
#ifdef __clang__
# define WARN_PUSH _Pragma("GCC diagnostic push")
# define WARN_POP _Pragma("GCC diagnostic pop")
# define IGNORE_ASSERT_WARNINGS _Pragma("GCC diagnostic ignored \"-Wtautological-constant-out-of-range-compare\"")
#elif __GNUC__ * 100 + __GNUC_MINOR__ >= 406
# define WARN_PUSH _Pragma("GCC diagnostic push")
# define WARN_POP _Pragma("GCC diagnostic pop")
# define IGNORE_ASSERT_WARNINGS _Pragma("GCC diagnostic ignored \"-Wtype-limits\"")
#else
// gcc-4.2 has a worse variant, but I don't care enough
# define WARN_PUSH
# define WARN_POP
# define IGNORE_ASSERT_WARNINGS
#endif
#define ASSERT(p) \
do { \
WARN_PUSH \
IGNORE_ASSERT_WARNINGS \
if (!(p)) AssertFailed(#p, __FILE__, __LINE__); \
WARN_POP \
} while (false)
#define ASSERTM(p,text,...) \
do { \
WARN_PUSH \
IGNORE_ASSERT_WARNINGS \
if (!(p)) AssertFailed(#p, __FILE__, __LINE__, text, __VA_ARGS__); \
WARN_POP \
} while (false)
#define ASSERT_LESS(x, xmax) \
do { \
WARN_PUSH \
IGNORE_ASSERT_WARNINGS \
if ((x) >= (xmax)) die("ASSERT failed: " #x " not less than " #xmax); \
WARN_POP \
} while (false) \
#define ASSERT_RANGE(x, xmin, xmax) \
do { \
WARN_PUSH \
IGNORE_ASSERT_WARNINGS \
if ((x) < (xmin) || (x) >= (xmax)) \
{ \
die("ASSERT failed: " #x " of %" PRIdMAX " out of range " \
#xmin " (%" PRIdMAX ") .. " \
#xmax " (%" PRIdMAX ")", \
(intmax_t)(x), (intmax_t)(xmin), (intmax_t)(xmax)); \
} \
WARN_POP \
} while (false)
#else
#define ASSERT(p) ((void) 0)
#define ASSERTM(p, text,...) ((void) 0)
#define ASSERT_RANGE(x, a, b) ((void) 0)
#define ASSERT_LESS(x, xmax) ((void) 0)
#endif
NORETURN void die(const char *file, int line, PRINTF(2, ));
#define die(...) die(__FILE__, __LINE__, __VA_ARGS__)
NORETURN void die_noline(PRINTF(0, ));
#ifdef DEBUG
void debuglog(PRINTF(0, ));
#endif
|