错误 TypeError:无法将未定义或空转换为对象
2016-12-16
6019
我在使用 axios 时遇到此错误,json 加载正常,但渲染存在问题
actions.js:
export const getUser = (callback)=>{
return function(dispatch){
dispatch({type: 'FETCH_GET_USER_REQUEST'});
axios.get('https://jsonplaceholder.typicode.com/users')
.then((response)=>{
dispatch({type:'FETCH_GET_USER_SUCCES', payload:response.data});
if (typeof callback === 'function') {
callback(null, response.data)
}
})
}
}
reducerUser.js
export const getUserReducer = (state=[], action) =>{
switch(action.type){
case 'FETCH_GET_USER_REQUEST':
return state;
case 'FETCH_GET_USER_FAILURE':
return state;
case 'FETCH_GET_USER_SUCCES':
return [...action.payload.data];
default:
return state;
}
}
container.jsx
class GetUserContainer extends Component{
componentDidMount(){
this.props.getUser();
}
render(){
return(
<GetUserComponent allUser={this.props.allUser} />
)
}
}
function mapStateToProps(store){
return{
allUser:store.allUser
}
}
function matchDispatchToProps(dispatch){
return bindActionCreators({
getUser:getUser
}, dispatch)
}
store.js
const store = createStore(
reducers,
applyMiddleware(thunk, logger())
);
2个回答
查看您的控制台输出,当执行
FETCH_GET_USER_SUCCES
操作时,您的问题很可能出现在您的 Reducer 中。
您返回的是:
[...action.payload.data];
。尝试记录您的有效负载,有效负载上可能没有数据对象,因此会出现将未定义或空值转换为对象错误。我敢打赌您只需要返回:
[...action.payload];
zlwaterfield
2016-12-16
从错误堆栈中,您可以看到错误是从代码中的
getUserReducer
调用的,然后在
_toConsumableArray
中调用,这是 babel 在将扩展运算符转换为 es5 时创建的辅助方法。
就像@ಠ_ಠ 暗示的那样,您会收到错误,因为
action.payload.data
不是对象,在这种情况下应用扩展运算符将失败。(
[...action.payload.data]
)
ArneHugo
2016-12-16