Как обрабатывать ошибки в ответах fetch () с помощью Redux-Saga?
Я пытаюсь справиться Unauthorized
ошибка с сервера с помощью redux-saga. Это моя сага:
function* logIn(action) {
try {
const user = yield call(Api.logIn, action);
yield put({type: types.LOG_IN_SUCCEEDED, user});
} catch (error) {
yield put({type: types.LOG_IN_FAILED, error});
}
}
я получаю такие данные:
fetchUser(action) {
const {username, password} = action.user;
const body = {username, password};
return fetch(LOGIN_URL, {
method,
headers: {
'Accept': 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify(body)
})
.then(res => {
res.json().then(json => {
if (res.status >= 200 && res.status < 300) {
return json
} else {
throw res
}
})
})
.catch(error => {throw error});
}
но в любом случае результат {type: 'LOG_IN_SUCCEEDED', user: undefined}
когда я ожидаю {type: 'LOG_IN_FAILED', error: 'Unauthorized'}
. Где моя ошибка? Как правильно обрабатывать ошибки с помощью Redux-Saga?
3 ответов
не обрабатывать then
и error
в своем fetchUser
метод и ваша сага. Так как вы уже try
/catch
ing в вашей саге, вы могли бы справиться с этим там.
пример
Сага
function* logIn(action) {
try {
const response = yield call(Api.logIn, action);
if (response.status >= 200 && response.status < 300) {
const user = yield response.json();
yield put({ type: types.LOG_IN_SUCCEEDED, user });
} else {
throw response;
}
} catch (error) {
yield put({ type: types.LOG_IN_FAILED, error });
}
}
Fetch
fetchUser(action) {
const { username, password } = action.user;
const body = { username, password };
return fetch(LOGIN_URL, {
method,
headers: {
'Accept': 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify(body)
})
}
в качестве примечания: я нахожу fetch
api немного неудобно, потому что он возвращает then
-смог ответ, когда вы делаете запрос. Там много библиотек; лично я предпочитаю axios
который возвращает json по умолчанию.
Если вы хотите, чтобы оператор if подтвердил статус ответа if(res.status >= 200 && res.status < 300) {
вам нужно иметь его внутри вашего первого обещания, где res определен, в настоящее время он находится внутри разрешенного обещания для res.json()
.then(res => {
if (res.status >= 200 && res.status < 300) {
res.json().then(json => {
return json
}
})
})
Если вам нужно сделать несколько вызовов API в одной саги, то лучше скинуть ошибки на этапе выборки:
FETCH
export const getCounterTypes = (user) => {
const url = API_URL + `api/v4/counters/counter_types`;
const headers = {
'Authorization': user.token_type + ' ' + user.access_token,
'Accept': 'application/json'
};
const request = {
method: 'GET',
headers: headers
};
return fetch(url, request)
.then(response => {
return new Promise((resolve, reject) => {
if (response.status === 401) {
let err = new Error("Unauthorized");
reject(err);
}
if (response.status === 500) {
let err = new Error("Critical");
reject(err);
}
if ((response.status >= 200 && response.status < 300) || response.status === 400) {
response.json().then(json => {
console.log(json);
resolve(json);
});
}
});
});
}
сага
export function* getMainScreenInfoSaga() {
try {
const user = yield select(getUser);
const userInfo = yield select(getUserInfo);
if (userInfo) {
yield put({ type: types.NET_LOAD_USER_DATA });
} else {
yield put({ type: types.NET_INIT });
}
const info = yield all({
user: call(getInfo, user),
apartments: call(getUserApartments, user),
accounts: call(getUserAccounts, user),
counters: call(getCounters, user)
});
const ui = yield select(getUi);
if (!ui) {
yield put({ type: types.NET_LOAD_UI });
const ui = yield all({
apartmentTypes: call(getApartmentTypes, user),
serviceTypes: call(getServiceTypes, user),
counterTypes: call(getCounterTypes, user),
});
yield put({ type: types.GET_UI_SUCCESS, ui });
}
yield put({ type: types.GET_MAIN_SCREEN_INFO_SUCCESS, info });
yield put({ type: types.NET_END });
} catch (err) {
if (err.message === "Unauthorized") {
yield put({ type: types.LOGOUT });
yield put({ type: types.NET_END });
}
if (err.message === "Critical") {
window.alert("Server critical error");
yield put({ type: types.NET_END });
}
}
}