我正在尝试获取带有 axios 的表单列表
这是函数
useEffect(() => {
const fetchData = async () => {
dispatch({ type: 'SET_STATE', payload: { loading: true } })
const response = await axios
.get(`${API_URL}/form`, {
userId: localStorage.getItem('userId'),
headers: {
authorization: localStorage.getItem('userId')
}
})
console.log(response)
.catch((err) => {
if (err.response.status === 401) history.push('/login')
return dispatch({
type: 'SET_STATE',
payload: { loading: false, error: err.response.data.msg }
})
})
dispatch({
type: 'SET_STATE', payload: {
data: response.data.form,
loading: false,
},
})
}
fetchData()
return () => {
dispatch({ type: 'SET_STATE', payload: { loading: true, error: '' } })
}
}, [])
这是减速器
const initialState = {
data: [],
loading: false,
error: '',
}
const formReducer = (state = initialState, action) => {
switch (action.type) {
case 'SET_STATE':
return { ...state, ...action.payload }
default:
return state
}
}
但我收到此错误:
未处理的拒绝(TypeError):无法读取未定义的属性“catch”
答案 0 :(得分:0)
您通过在 console.log
和 get
之间添加 catch
打破了承诺链。使用 console.log
中的 then
代替,如下所示:
您还将 async/await
与 then
混合在一起。虽然,它会起作用 response
不会是你所期望的。只需使用 then
链接。
useEffect(() => {
const fetchData = () => {
dispatch({ type: 'SET_STATE', payload: { loading: true } })
axios
.get(`${API_URL}/form`, {
...
})
// add the console in then
.then(response=>{
console.log(response))
dispatch({
type: 'SET_STATE',
payload: {
data: response.data.form,
loading: false,
}
})
})
.catch((err) => {
...
})
}
fetchData()
return () => {
dispatch({ type: 'SET_STATE', payload: { loading: true, error: '' } })
}
}, [])