Testing

Deno has a built-in test runner that you can use for testing JavaScript or TypeScript code.

deno test will search in ./* and ./**/* recursively, for test files:

  • named test.{ts, tsx, js, mjs, jsx},
  • or ending with .test.{ts, tsx, js, mjs, jsx},
  • or ending with _test.{ts, tsx, js, mjs, jsx}

Writing tests

To define a test you need to register it with a call to Deno.test with a name and function to be tested. There are two styles you can use.

  1. import { assertEquals } from "https://deno.land/std@$STD_VERSION/testing/asserts.ts";
  2. // Simple name and function, compact form, but not configurable
  3. Deno.test("hello world #1", () => {
  4. const x = 1 + 2;
  5. assertEquals(x, 3);
  6. });
  7. // Fully fledged test definition, longer form, but configurable (see below)
  8. Deno.test({
  9. name: "hello world #2",
  10. fn: () => {
  11. const x = 1 + 2;
  12. assertEquals(x, 3);
  13. },
  14. });

Async functions

You can also test asynchronous code by passing a test function that returns a promise. For this you can use the async keyword when defining a function:

  1. import { delay } from "https://deno.land/std@$STD_VERSION/async/delay.ts";
  2. Deno.test("async hello world", async () => {
  3. const x = 1 + 2;
  4. // await some async task
  5. await delay(100);
  6. if (x !== 3) {
  7. throw Error("x should be equal to 3");
  8. }
  9. });

Running tests

To run the test, call deno test with the file that contains your test function. You can also omit the file name, in which case all tests in the current directory (recursively) that match the glob {*_,*.,}test.{js,mjs,ts,jsx,tsx} will be run. If you pass a directory, all files in the directory that match this glob will be run.

  1. # Run all tests in the current directory and all sub-directories
  2. deno test
  3. # Run all tests in the util directory
  4. deno test util/
  5. # Run just my_test.ts
  6. deno test my_test.ts

deno test uses the same permission model as deno run and therefore will require, for example, --allow-write to write to the file system during testing.

To see all runtime options with deno test, you can reference the command line help:

  1. deno help test

Filtering

There are a number of options to filter the tests you are running.

Command line filtering

Tests can be run individually or in groups using the command line --filter option.

The filter flags accept a string or a pattern as value.

Assuming the following tests:

  1. Deno.test({ name: "my-test", fn: myTest });
  2. Deno.test({ name: "test-1", fn: test1 });
  3. Deno.test({ name: "test2", fn: test2 });

This command will run all of these tests because they all contain the word “test”.

  1. deno test --filter "test" tests/

On the flip side, the following command uses a pattern and will run the second and third tests.

  1. deno test --filter "/test-*\d/" tests/

To let Deno know that you want to use a pattern, wrap your filter with forward-slashes like the JavaScript syntactic sugar for a REGEX.

Test definition filtering

Within the tests themselves, you have two options for filtering.

Filtering out (Ignoring these tests)

Sometimes you want to ignore tests based on some sort of condition (for example you only want a test to run on Windows). For this you can use the ignore boolean in the test definition. If it is set to true the test will be skipped.

  1. Deno.test({
  2. name: "do macOS feature",
  3. ignore: Deno.build.os !== "darwin",
  4. fn() {
  5. doMacOSFeature();
  6. },
  7. });

Filtering in (Only run these tests)

Sometimes you may be in the middle of a problem within a large test class and you would like to focus on just that test and ignore the rest for now. For this you can use the only option to tell the test framework to only run tests with this set to true. Multiple tests can set this option. While the test run will report on the success or failure of each test, the overall test run will always fail if any test is flagged with only, as this is a temporary measure only which disables nearly all of your tests.

  1. Deno.test({
  2. name: "Focus on this test only",
  3. only: true,
  4. fn() {
  5. testComplicatedStuff();
  6. },
  7. });

Failing fast

If you have a long-running test suite and wish for it to stop on the first failure, you can specify the --fail-fast flag when running the suite.

  1. deno test --fail-fast

Integration with testing libraries

Deno’s test runner works with popular testing libraries like Chai, Sinon.JS or fast-check.

For example integration see:

Example: spying on a function with Sinon

Test spies are function stand-ins that are used to assert if a function’s internal behavior matches expectations. Sinon is a widely used testing library that provides test spies and can be used in Deno by importing it from a CDN, such as Skypack:

  1. import sinon from "https://cdn.skypack.dev/sinon";

Say we have two functions, foo and bar and want to assert that bar is called during execution of foo. There are a few ways to achieve this with Sinon, one is to have function foo take another function as a parameter:

  1. // my_file.js
  2. export function bar() {/*...*/}
  3. export function foo(fn) {
  4. fn();
  5. }

This way, we can call foo(bar) in the application code or wrap a spy function around bar and call foo(spy) in the testing code:

  1. import sinon from "https://cdn.skypack.dev/sinon";
  2. import { assertEquals } from "https://deno.land/std@$STD_VERSION/testing/asserts.ts";
  3. import { bar, foo } from "./my_file.js";
  4. Deno.test("calls bar during execution of foo", () => {
  5. // create a test spy that wraps 'bar'
  6. const spy = sinon.spy(bar);
  7. // call function 'foo' and pass the spy as an argument
  8. foo(spy);
  9. assertEquals(spy.called, true);
  10. assertEquals(spy.getCalls().length, 1);
  11. });

If you prefer not to add additional parameters for testing purposes only, you can also use sinon to wrap a method on an object instead. In other JavaScript environments bar might have been accessible via a global such as window and callable via sinon.spy(window, "bar"), but in Deno this will not work and instead you can export an object with the functions to be tested. This means rewriting my_file.js to something like this:

  1. // my_file.js
  2. function bar() {/*...*/}
  3. export const funcs = {
  4. bar,
  5. };
  6. // 'foo' no longer takes a parameter, but calls 'bar' from an object
  7. export function foo() {
  8. funcs.bar();
  9. }

And then import in a test file:

  1. import sinon from "https://cdn.skypack.dev/sinon";
  2. import { assertEquals } from "https://deno.land/std@$STD_VERSION/testing/asserts.ts";
  3. import { foo, funcs } from "./my_file.js";
  4. Deno.test("calls bar during execution of foo", () => {
  5. // create a test spy that wraps 'bar' on the 'funcs' object
  6. const spy = sinon.spy(funcs, "bar");
  7. // call function 'foo' without an argument
  8. foo();
  9. assertEquals(spy.called, true);
  10. assertEquals(spy.getCalls().length, 1);
  11. });