Jump to content

User:Joe0509/sandbox

From Wikipedia, the free encyclopedia
Mocha
Initial releaseNovember 22, 2011 (2011-11-22)
Stable release
2.3.4 / 15 November 2015; 9 years ago (2015-11-15)
Written inJavaScript
TypeTest automation framework
LicenseMIT
Websitemochajs.org

Mocha is a JavaScript test framework running on node.js, featuring browser support, asynchronous testing, test coverage reports, and use of any assertion library.

Installation

[edit]

Mocha is a powerful testing framework for Node.js so it can be easily installed mocha by npm command. Npm, the node package manager, is the default package manager for the JavaScript runtime environment Node.js. There are 3 steps to install Mocha:

  1. Setup file package.json with npm init
  2. Install: $ npm install -g mocha
  3. Check the local install version to make sure install successfully: $ mocha --version

Getting Start

[edit]

Mocha is easy to get start and using to test. Just use “mocha” command to test your Javascript code. For example, First, create a file named indexSpec.js:

describe('Sanitize', function() {
  it('returns lowercase of a string');
  it('removes any hyphen');
})

And then just run mocha indexSpec.js in the command line:

$ mocha indexSpec.js
Sanitize
 - returns lowercase of a string
 - removes any hyphen
0 passing (7ms)
2 pending

Assertion Libraries

[edit]

Assert module provides some assertion test that can be used to test invariants. There are a lot of assertion libraries for a node. You can use any assertion library in Mocha if you want, it will work when it throws an error. Mocha provides its users for five assertion libraries:

  • should.js
  • express.js
  • chai
  • better-assert
  • unexpected

should.js

[edit]

Should.js is BDD style assertions for node.js -- test framework. As for this assertion library, should is a readable framework-agnostic assertion library. It is used to keep your test code clean and make sure your error message can help your coding.

express.js

[edit]

Expect.js is used to minimalistic BDD-style assertions for Node.js and the browser. This library can be used in lots of the common internet browser, such as IE, Firefox, Safari, Chrome, Opera. expect.js also compatible with all test frameworks. In addition, this is also standalone. Single global with no prototype extensions or shims. Compared with should.js, expect.js API changes related to browser compatibility.

chai

[edit]

Chai is a BDD/TDD assertion library for node and the browser that can be delightfully paired with any javascript testing framework. There are several interface provided by Chai in order to allow developer use the most comfortable one. BDD styles provide an expressive language and readable style. As for TDD assert style, it provides more classical. And there are many plugins extend Chai assertions for developers to use.

better-assert

[edit]

Better-assert is a c-style assert for node.js, and it will report the expression string as the error message. It use callite for self document failure messages.

unexpected

[edit]

Unexpected assertion is an extensible BDD assertion toolkit. It can be extensible and run fast. This assertion library provides users helpful error message and also helps them correct when they misspells assertions. The same as the other assertions, this one also compatible with all test frameworks. Furthermore, unexpected assertion supports asynchronous assertions using promises, single global with no prototype extensions or shims and cross-browser: works on Chrome, Firefox, Safari, Opera, IE6+, (IE6-IE8 with es5-shim).

Synchronous Code

[edit]

Synchronous means it waits for each operation to complete after that only it executes the next operation. Test synchronous code is much easier than test asynchronous code. When testing synchronous code, just omit the callback and then Mocha will automatically continue with the next step of the test.

describe('Array', function() {
  describe('#indexOf()', function() {
    it('should return -1 when the value is not present', function() {
      [1,2,3].indexOf(5).should.equal(-1);
      [1,2,3].indexOf(0).should.equal(-1);
    });
  });
});

Asynchronous Code

[edit]

Asynchronous will never wait for each operation to complete, rather it executes all operations in the first GO only. The result of each operation will be handled once the result is available. So, test synchronous code is difficult because users always want to test things after they complete. But to know when it completed is not directly possible in Javascript, if want to test asynchronous, first attempts are led it to rely heavily on timeouts. When testing it with Mocha, simply invoke the callback when your test is complete. So, users need to add a callback to it(), in order to let Mocha know that it should wait for the completion. There exist a function called done() can helps. Besides use function done() to a callback, developers can also return a Promise. This is useful if the code you are testing return promises instead of taking callbacks.

describe('User', function() {
  describe('#save()', function() {
    it('should save without error', function(done) {
      var user = new User('Luna');
      user.save(function(err) {
        if (err) throw err;
        done();
      });
    });
  });
});

Arrow Functions

[edit]

Compared to function expression, arrow function has a shorter syntax and lexically binds the value. And arrow function are always anonymous. When testing arrow functions in Mocha, it’s discouraged when passing to Mocha. Their lexical binding of the this value makes them unable to access the Mocha context, and statements like this.timeout(1000) will not work inside an arrow function.

Hooks

[edit]

Hook is some logic, typically a function or a few statements, which is executed when the associated event happens. Hook is a RESTful and extendable Backend as a Service that provides an instant backend to develop sites and apps faster, with dead-simple integration for javascript, iOS, Android. It has lots of features:

  • Multitenancy (same instance may be used for many apps)
  • User authentication (register, login, reset password)
  • Data persistence through collections
  • Data storage through many providers
  • Real-time communication through WAMP subprotocol (WebSockets).
  • Package management through composer
describe('hooks', function() {

  before(function() {
    // runs before all tests in this block
  });

  after(function() {
    // runs after all tests in this block
  });

  beforeEach(function() {
    // runs before each test in this block
  });

  afterEach(function() {
    // runs after each test in this block
  });

  // test cases
});

Mocha also has hooks that are executed in different parts of suites, before the whole suite and before each test. Mocha has hooks like before(), after(), befroeEach(), afterEach() to set up preconditions and clean up your tests. All hooks can be invoked with an optional description, making it easier to pinpoint errors in your tests. If hooks are given named functions, those names will be used if no description is supplied. All hooks support asynchronous modes just like a regular test-case.

You may also pick any file and add "root"-level hooks. For example, add beforeEach()outside of all describe() blocks. This will cause the callback to beforeEach() to run before any test case, regardless of the file it lives in (this is because Mocha has a hidden describe() block, called the "root suite"). Furthermore, If you need to perform asynchronous operations before any of your suites are run, you may delay the root suite. Simply run Mocha with the --delay flag. This will provide a special function, run(), in the global context.

Pending Test

[edit]

Pending test-cases are simply those without callback. And pending tests will be reported as such:

describe('Array', function() {
  describe('#indexOf()', function() {
    // pending test below
    it('should return -1 when the value is not present');
  });
});

Exclusive Tests

[edit]

Exclusive allow users to run the specified suite or test case by appending. only() is the function for this feature.

describe('Array', function() {
  describe.only('#indexOf()', function() {
    // ...
  });
});

Inclusive Tests

[edit]

This is the opposite of the exclusive test. By appending, skip() is the function. You can make Mocha ignore these suites or test case.

describe('Array', function() {
  describe('#indexOf()', function() {
    it.skip('should return -1 unless present', function() {
      // ...
    });

    it('should return the index when present', function() {
      // ...
    });
  });
});

Dynamically Generating Tests

[edit]

Mocha provide dynamically generate test function: function.prototype.call and function expressions to define suites and test cases. Users don’t need to use special syntax.

var assert = require('assert');

function add() {
  return Array.prototype.slice.call(arguments).reduce(function(prev, curr) {
    return prev + curr;
  }, 0);
}

describe('add()', function() {
  var tests = [
    {args: [1, 2],       expected: 3},
    {args: [1, 2, 3],    expected: 6},
    {args: [1, 2, 3, 4], expected: 10}
  ];

  tests.forEach(function(test) {
    it('correctly adds ' + test.args.length + ' args', function() {
      var res = add.apply(null, test.args);
      assert.equal(res, test.expected);
    });
  });
});

Usage and examples

[edit]
$ npm install -g mocha
$ mkdir test
var assert = require("assert")
describe('Foo', function(){
  describe('#getBar(value)', function(){
    it('should return 100 when value is negative') // placeholder
    it('should return 0 when value is positive', function(){
      assert.equal(0, Foo.getBar(10));
    })
  })
})

$ mocha
.
1 test complete (1ms)

For asynchronous testing, invoke the callback, and Mocha will wait for completion.

describe('Foo', function(){
  describe('#bar()', function(){
    it('should work without error', function(done){
      var foo = new Foo(128);
      foo.bar(done);
    })
  })
})

See also

[edit]

References

[edit]
[edit]

Category:JavaScript libraries Category:Software using the MIT license