无法使用 React Hooks 读取 Redux 中的状态,无法读取 null 的属性“_id”
2020-03-11
893
我有一个 MERN Web 应用程序,我正在学习 React Hooks。
我想做的事情:访问我的 Redux 中的状态。
当我刷新页面时
,
错误:
TypeError:无法读取 null 的属性“_id”
当我在 redux 开发人员工具中清楚地看到状态时,我无法访问它。
我尝试过
console.log(auth.isAuthenicated)
,但它返回
null
。但是,当我执行
console.log(auth)
时,它返回
[object,object]
。这让我很困惑,因为我无法进入。
目前,我正在研究并将研究 react-persist。我想知道是否有人可以在没有 react persist 的情况下帮助我解决我的问题,或者解释为什么使用它可能是个好主意。
我的 redux :
token(pin):"eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJpZCI6IjVlNDFmYTNhOWIwZjk0NmU5N2Q5MmY4MiIsImlhdCI6MTU4Mzk0NzA5MSwiZXhwIjoxNTgzOTUwNjkxfQ.pysX20n4cxKK5NqcXPosIejSvCN3pbcSNpQvEOX9kBE"
isAuthenticated(pin):true
isLoading(pin):false
_id(pin):"5e41fa3a9b0f946e97d92f82"
name(pin):"admin"
email(pin):"[email protected]"
date(pin):"2020-02-11T00:50:02.183Z"
__v(pin):0
我的代码片段:
import React, { useState, useEffect } from "react";
import { TiDelete } from "react-icons/ti";
import Restaurants from "../Restaurant/Restaurants";
import NutritionalGraphs from "../D3Graphs/NutritionalGraphs";
import { connect, useDispatch, useSelector } from "react-redux";
import axios from "axios";
import { addItem, deleteItem } from "../../../actions/itemActions";
import IngredientsPredictions from "../Predictions/IngredientsPredictions";
import { loadUser } from "../../../actions/authActions";
import { createSelector } from "reselect";
const UserProfile = props => {
const dispatch = useDispatch();
const [newUserFavorite, setNewUserFavorite] = useState("");
const [favArray, setFavArray] = useState([]);
const tokenRecognized = useSelector(state => state.auth.token);
// const userID = useSelector(state => state.auth.user._id);
const auth = useSelector(state => state.auth);
const userStates = createSelector();
// name
// name => props.auth.user.name,
// userID => props.auth.user._id
// foodFavoritesArray => foodFavoritesArray.state.item.items
useEffect(() => {
dispatch(loadUser(tokenRecognized));
// console.log(userStates.userID);
console.log(auth.isAuthenicated);
axios
// .get(`/api/items/item/${userStates.userID}`)
.get(`/api/items/item/${auth.user._id}`)
.then(res => {
return res.data;
})
.then(json => {
setFavArray(json);
})
.catch(err => console.log(err));
}, [userStates.userID]);
console.log(favArray);
它在以下位置中断:
.get(`/api/items/item/${auth.user._id}`):
非常感谢您的阅读。
1个回答
您需要等待
loadUser
操作完成,然后才能访问数据。我假设它发出异步请求。您需要分两步执行此操作:
useEffect(() => {
// fetch user data when component mounts
dispatch(loadUser(tokenRecognized));
}, []);
useEffect(() => {
// check if user has been fetched (will not be the case on mount)
if (auth.user) {
axios
.get(`/api/items/item/${auth.user._id}`)
.then(res => {
return res.data;
})
.then(json => {
setFavArray(json);
})
.catch(err => console.log(err));
}
}, [auth.user]); // perform this when `auth.user` changes
trixn
2020-03-11