react项目中,很常见的一个场景:
const [watchValue, setWatchValue] = useState('');
const [otherValue1, setOtherValue1] = useState('');
const [otherValue2, setOtherValue2] = useState('');
useEffect(() => {
doSomething(otherValue1, otherValue2);
}, [watchValue, otherValue1, otherValue2]);
我们想要watchValue
改变的时候执行useEffect
,里面会引用其他值。
这时有个让人烦恼的问题:
- 如果不把
otherValue1, otherValue2
加入依赖数组的话,useEffect
里面很可能会引用到otherValue1, otherValue2
旧的变量,从而发生意想不到的错误(如果安装hooks相关eslint的话,会提示警告)。 - 反之,如果把
otherValue1, otherValue2
加入依赖数组的话,这两个值改变的时候useEffect
里面的函数也会执行,这并不是我们想要的。
把otherValue1, otherValue2
变成ref
可以解决这个问题:
const [watchValue, setWatchValue] = useState('');
const other1 = useRef('');
const other2 = useRef('');
useEffect(() => {
doSomething(other1.current, other2.current);
}, [watchValue, other1, other2]);
这样other1, other2
不会变,解决了前面的问题,但是又引入了一个新的问题:other1, other2
的值current
改变的时候,不会触发组件重新渲染(useRef
的current
值改变不会触发组件渲染),从而值改变时候界面不会更新!
这就是hooks
里面的一个头疼的地方,useState
会触发重新渲染,但不好作为useEffect
的依赖(会触发不需要的useEffect
), useRef
可以放心作为useEffect
依赖,但是又不会触发组件渲染,界面不更新。
如何解决?
可以将useRef
和useState
的特性结合起来,构造一个新的hooks
函数: useStateRef
。
import { useState, useRef } from "react";
// 使用 useRef 的引用特质, 同时保持 useState 的响应性
type StateRefObj<T> = {
value: T;
};
export default function useStateRef<T>(
initialState: T | (() => T)
): StateRefObj<T> {
const [state, setState] = useState(() => {
if (typeof initialState === "function") {
return (initialState as () => T)();
}
return initialState;
});
const stateRef = useRef(state);
stateRef.current = state;
const [ref] = useState<StateRefObj<T>>(() => {
return {
set value(v: T) {
setState(v);
},
get value() {
return stateRef.current;
},
};
});
return ref;
}
这样,我们就能这样用:
const watch = useStateRef('');
const other1 = useStateRef('');
const other2 = useStateRef('');
// 这样改变值:watch.value = "new";
useEffect(() => {
doSomething(other1.value, other2.value);
}, [watch.value, other1, other2]);
这样,other1, other2
既有useRef
的引用特性,不会触发useEffect
不必要的执行。而我么把watch.value
(而不是watch
)加入依赖数组,这样watch
的值改变时也会执行useEffect
,达到watch
的效果。
同时,又保持了useState
的响应特性,通过.value
改变值得时候,同时也会触发组件渲染和界面更新。
常见问题FAQ
- 免费下载或者VIP会员专享资源能否直接商用?
- 本站所有资源版权均属于原作者所有,这里所提供资源均只能用于参考学习用,请勿直接商用。若由于商用引起版权纠纷,一切责任均由使用者承担。更多说明请参考 VIP介绍。
- 提示下载完但解压或打开不了?
- 找不到素材资源介绍文章里的示例图片?
- 模板不会安装或需要功能定制以及二次开发?
发表评论
还没有评论,快来抢沙发吧!