I need to test this function :
//user.js
function getUser(req, res, next){
helper.get_user(param1, param2, (err, file) => {
if (err) return next(err);
}
This is my test function :
it ("failed - helper.get_user throws error", sinon.test(function () {
var req, res;
var get_user = this.stub(helper, "get_user")
get_user.yields(new Error("message"));
var next = sinon.spy(next);
user.get_user(req, res, next);
expect(next).to.have.been.calledWith(new Error("other message"));
}))
For my assertion I'm using sinon-chai syntax.
This test is passing even though I would expect it to fail, because my code doesn't throw a message with the error.
How can I test that an error is thrown with correct message?
A more complete example to complement @Alex response:
expect(next).to.have.been.calledWith(
sinon.match.instanceOf(Error)
.and(sinon.match.has(
'message',
'Some message',
)
)
);
What I usually do is:
const next = stub();
someMiddleware(req, res, next);
expect(next).to.have.been.called();
const errArg = next.firstCall.args[0];
expect(errArg).to.be.instanceof(Error);
expect(errArg.message).to.equal("Your message");
Note that I am using dirty-chai to be eslint friendly.
HTH,
Since you are using Sinon, you could also take advantage of the matchers. For example:
const expectedErr = { message: 'Your message' }
sinon.assert.calledWith(next, sinon.match(expectedErr))
This will check against a plain object. A more precise check would be
const expectedErr = sinon.match.instanceOf(Error)
.and(sinon.match.has('message', 'Your message'))
sinon.assert.calledWith(next, sinon.match(expectedErr))
Check out this GitHub issue for more details.
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With