Book Image

Using Node.js for UI Testing

By : Pedro Teixeira
Book Image

Using Node.js for UI Testing

By: Pedro Teixeira

Overview of this book

<p>Automating tests for your user interfaces has always been the holy grail of programming. Now, using Zombie.js and Mocha you can create and quickly run your tests, allowing you to test even small changes. Increase your confidence in the code and minimize the number of times you have to use a real browser while you develop.</p> <p>"Using Node.js for UI Testing" is a quick and thorough guide on how to automatically test your web app, keeping it rock solid and bug-free. You will learn how to simulate complex user behaviour and verify that your application behaves correctly.</p> <p>You will create a web app in Node.js that uses complex user interactions and AJAX; by the end you will be able to fully test it from the command-line. Then you will start creating the user interface tests for this application using Mocha as a framework and Zombie.js as a headless browser.</p> <p>You will also create a complete test suite, module by module, testing simple and complex user interactions.</p>
Table of Contents (15 chapters)

Using before and after hooks


For any given group of tests, you can set certain pieces of code to run before or after all the tests. This can be useful for setting up databases, cleaning up some state after the tests, or generally, for setting up or tearing down some state that you need in order to run the test itself.

In this next example, the function named runBefore runs before any of the described tests:

describe('some feature', function() {
  
  before(function runBefore() {
    console.log('running before function...');  });

  it('should do A', function() {
    console.log('test A');
  });

  it('should do B', function() {
    console.log('test B');
  });
});

Save this file code into a file named test.js and install Mocha locally:

$ npm install mocha

Run the tests:

$ node_modules/.bin/mocha test.js

It should give you the following output:

  running before function...
test A
.test B
.

  ✔ 2 tests complete (6ms)

In a similar way, you can also specify a function to be executed after all the...