i need to cover my code with some unit tests and in one of then i have the following situation.
app.tsx
JavaScript
x
10
10
1
async someMethod(
2
.
3
.
4
.
5
window.location.replace(sessionStorage.getItem(REDIRECT_VALUE));
6
.
7
.
8
.
9
)
10
and in my test file
JavaScript
1
7
1
window.location.replace = jest.fn();
2
.
3
.
4
somevariable.SomeMethod = jest.fn();
5
6
expect(window.location.replace).toHaveBeenCalledWith("some url to redirect on");
7
i’m getting the followein error : Cannot assign to read only property ‘replace’ of object ‘[object Location]’
i’ve tried other aproachs like
JavaScript
1
7
1
backupState = window.location
2
delete window.location;
3
window.location = Object.assign(new URL("https://example.org"), {
4
ancestorOrigins: "",
5
replace: jest.fn()
6
});
7
});
but i get different erros for each one of them, is there another way of doing it?
Previously i was using :
JavaScript
1
2
1
history.location.push(sessionStorage.getItem(REDIRECT_VALUE));
2
and
JavaScript
1
2
1
expect(auth.history.push).toHaveBeenCalled();
2
and in that case the test went OK.
Advertisement
Answer
One way to test it is:
Create a mock function to location.replace
:
JavaScript
1
2
1
const replaceMock = jest.fn();
2
And spyOn window
, replacing location object and setting the replaceMock
to replace.
Complete test example:
JavaScript
1
17
17
1
const replaceMock = jest.fn();
2
3
describe('replace Location test ', () => {
4
5
it('should call location with specific arg', () => {
6
jest.spyOn(global as any, 'window', 'get').mockImplementationOnce(() => ({
7
location: {
8
replace: replaceMock,
9
},
10
}));
11
12
someMethod();
13
14
expect(replaceMock).toBeCalledWith('XX Value you want to test XX');
15
});
16
});
17