I try to handle Unauthorized
error from server using redux-saga. This is my saga:
JavaScript
x
9
1
function* logIn(action) {
2
try {
3
const user = yield call(Api.logIn, action);
4
yield put({type: types.LOG_IN_SUCCEEDED, user});
5
} catch (error) {
6
yield put({type: types.LOG_IN_FAILED, error});
7
}
8
}
9
I fetch data like this:
JavaScript
1
23
23
1
fetchUser(action) {
2
const {username, password} = action.user;
3
const body = {username, password};
4
return fetch(LOGIN_URL, {
5
method,
6
headers: {
7
'Accept': 'application/json',
8
'Content-Type': 'application/json',
9
},
10
body: JSON.stringify(body)
11
})
12
.then(res => {
13
res.json().then(json => {
14
if (res.status >= 200 && res.status < 300) {
15
return json
16
} else {
17
throw res
18
}
19
})
20
})
21
.catch(error => {throw error});
22
}
23
But anyway result is {type: 'LOG_IN_SUCCEEDED', user: undefined}
when I expect {type: 'LOG_IN_FAILED', error: 'Unauthorized'}
. Where is my mistake? How to handle errors right using Redux-Saga?
Advertisement
Answer
Don’t handle the then
and error
in your fetchUser
method and your saga. Since you are already try
/catch
ing in your saga, you could handle it there.
Example
Saga
JavaScript
1
16
16
1
function* logIn(action) {
2
try {
3
const response = yield call(Api.logIn, action);
4
5
if (response.status >= 200 && response.status < 300) {
6
const user = yield response.json();
7
8
yield put({ type: types.LOG_IN_SUCCEEDED, user });
9
} else {
10
throw response;
11
}
12
} catch (error) {
13
yield put({ type: types.LOG_IN_FAILED, error });
14
}
15
}
16
Fetch
JavaScript
1
14
14
1
fetchUser(action) {
2
const { username, password } = action.user;
3
const body = { username, password };
4
5
return fetch(LOGIN_URL, {
6
method,
7
headers: {
8
'Accept': 'application/json',
9
'Content-Type': 'application/json',
10
},
11
body: JSON.stringify(body)
12
})
13
}
14
As a side note: I find fetch
‘s api a little awkward because it returns a then
-able response when you make a request. There are many libraries out there; personally I prefer axios
which returns json by default.