我正在阅读React文档,它建议如果您有一些需要经常更换的道具,那么可以使用shouldComponentUpdate这样的生命周期方法。
我的问题是您如何将useEffect方法与如下功能组件一起使用?
这是我的功能组件:
function GenericIsUserLoggedInLink({ isLoggedIn, logOutUser, route, anchorText }) {
const [setProps] = useState({isLoggedIn: isLoggedIn, route: route, anchorText:anchorText });
console.log('setProps', setProps);
useEffect((nextProps, nextState) => {
if (setProps.isLoggedIn !== nextProps.setProps.isLoggedIn) {
return true;
}
if (setProps.route !== nextProps.setProps.route) {
return true;
}
if (setProps.anchorText !== nextProps.setProps.anchorText) {
return true;
}
return false;
});
if (isLoggedIn) {
if (anchorText === undefined) {
return <Link href="/"><a onClick={() => logOutUser()}>Log out!</a></Link>
} else if (anchorText) {
return <Link href={route}><a >{anchorText}</a></Link>
}
} else {
if (route === "/login") {
return <Link href="/login"><a >Log in!</a></Link>
}
return null
}
}
那是我的看法,但是没有用!哈!有没有人可以提供见识?
更新 我遵循了Shubham的处方,但是碰到了吗?
所以我做到了... 但是感觉很hacky: 我想不是,因为我正在利用lexical scoping
var comparator;
const GenericIsUserLoggedInLink = React.memo(({ isLoggedIn, logOutUser, route, anchorText }) => {
comparator = (prevProps, nextProps) => {
if (prevProps.isLoggedIn !== nextProps.setProps.isLoggedIn) {
return true;
}
if (prevProps.isLoggedIn !== nextProps.setProps.route) {
return true;
}
if (prevProps.anchorText !== nextProps.setProps.anchorText) {
return true;
}
return false;
}
if (isLoggedIn) {
if (anchorText === undefined) {
return <Link href="/"><a onClick={() => logOutUser()}>Log out!</a></Link>
} else if (anchorText) {
return <Link href={route}><a >{anchorText}</a></Link>
}
} else {
if (route === "/login") {
return <Link href="/login"><a >Log in!</a></Link>
}
return null
}
}, comparator);
答案 0 :(得分:2)
useEffect
不是shouldComponentUpdate
的合适钩子。
相反,您需要使用 React.memo 来防止重新渲染。另外,您不需要维护状态就可以比较先前和当前的道具。
const comparator = (prevProps, nextProps) => {
if (prevProps.isLoggedIn !== nextProps.setProps.isLoggedIn) {
return true;
}
if (prevProps.route !== nextProps.setProps.route) {
return true;
}
if (prevProps.anchorText !== nextProps.setProps.anchorText) {
return true;
}
return false;
}
const GenericIsUserLoggedInLink = React.memo(({ isLoggedIn, logOutUser, route, anchorText }) => {
if (isLoggedIn) {
if (anchorText === undefined) {
return <Link href="/"><a onClick={() => logOutUser()}>Log out!</a></Link>
} else if (anchorText) {
return <Link href={route}><a >{anchorText}</a></Link>
}
} else {
if (route === "/login") {
return <Link href="/login"><a >Log in!</a></Link>
}
return null
}
}, comparator);