unit_testing.rst 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370
  1. .. _doc_unit_testing:
  2. Unit testing
  3. ============
  4. Godot Engine allows to write unit tests directly in C++. The engine integrates
  5. the `doctest <https://github.com/onqtam/doctest>`_ unit testing framework which
  6. gives ability to write test suites and test cases next to production code, but
  7. since the tests in Godot go through a different ``main`` entry point, the tests
  8. reside in a dedicated ``tests/`` directory instead, which is located at the root
  9. of the engine source code.
  10. Platform and target support
  11. ---------------------------
  12. C++ unit tests can be run on Linux, macOS, and Windows operating systems.
  13. Tests can only be run with editor ``tools`` enabled, which means that export
  14. templates cannot be tested currently.
  15. Running tests
  16. -------------
  17. Before tests can be actually run, the engine must be compiled with the ``tests``
  18. build option enabled (and any other build option you typically use), as the
  19. tests are not compiled as part of the engine by default:
  20. .. code-block:: shell
  21. scons tests=yes
  22. Once the build is done, run the tests with a ``--test`` command-line option:
  23. .. code-block:: shell
  24. ./bin/<godot_binary> --test
  25. The test run can be configured with the various doctest-specific command-line
  26. options. To retrieve the full list of supported options, run the ``--test``
  27. command with the ``--help`` option:
  28. .. code-block:: shell
  29. ./bin/<godot_binary> --test --help
  30. Any other options and arguments after the ``--test`` command are treated as
  31. arguments for doctest.
  32. .. note::
  33. Tests are compiled automatically if you use the ``dev_mode=yes`` SCons option.
  34. ``dev_mode=yes`` is recommended if you plan on contributing to the engine
  35. development as it will automatically treat compilation warnings as errors.
  36. The continuous integration system will fail if any compilation warnings are
  37. detected, so you should strive to fix all warnings before opening a pull
  38. request.
  39. Filtering tests
  40. ~~~~~~~~~~~~~~~
  41. By default, all tests are run if you don't supply any extra arguments after the
  42. ``--test`` command. But if you're writing new tests or would like to see the
  43. successful assertions output coming from those tests for debugging purposes, you
  44. can run the tests of interest with the various filtering options provided by
  45. doctest.
  46. The wildcard syntax ``*`` is supported for matching any number of characters in
  47. test suites, test cases, and source file names:
  48. +--------------------+---------------+------------------------+
  49. | **Filter options** | **Shorthand** | **Examples** |
  50. +--------------------+---------------+------------------------+
  51. | ``--test-suite`` | ``-ts`` | ``-ts="*[GDScript]*"`` |
  52. +--------------------+---------------+------------------------+
  53. | ``--test-case`` | ``-tc`` | ``-tc="*[String]*"`` |
  54. +--------------------+---------------+------------------------+
  55. | ``--source-file`` | ``-sf`` | ``-sf="*test_color*"`` |
  56. +--------------------+---------------+------------------------+
  57. For instance, to run only the ``String`` unit tests, run:
  58. .. code-block:: shell
  59. ./bin/<godot_binary> --test --test-case="*[String]*"
  60. Successful assertions output can be enabled with the ``--success`` (``-s``)
  61. option, and can be combined with any combination of filtering options above,
  62. for instance:
  63. .. code-block:: shell
  64. ./bin/<godot_binary> --test --source-file="*test_color*" --success
  65. Specific tests can be skipped with corresponding ``-exclude`` options. As of
  66. now, some tests include random stress tests which take a while to execute. In
  67. order to skip those kind of tests, run the following command:
  68. .. code-block:: shell
  69. ./bin/<godot_binary> --test --test-case-exclude="*[Stress]*"
  70. Writing tests
  71. -------------
  72. Test suites represent C++ header files which must be included as part of the
  73. main test entry point in ``tests/test_main.cpp``. Most test suites are located
  74. directly under ``tests/`` directory.
  75. All header files are prefixed with ``test_``, and this is a naming convention
  76. which the Godot build system relies on to detect tests throughout the engine.
  77. Here's a minimal working test suite with a single test case written:
  78. .. code-block:: cpp
  79. #ifndef TEST_STRING_H
  80. #define TEST_STRING_H
  81. #include "tests/test_macros.h"
  82. namespace TestString {
  83. TEST_CASE("[String] Hello World!") {
  84. String hello = "Hello World!";
  85. CHECK(hello == "Hello World!");
  86. }
  87. } // namespace TestString
  88. #endif // TEST_STRING_H
  89. The ``tests/test_macros.h`` header encapsulates everything which is needed for
  90. writing C++ unit tests in Godot. It includes doctest assertion and logging
  91. macros such as ``CHECK`` as seen above, and of course the definitions for
  92. writing test cases themselves.
  93. .. seealso::
  94. `tests/test_macros.h <https://github.com/godotengine/godot/blob/master/tests/test_macros.h>`_
  95. source code for currently implemented macros and aliases for them.
  96. Test cases are created using ``TEST_CASE`` function-like macro. Each test case
  97. must have a brief description written in parentheses, optionally including
  98. custom tags which allow to filter the tests at run-time, such as ``[String]``,
  99. ``[Stress]`` etc.
  100. Test cases are written in a dedicated namespace. This is not required, but
  101. allows to prevent naming collisions for when other static helper functions are
  102. written to accommodate the repeating testing procedures such as populating
  103. common test data for each test, or writing parameterized tests.
  104. Godot supports writing tests per C++ module. For instructions on how to write
  105. module tests, refer to :ref:`doc_custom_module_unit_tests`.
  106. Assertions
  107. ~~~~~~~~~~
  108. A list of all commonly used assertions used throughout the Godot tests, sorted
  109. by severity.
  110. +-------------------+----------------------------------------------------------------------------------------------------------------------------------+
  111. | **Assertion** | **Description** |
  112. +-------------------+----------------------------------------------------------------------------------------------------------------------------------+
  113. | ``REQUIRE`` | Test if condition holds true. Fails the entire test immediately if the condition does not hold true. |
  114. +-------------------+----------------------------------------------------------------------------------------------------------------------------------+
  115. | ``REQUIRE_FALSE`` | Test if condition does not hold true. Fails the entire test immediately if the condition holds true. |
  116. +-------------------+----------------------------------------------------------------------------------------------------------------------------------+
  117. | ``CHECK`` | Test if condition holds true. Marks the test run as failing, but allow to run other assertions. |
  118. +-------------------+----------------------------------------------------------------------------------------------------------------------------------+
  119. | ``CHECK_FALSE`` | Test if condition does not hold true. Marks the test run as failing, but allow to run other assertions. |
  120. +-------------------+----------------------------------------------------------------------------------------------------------------------------------+
  121. | ``WARN`` | Test if condition holds true. Does not fail the test under any circumstance, but logs a warning if something does not hold true. |
  122. +-------------------+----------------------------------------------------------------------------------------------------------------------------------+
  123. | ``WARN_FALSE`` | Test if condition does not hold true. Does not fail the test under any circumstance, but logs a warning if something holds true. |
  124. +-------------------+----------------------------------------------------------------------------------------------------------------------------------+
  125. All of the above assertions have corresponding ``*_MESSAGE`` macros, which allow
  126. to print optional message with rationale of what should happen.
  127. Prefer to use ``CHECK`` for self-explanatory assertions and ``CHECK_MESSAGE``
  128. for more complex ones if you think that it deserves a better explanation.
  129. .. seealso::
  130. `doctest: Assertion macros <https://github.com/onqtam/doctest/blob/master/doc/markdown/assertions.md>`_.
  131. Logging
  132. ~~~~~~~
  133. The test output is handled by doctest itself, and does not rely on Godot
  134. printing or logging functionality at all, so it's recommended to use dedicated
  135. macros which allow to log test output in a format written by doctest.
  136. +----------------+-----------------------------------------------------------------------------------------------------------+
  137. | **Macro** | **Description** |
  138. +----------------+-----------------------------------------------------------------------------------------------------------+
  139. | ``MESSAGE`` | Prints a message. |
  140. +----------------+-----------------------------------------------------------------------------------------------------------+
  141. | ``FAIL_CHECK`` | Marks the test as failing, but continue the execution. Can be wrapped in conditionals for complex checks. |
  142. +----------------+-----------------------------------------------------------------------------------------------------------+
  143. | ``FAIL`` | Fails the test immediately. Can be wrapped in conditionals for complex checks. |
  144. +----------------+-----------------------------------------------------------------------------------------------------------+
  145. Different reporters can be chosen at run-time. For instance, here's how the
  146. output can be redirected to a XML file:
  147. .. code-block:: shell
  148. ./bin/<godot_binary> --test --source-file="*test_validate*" --success --reporters=xml --out=doctest.txt
  149. .. seealso::
  150. `doctest: Logging macros <https://github.com/onqtam/doctest/blob/master/doc/markdown/logging.md>`_.
  151. Testing failure paths
  152. ~~~~~~~~~~~~~~~~~~~~~
  153. Sometimes, it's not always feasible to test for an *expected* result. With the
  154. Godot development philosophy of that the engine should not crash and should
  155. gracefully recover whenever a non-fatal error occurs, it's important to check
  156. that those failure paths are indeed safe to execute without crashing the engine.
  157. *Unexpected* behavior can be tested in the same way as anything else. The only
  158. problem this creates is that the error printing shall unnecessarily pollute the
  159. test output with errors coming from the engine itself (even if the end result is
  160. successful).
  161. To alleviate this problem, use ``ERR_PRINT_OFF`` and ``ERR_PRINT_ON`` macros
  162. directly within test cases to temporarily disable the error output coming from
  163. the engine, for instance:
  164. .. code-block:: cpp
  165. TEST_CASE("[Color] Constructor methods") {
  166. ERR_PRINT_OFF;
  167. Color html_invalid = Color::html("invalid");
  168. ERR_PRINT_ON; // Don't forget to re-enable!
  169. CHECK_MESSAGE(html_invalid.is_equal_approx(Color()),
  170. "Invalid HTML notation should result in a Color with the default values.");
  171. }
  172. Test tools
  173. ----------
  174. Test tools are advanced methods which allow you to run arbitrary procedures to
  175. facilitate the process of manual testing and debugging the engine internals.
  176. These tools can be run by supplying the name of a tool after the ``--test``
  177. command-line option. For instance, the GDScript module implements and registers
  178. several tools to help the debugging of the tokenizer, parser, and compiler:
  179. .. code-block:: shell
  180. ./bin/<godot_binary> --test gdscript-tokenizer test.gd
  181. ./bin/<godot_binary> --test gdscript-parser test.gd
  182. ./bin/<godot_binary> --test gdscript-compiler test.gd
  183. If any such tool is detected, then the rest of the unit tests are skipped.
  184. Test tools can be registered anywhere throughout the engine as the registering
  185. mechanism closely resembles of what doctest provides while registering test
  186. cases using dynamic initialization technique, but usually these can be
  187. registered at corresponding ``register_types.cpp`` sources (per module or core).
  188. Here's an example of how GDScript registers test tools in
  189. ``modules/gdscript/register_types.cpp``:
  190. .. code-block:: cpp
  191. #ifdef TESTS_ENABLED
  192. void test_tokenizer() {
  193. TestGDScript::test(TestGDScript::TestType::TEST_TOKENIZER);
  194. }
  195. void test_parser() {
  196. TestGDScript::test(TestGDScript::TestType::TEST_PARSER);
  197. }
  198. void test_compiler() {
  199. TestGDScript::test(TestGDScript::TestType::TEST_COMPILER);
  200. }
  201. REGISTER_TEST_COMMAND("gdscript-tokenizer", &test_tokenizer);
  202. REGISTER_TEST_COMMAND("gdscript-parser", &test_parser);
  203. REGISTER_TEST_COMMAND("gdscript-compiler", &test_compiler);
  204. #endif
  205. The custom command-line parsing can be performed by a test tool itself with the
  206. help of OS :ref:`get_cmdline_args<class_OS_method_get_cmdline_args>` method.
  207. Integration tests for GDScript
  208. ------------------------------
  209. Godot uses doctest to prevent regressions in GDScript during development. There
  210. are several types of test scripts which can be written:
  211. - tests for expected errors;
  212. - tests for warnings;
  213. - tests for features.
  214. Therefore, the process of writing integration tests for GDScript is the following:
  215. 1. Pick a type of a test script you'd like to write, and create a new GDScript
  216. file under the ``modules/gdscript/tests/scripts`` directory within
  217. corresponding sub-directory.
  218. 2. Write GDScript code. The test script must have a function called ``test()``
  219. which takes no arguments. Such function will be called by the test runner.
  220. The test should not have any dependency unless it's part of the test too.
  221. Global classes (using ``class_name``) are registered before the runner
  222. starts, so those should work if needed.
  223. Here's an example test script:
  224. ::
  225. func test():
  226. if true # Missing colon here.
  227. print("true")
  228. 3. Change directory to the Godot source repository root.
  229. .. code-block:: shell
  230. cd godot
  231. 4. Generate ``*.out`` files to update the expected results from the output:
  232. .. code-block:: shell
  233. bin/<godot_binary> --gdscript-generate-tests modules/gdscript/tests/scripts
  234. You may add the ``--print-filenames`` option to see filenames as their test
  235. outputs are generated. If you are working on a new feature that is causing
  236. hard crashes, you can use this option to quickly find which test file causes
  237. the crash and debug from there.
  238. 5. Run GDScript tests with:
  239. .. code-block:: shell
  240. ./bin/<godot_binary> --test --test-suite="*GDScript*"
  241. This also accepts the ``--print-filenames`` option (see above).
  242. If no errors are printed and everything goes well, you're done!
  243. .. warning::
  244. Make sure the output does have the expected values before submitting a pull
  245. request. If ``--gdscript-generate-tests`` produces ``*.out`` files which are
  246. unrelated to newly added tests, you should revert those files back and
  247. only commit ``*.out`` files for new tests.
  248. .. note::
  249. The GDScript test runner is meant for testing the GDScript implementation,
  250. not for testing user scripts nor testing the engine using scripts. We
  251. recommend writing new tests for already resolved
  252. `issues related to GDScript at GitHub <https://github.com/godotengine/godot/issues?q=is%3Aissue+label%3Atopic%3Agdscript+is%3Aclosed>`_,
  253. or writing tests for currently working features.
  254. .. note::
  255. If your test case requires that there is no ``test()``
  256. function present inside the script file,
  257. you can disable the runtime section of the test by naming the script file so that it matches the pattern ``*.notest.gd``.
  258. For example, "test_empty_file.notest.gd".