mocha ,现在最流行的JavaScript测试框架之一,在浏览器和Node环境都可以使用,下面简单介绍具体使用流程,更深入的课程可以参考一下官方网站:
- https://mochajs.org
- http://chaijs.com
- http://www.ruanyifeng.com/blog/2015/12/a-mocha-tutorial-of-examples.html
1:安装
首先我们全局安装mocha
$ npm install --global mocha
2:创建一个目录,然后初始化项目
npm init
3: 安装断言库
npm install --save-dev chai
4:创建需要被测试的文件,例如测试2个数字相加calc.js
/**
* 计算两个数字的和
*@param(number) x第一个求和的数字
*@param(number) y第二个求和的数字
*@param(number) 返回x + y 的求和结果
*/
function add (x, y) {
return x + y
}
module.exports.add = add;
5:在当前主目录下创建测试脚本文件./test/calc.test.js,用来测试calc.js
var add = require("../calc.js").add;
var expect = require('chai').expect;
describe('加法表达式的测试',function(){
it('0 + 0 = 0', function() {
expect(add(0, 0)).to.be.equal(0)
});
it('0 + 1 = 1', function() {
expect(add(0, 1)).to.be.equal(1)
});
it('0 - 1 = -1', function() {
expect(add(0, -1)).to.be.equal(-1)
})
});
上面这段代码,就是测试脚本,它可以独立执行。测试脚本里面应该包括一个或多个describe块,每个describe块应该包括一个或多个it块。
describe块称为"测试套件"(test suite),表示一组相关的测试。它是一个函数,第一个参数是测试套件的名称("加法函数的测试"),第二个参数是一个实际执行的函数。
it块称为"测试用例"(test case),表示一个单独的测试,是测试的最小单位。它也是一个函数,第一个参数是测试用例的名称("1 加 1 应该等于 2"),第二个参数是一个实际执行的函数。
断言库的用法
expect(add(0, 0)).to.be.equal(0)
所谓"断言",就是判断源码的实际执行结果与预期结果是否一致,如果不一致就抛出一个错误。上面这句断言的意思是,调用add(0, 0),结果应该等于0。所有的测试用例(it块)都应该含有一句或多句的断言。它是编写测试用例的关键。断言功能由断言库来实现,Mocha本身不带断言库,所以必须先引入断言库。
var expect = require('chai').expect;
断言库有很多种,Mocha并不限制使用哪一种。上面代码引入的断言库是chai,并且指定使用它的expect断言风格。
expect断言的优点是很接近自然语言,下面是一些例子。
// 相等或不相等
expect(4 + 5).to.be.equal(9);
expect(4 + 5).to.be.not.equal(10);
expect(foo).to.be.deep.equal({ bar: 'baz' });
// 布尔值为true
expect('everthing').to.be.ok;
expect(false).to.not.be.ok;
// typeof
expect('test').to.be.a('string');
expect({ foo: 'bar' }).to.be.an('object');
expect(foo).to.be.an.instanceof(Foo);
// include
expect([1,2,3]).to.include(2);
expect('foobar').to.contain('foo');
expect({ foo: 'bar', hello: 'universe' }).to.include.keys('foo');
// empty
expect([]).to.be.empty;
expect('').to.be.empty;
expect({}).to.be.empty;
// match
expect('foobar').to.match(/^foo/);
6:命令行进入当前主目录,执行测试
<!--直接执行mocha-->
$ mocha
<!--执行此命令会默认执行test/ 目录下的测试脚本文件-->
<!--测试结果如下所示-->
加法表达式的测试
✓ 0 + 0 = 0
✓ 0 + 1 = 1
✓ 0 - 1 = -1
3 passing (9ms)