编写单元测试在javascript中使用jwt标记的方法

时间:2018-02-19 08:21:02

标签: javascript unit-testing jwt sinon ava

我一直在尝试在javascript中为使用jwt令牌验证的方法编写单元测试。因此,只有在令牌有效时才会获取结果。

我想模拟jwt令牌并返回结果。有什么办法吗?我尝试使用av​​a测试框架,模拟require,sinon但我无法做到。

有什么想法吗?

代码:

I am trying to mock jwt.verify    

**unit test:**

const promiseFn = Promise.resolve({ success: 'Token is valid' });

mock('jsonwebtoken', {
        verify: function () {         
            return promiseFn;   
        }
});

const jwt = require('jsonwebtoken');

const data =  jwt.verify(testToken,'testSecret');

console.log(data)


**Error :**

ERROR
    {"name":"JsonWebTokenError","message":"invalid token"} 


So the issue here is that, its actually verifying the token but not invoking the mock.

1 个答案:

答案 0 :(得分:4)

模块是Node.js中的单例。因此,如果您在测试中需要“jwt”,然后在业务逻辑中需要它,那么它将成为同一个对象。

因此,您可以在测试中使用'jwt'模块,然后模拟verify方法。

此外,重要的是在测试完成后不要忘记restore模拟。

以下是您想要完成的最小工作示例(使用ava和sinon):

const test = require('ava');
const sinon = require('sinon');
const jwt = require('jsonwebtoken');

let stub;

test.before(t => {
    stub = sinon.stub(jwt, 'verify').callsFake(() => {
        return Promise.resolve({success: 'Token is valid'});
    });
})

test('should return success', async t => {
    const testToken = 'test';
    const testSecret = 'test secret';

    const result = await jwt.verify(testToken, testSecret);

    console.log(result);

    t.is(result.success, 'Token is valid');
});

test.after('cleanup', t => {
    stub.restore();
})