当我们在应用程序中使用redux时,如何编写最佳方法以在React应用程序中获取api资源。
我的操作文件是actions.js
export const getData = (endpoint) => (dispatch, getState) => {
return fetch('http://localhost:8000/api/getdata').then(
response => response.json()).then(
json =>
dispatch({
type: actionType.SAVE_ORDER,
endpoint,
response:json
}))
}
是获取api的最好方法吗?
答案 0 :(得分:2)
上面的代码很好。但是,您应该注意几点。
要解决此问题,您可以执行以下操作:
import { createAction } from 'redux-actions';
const getDataRequest = createAction('GET_DATA_REQUEST');
const getDataFailed = createAction('GET_DATA_FAILURE');
const getDataSuccess = createAction('GET_DATA_SUCCESS');
export function getData(endpoint) {
return async (dispatch) => {
dispatch(getDataRequest());
const { error, response } = await fetch('http://localhost:8000/api/getdata');
if (response) {
dispatch(getDataSuccess(response.data));
//This is required only if you want to do something at component level
return true;
} else if (error) {
dispatch(getDataFailure(error));
//This is required only if you want to do something at component level
return false;
}
};
}
在您的组件中:
this.props.getData(endpoint)
.then((apiStatus) => {
if (!apiStatus) {
// Show some notification or toast here
}
});
您的减速器将像:
case 'GET_DATA_REQUEST': {
return {...state, status: 'fetching'}
}
case 'GET_DATA_SUCCESS': {
return {...state, status: 'success'}
}
case 'GET_DATA_FAILURE': {
return {...state, status: 'failure'}
}
答案 1 :(得分:1)
在React + Redux应用程序中,使用中间件是进行API调用的最可持续的方法。如果您使用的是Observables(也就是Rxjs),那么看起来就比redux-observable还要好。
否则,您可以使用redux-thunk或redux-saga。
如果您要进行快速原型制作,则使用fetch从组件进行简单的API调用就足够了。对于每个API调用,您将需要执行以下三个操作:
then
块开始发车。catch
块开始派发。示例:
function mounted() {
store.dispatch(loadUsers());
getUsers()
.then((users) => store.dispatch(loadUsersSucc(users)))
.catch((err) => store.dispatch(loadUsersFail(err));
}