Tests are placed inside of classes we lovingly call Test Bundles.
No matter what style you decide to use, you will still end up building a Testing Bundle Class. This class will either containBDD stylesuites and specs or xUnit style method tests. You can create as many as you need and group them as necessary in different folders (packages) according to their features. Our test harness can be generated via the CLI or you can grab it from the installation folder /bx or cfml/test-harness. Here is the typical layout of the harness:
/tests - The test harness
/resources - Where you can place any kind of testing helpers, data, etc
/specs - Where your test bundles can go
Application.bx|cfc - Your test harness applilcation file. Controls life-cycle and application concerns.
runner.bx|cfm - A web runner template that executes ALL your tests with tons of different options from a running web server.
test.xml - An ANT task to do JUNIT testing.
You will be creating test classes inside the /tests/specs folders. The class can extend our base class: testbox.system.BaseSpec or not. If you do, then the tests will be faster, executable directly from a web server and you will get IDE introspection. However, TestBox doesn't enforce the inheritance.
My First Test
Typically test bundles are suffixed with the word Test or Spec, such as MyServiceSpec.bx or UserServiceTest.cfc
MyFirstSpec.bx
classextends="testbox.system.BaseSpec"{ function run(){describe( "My First Test", ()=>{ test( "it can add", ()=>{ expect( sum( 1,2 ) ).toBe( 3 ) } ) } ) }private function sum( a, b ){return a + b }}
MyTest.cfc
component extends="testbox.system.BaseSpec"{
function run(){
describe( "My First Test", ()=>{
test( "it can add", ()=>{
expect( sum( 1, 2 ) ).toBe( 3 );
} );
} );
}
private function sum( a, b ){
return a + b;
}
}
The CLI can assist you when creating new bundles:
# Create a BDD Bundletestboxcreatebdd--help# Create an xUnit Bundletestboxcreateunit--help# Examples# Remember that by convention it will create bundles at /tests/specstestboxcreatebddCalculatorTest--opentestboxcreateunitname=SecurityTestdirectory="tests/specs/unit/"
Now you can run your tests via the browser (http://localhost:port/tests/runner.cfm)
or via the CLI testbox run
Optional Inheritance
At runtime we provide the inheritance via mixins so you don't have to worry about it. However, if you want to declare the inheritance you can do so and this will give you the following benefits:
Some IDEs will be able to give you introspection for methods and properties
You will be able to use the HTML runner by executing directly the runRemote method on the CFC Bundle
Your tests will run faster
Injected Variables
At runtime, TestBox will inject several public variables into your testing bundle to help you with your testing.
$mockbox : A reference to MockBox
$assert : A reference to our Assertions library
$utility : A utility CFC
$customMatchers : A collection of custom matchers registered
$exceptionAnnotation : The annotation used to discover expected exceptions, defaults to expectedException
$testID : A unique identifier for the test bundle
$debugBuffer : The debugging buffer stream
Injected/Inherited Methods
Wether you inherit or not, your bundles will have a plethora of methods that will help you in your testing adeventure. Here is a link to the API Docs for the BaseSpec class:
Quick Assertion Methods
The BaseSpec has a few shortcut methods for quick assertions. Please look at the Assertions and Expectations library for more in-depth usage.
// Assert that the expression is truthyassert( expression, [message=""] )// Start an expectation with an actual value, returns the Expectation objectexpect( actual ) : Expectation// Fail now!fail( message )// In BoxLang you can use the dynamic assertions feature// Meaning you can execute any assertion method by just prefixing it with // the word `asssert{method}`assertIsEqual()assertIsTrue()assertIsFalse()... etc.// This leverages the dynamic on missing method in BoxLang but not available in CFML
Extension Methods
These methods allow you to extend TestBox with custom assertions and expectation matchers.
These methods assist you with identifying environment conditions.
// Which language/engine are you running onisAdobe()isLuceeisBoxLang()// What OS are we onisLinux()isMac()isWindows()// Get the Environment ClassgetEnv()
Java Environment
You can use the getEnv() to get access to our Environment utility object. From there you can use the following methods:
// Get a java property or environment setting or a default valuegetSystemSetting( required key, [defaultValue] )// Get a java system property ONLYgetSystemProperty( required key, [defaultValue] )// Get a java environment setting ONLYgetEnv( required key, [defaultValue] )// Get the java.lang.SystemgetJavaSystem()
Utility Methods
These methods are here to help you during the testing process. Every bundle also get's a debug buffer attached to its running results. This is where you as the developer can send pretty much any variable (simple or complex) and attach it to the debug buffer. This will then be presented acordingly in the test reporters or facilities.
// Send variables to the output consoleconsole(any var, [numeric top='9999'], [boolean showUDFs='false'], [string label=''])// Send data to the TestBox debug bufferdebug([any var], [string label=''], [boolean deepCopy='false'], [numeric top='999'], [boolean showUDFs='false'])// Clear the bufferclearDebugBuffer()// Get the debug buffergetDebugBuffer()// Writes to the Output Buffer (CLI, Browser)// Remember that if your test runs in the CLI, the buffer is the console// If you are in a webserver, the buffer is the browser outputprint( message )printLn( message )
Mocking Methods
TestBox is bundles with two amazing mocking facilities:
createMock([string className], [any object], [boolean clearMethods='false'])createEmptyMock([string className], [any object], [boolean callLogging='true'])prepareMock([any object], [boolean callLogging='true'])createStub([boolean callLogging='true'], [string extends=''], [string implements=''])// Create a mock query of dataquerySim( queryData )// Call the `mockData()` method on the MockDataCFCmockData( arguments )// Make a private/package method on a class publicmakePublic(any target, string method, [string newName=''])// Get the value of a private property on a classgetProperty( target, name, scope, defaultValue )// Get the MockBox classgetMockBox( [string generationPath=''] )
BDD Methods
These methods are used to create the BDD style of testing. You will discover them more in the BDD Tests section.