I have a function which throws an object, how can I assert that the correct object is thrown in jest?
JavaScript
x
16
16
1
it('should throw', () => {
2
3
const errorObj = {
4
myError: {
5
name: 'myError',
6
desc: 'myDescription'
7
}
8
};
9
10
const fn = () => {
11
throw errorObj;
12
}
13
14
expect(() => fn()).toThrowError(errorObj);
15
});
16
https://repl.it/repls/FrayedViolentBoa
Advertisement
Answer
If you are looking to test the contents of a custom error (which I think is what you are trying to do). You could catch the error then perform an assertion afterwards.
JavaScript
1
13
13
1
it('should throw', () => {
2
let thrownError;
3
4
try {
5
fn();
6
}
7
catch(error) {
8
thrownError = error;
9
}
10
11
expect(thrownError).toEqual(expectedErrorObj);
12
});
13
As Dez has suggested the toThrowError function will not work if you do not throw an instance of a javascript Error object. However, you could create your custom error by decorating an instance of an error object.
e.g.
JavaScript
1
5
1
let myError = new Error('some message');
2
myError.data = { name: 'myError',
3
desc: 'myDescription' };
4
throw myError;
5
Then once you had caught the error in your test you could test the custom contents of the error.
JavaScript
1
3
1
expect(thrownError.data).toEqual({ name: 'myError',
2
desc: 'myDescription' });
3