npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

testing

v3.1.0

Published

Simple asynchronous testing framework. Never again count your asserts! This tiny testing library is fully callback-based and has a rich API for asserts.

Downloads

167,468

Readme

Build Status

Simple async testing library for node.js. Better suited to asynchronous tests than other libraries since it uses callbacks to get results.

Now shows results in pretty colors!

Installation

Just run: $ npm install testing

Or add package testing to your package.json dependencies.

Compatibility

Version 3 is an ES6 module, and should be used at least with Node.js v16 or later. Versions 2 should be used at least with Node.js v8 or later.

  • Node.js v16 or later, ES module: ^3.0.0.
  • Node.js v8 or later: ^2.0.0.
  • Node.js v6 or earlier: ^1.1.0.

Usage

Add asynchronous testing to your code very easily. Import the library:

import testing from 'testing';

Unit tests

Add a test function to your code, checking if results are what should be expected:

    function testAdd(callback)
    {
		testing.assertEquals(add(1, 1), 2, 'Maths fail', callback);
		testing.success(callback);
    }

Run an async test to read the contents of a file and check it is not empty:

    async function testAsync() {
        const result = await fs.promises.readFile('file.txt')
        testing.assert(result, 'Empty file', callback)
    }

Or, with callbacks:

    function testAsync(callback)
    {
        fs.readFile('file.txt', function(error, result)
        {
            if (error)
            {
                testing.failure('File not read', callback);
            }
            testing.assert(result, 'Empty file', callback);
            testing.success(callback);
        });
    }

Running all tests

Pass an array to testing.run() to run all tests sequentially:

testing.run([
	testAdd,
	testAsync,
], callback);

Usually tests are stored in a separate file. Each test file will export its tests as a function, e.g. testAdd(). An aggregate file will run all package tests directly:

import testing from 'testing'
import testAdd from './testAdd.js'
import testAsync from './testAsync.js'

/**
 * Run package tests.
 */
function test(callback) {
	var tests = [
		testAdd,
		testAsync,
	];
	testing.run(tests, callback);
};
	
test(testing.show);

Tests are run every time this aggregate file is invoked directly:

 $ node test/all.js

API

Implementation is very easy, based around three functions.

Basics

Callbacks are used for asynchronous testing. They follow the usual node.js convention:

    callback(error, result);

When no callback is passed, synchronous testing is performed.

testing.success([message], [callback])

Note success for the current test. An optional message is shown if there is no callback.

If there is a callback, then it is called with the message. Default message: true.

Example:

    testing.success(callback);

testing.failure([message], [callback])

Note failure for the current test.

If the callback is present, calls the callback with the error:

    callback(message);

Otherwise the message is shown using console.error(). Default message: 'Error'.

Example:

    testing.failure('An error happened', callback);

testing.fail([message], [callback])

Alias to testing.failure().

testing.run(tests, [timeout], [callback])

Run a set of tests. The first parameter is an object containing one attribute for every testing function.

The tests are considered as a failure when a certain configurable timeout has passed. The timeout parameter is in milliseconds. The default is 2 seconds per test.

When the optional callback is given, it is called after a failure or the success of all tests. The callback has this signature, following the usual Node.js syntax:

function (error, result) {
    ...
}

error will contain the results of the tests when they fail. result will contain the results when they succeed.

Example:

    testing.run({
        first: testFirst,
        second: testSecond,
    }, 1000, callback);

For each attribute, the key is used to display success; the value is a testing function that accepts an optional callback.

Note: testing uses async to run tests in series.

Asserts

There are several utility methods for assertions.

testing.verify(condition, [message], [callback])

testing.assert(condition, [message], [callback])

Checks condition; if true, does nothing. Otherwise calls the callback passing the message, if present.

When there is no callback, just prints the message to console.log() for success, console.error() for errors. Default message: 'Assertion error'.

Example:

    testing.verify(shouldBeTrue(), 'shouldBeTrue() should return a truthy value', callback);

testing.equals(actual, expected, [message], [callback])

testing.assertEquals(actual, expected, [message], [callback])

Check that the given values are equal. Uses weak equality (==).

Message and callback behave just like above.

Example:

    testing.equals(getOnePlusOne(), 2, 'getOnePlusOne() does not work', callback);

testing.notEquals(actual, unexpected, [message], [callback])

testing.assertNotEquals(actual, unexpected, [message], [callback])

Inverse of the above, check that the given values are not equal. Uses weak inequality (!=).

testing.contains(container, piece, [message], [callback])

Check that the container contains the piece. Works for strings and arrays.

Message and callback behave just like above.

Example:

testing.contains('Big string', 'g s', 'Does not contain', callback);

testing.check(error, [message], [callback])

Check there are no errors. Almost the exact opposite of an assertion: if there is an error, count as a failure. Otherwise, do nothing.

Example:

    testing.check(error, 'There should be no errors', callback);

Similar to over the following code:

    testing.assert(!error, 'There should be no errors', callback);

But with the advantage that it shows the actual error message should there be one.

Showing results

You can use your own function to show results. The library provides a premade callback:

testing.show(error, result)

Show an error if present, a success if there was no error.

Example:

    testing.run(tests, testing.show);

This line can be run at the end of every code file to run its set of tests.

testing.showComplete(error, result)

Like testing.show(), but shows the complete hierarchical tree of tests. Test information is therefore duplicated: once shown while running, another after all tests.

Example:

    exports.test(testing.showComplete);

testing.toShow(tester)

Returns a function with a callback as parameter, that runs the tests, shows results and invokes the callback. Useful to insert in some callback loop.

Example:

    var tasks = [testing.toShow(test1), testing.toShow(test2)];
    async.parallel(tasks, function()
    {
        console.log('All tests run');
    });

Runs a couple of tests in parallel, showing their results as they finish.

Sample code

This library is tested using itself, check it out! https://github.com/alexfernandez/testing/blob/master/test.js

License

(The MIT License)

Copyright (c) 2013-2023 Alex Fernández [email protected]

Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the 'Software'), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.