Introduction to Unity Test Tools

Published June 20, 2014 by Lior Tal, posted by Liort
Do you see issues with this article? Let us know.
Advertisement
This article was originally posted on Random Bits Unity Test Tools is a package officially released by the folks at Unity in December 2013. It provides developers the components needed for creating and executing automated tests without leaving the comforts of the Unity editor. The package is available for download here. This article serves as a high level overview of the tools rather than an in-depth drill-down. It covers the 3 components the package is comprised of:
  1. Unit tests
  2. Integration tests
  3. Assertion component
The package comes with detailed PDF documentation (in English and Japanese), examples and the complete source code so you can do modifications in case they are needed.

Unit Tests

There are many definitions to what a "unit test" is. In the context of this article it will be defined as a test that is:
  • Written in code.
  • Focuses on a single "thing" (method/class).
  • Does not have "external dependencies" (e.g: does not rely on the Unity editor or needs to connect to an online service database).

Writing Unit Tests

To create unit tests, the package uses NUnit - a very popular framework that helps with the creation and execution of unit tests. Also included is NSubstitute - a mocking framework that can create "fake" objects. These fakes are objects that are passed to the method under test instead of a "real" object, in cases where the "real" object can't be created for testing since it relies on external resources (files, databases, remote servers, etc). For more information check out the NSubstitute site. The following example shows a simple script that manages player health: // A simple component that keeps track of health for game objects. public class HealthComponent : MonoBehaviour { public float healthAmount; public void TakeDamage(float damageAmount) { healthAmount -= damageAmount; } } Here is an example of a simple unit test for it: using Nunit.Framework; [TestFixture] public class HealthComponentTests { [Test] public void TakeDamage_PositiveAmount_HealthUpdated() { // Create a health component with initial health = 50. HealthComponent health = new HealthComponent(); health.healthAmount = 50f; health.TakeDamage(10f); // assert (verify) that healthAmount was updated. Assert.AreEqual(40f, health.healthAmount) } } In this unit test example, we can see that:
  1. A class containing tests should be decorated with the [TestFixture] attribute.
  2. A unit test method should be decorated with the [Test] attribute.
  3. The test constructs the class it is going to test, interacts with it (calls the TakeDamage method) and asserts (verifies) the expected results afterwards using NUnit's Assert class.
*For more information on using NUnit, see the links section at the bottom of the article (Unit Testing Succinctly shows the usage of the NUnit API).

Unit Test Runner

After adding unit tests, we can run them using the unit test runner. The included unit test runner is opened from the toolbar menu: UnitTestRunnerMenu.png It is a basic runner that allows executing a single test, all tests in the project or all previously failed tests. There are other more advanced options, such as setting it to run automatically on code compilation. The test runner window displays all the tests in your project by organizing them under the class in which they were defined and can also display exception or log messages from their execution. UnitTestRunner.png The runner can also be invoked from code, making it possible to run all tests from the command line. Unity.exe -projectPath PATH_TO_YOUR_PROJECT -batchmode -quit -executeMethod UnityTest.Batch.RunUnitTests -resultFilePath=C:\temp\results.xml *The resultFilePath parameter is optional: It is used for specifying the path for storing the generated report of running all tests.

Integration Tests

Sometimes, unit tests are just too low-level. It is often desired to test multiple components, objects and the interaction between them. The package contains an Integration testing framework that allows creating and executing tests using real game objects and components in separate "test" scenes.

Writing Integration Tests

Integration tests, unlike unit tests, are not written in code. Instead, a new scene should be added to the project. This scene will contain test objects, each of which defines a single integration test.

Step by Step

Create a new scene used for testing (it can be helpful to have a naming convention for these scenes, so it's easier to remove them later on when building the game). Open the Integration Test Runner (from the toolbar menu). IntegrationTestRunnerToolbar.png A new integration test is added using the + sign. When adding a test, a Test Runner object is also automatically added to the scene. IntegrationTestRunner1.png Pressing + adds a new test object to the scene hierarchy. Under this test object, all game objects that are needed for the integration test are added. For example - a Sphere object was added under the new test: IntegrationTestHierarchy.png The CallTesting script is added to this sphere: CallTesting.png

Execution Flow

  1. The integration test runner will clean up the scene and, for every test, will create all game objects under that test (the Sphere in this case).
  2. The integration test runs in the scene with all the real game objects that were created.
  3. In this example, the Sphere uses the CallTesting helper script. This simply calls Testing.Pass() to pass the test. An integration test can pass/fail in other ways as well (see documentation).
The nice thing is that each test is run independently from others (the runner cleans up the scene before each test). Also, real game objects with their real logic can be used, making integration tests a very strong way to test your game objects in a separate, isolated scene. The integration test runner can also be invoked from code, making it possible to run all tests from the command line: Unity.exe -batchmode -projectPath PATH_TO_YOUR_PROJECT -executeMethod UnityTest.Batch.RunIntegrationTests -testscenes=scene1,scene2 -targetPlatform=StandaloneWindows -resultsFileDirectory=C:\temp\ *See the documentation for the different parameters needed for command line execution.

Assertion Component

The assertion component is the final piece of the puzzle. While not being strictly related to testing per se, it can be extremely useful for debugging hard to trace issues. The way it works is by configuring assertions and when they should be tested. An assertion is an equality comparison between two given arguments and in the case where it fails, an error is raised (the editor can be configured to pause if 'Error Pause' is set in the Console window). If you're familiar with NUnit's Assert class (demonstrated above), the assertion component provides a similar experience, without having to writing the code for it.

Working with Assertions

After adding the assertion component to a game object you should configure what is the comparison to be performed and when should it be performed. AssertionComponent.png

Step by Step

  1. Select a comparer type (BoolComparer in the screenshot above, but there are more out of the box). This affects the fields that can be compared (bool type in this case).
  2. Select what to compare - the dropdown automatically gets populated with all available fields, depending on the comparer that was selected. These may come from the game object the assertion component was added to, from other added components on the game object or other static fields.
  3. Select what to compare to - under "Compare to type" you can select another game object or a constant value to compare to.
  4. Select when to perform the comparison (in the screenshot above the comparison is performed in the OnDestroy method). It is possible to have multiple selections as well.
When running the game, the configured assertion is executed (in the screenshot above - on every OnDestroy method, MainCamera.Camera.hdr will be checked that it matches Cube.gameObject.isStatic. When setting up multiple assertions, the Assertion Explorer window provides a high level view of all configured assertions (accessed from the toolbar menu): AssertionExplorer.png The assertion component, when mixed with "Error Pause" can be used as a "smart breakpoint" - complex assertions and comparisons can be set up in different methods. When these fail the execution will break. Performing this while the debugger is attached can be an extremely efficient way to debug hard to find errors in your code.

Conclusion

Unity Test Tools provides a solid framework for writing and executing unit tests. For the first time, the tools needed for automated testing are provided in a single package. The fact that these are released and used internally by Unity shows their commitment and the importance of automated testing. In case you don't test your code and wanted to start out - now would be an awesome time to do so.

Links

Books

The Art of Unit Testing / Roy Osherove (Amazon) Unit Testing Succinctly / SyncFusion (Free Download) xUnit Test Patterns / Gerard Meszaros (Amazon)

Tools/Frameworks

This is a list of a few mocking frameworks worth checking out: NUnit NSubstitute Moq FakeItEasy

Blogs/Articles

http://blogs.unity3d.com/2013/12/18/unity-test-tools-released/ http://blogs.unity3d.com/2014/03/12/unity-test-tools-1-2-have-been-released/
Cancel Save
0 Likes 3 Comments

Comments

Gaiiden

In the last ordered list, number 2:

Select what to compare – the dropdown automatically gets populated with all available fields, depending on the comparer that was selected. These may come from the game object the assertion component was added to, from other added components or other static fields. What you’ll be comparing is a field that’s available on the game object the assertion component was added to or any of the other c*<---

Not sure what was meant to be said at the end

May 23, 2014 02:22 AM
Liort

@Gaiiden - nice catch. Updated. Thanks

May 23, 2014 04:08 PM
Liort

Note that the example i gave for instantiating a MonoBehaviour derived class using its constructor is discouraged by Unity, as these are created by the engine itself. It is better off to use the "Humble Object" pattern, see this post for further details:

http://blogs.unity3d.com/2014/06/03/unit-testing-part-2-unit-testing-monobehaviours/

June 21, 2014 09:33 AM
You must log in to join the conversation.
Don't have a GameDev.net account? Sign up!

This article introduces Unity Test Tools - an official solution for creating and executing automated tests for Unity projects without leaving the comforts of the editor.

Advertisement

Other Tutorials by Liort

Advertisement