我正在使用useDimensions
挂钩来度量我的子组件并因此更新父组件(尽管任何类似的度量挂钩也会发生此问题)。因此,我想为我拥有的每个子组件useDimensions
。但是,这是一个通用的父组件,可以接受任意数量的子组件,因此我必须遍历子组件并为每个子组件添加一个钩子。
当前看起来像这样:
import React from "react";
import useDimensions from "react-use-dimensions";
function Parent(props){
const measurements = props.children.map(child => useDimensions());
return props.children.map(
(child, i) => React.cloneElement(child, {ref: measurements[i][0]})
);
}
但是,这会破坏first rule of hooks:不要在循环,条件或嵌套函数中调用Hooks。
在不违反React钩子规则的情况下,最佳做法是什么?
答案 0 :(得分:1)
Why Do React Hooks Rely on Call Order中对钩子规则的原因进行了很好的解释。
如果需要总尺寸,而无需单独测量每个孩子,这将很容易:
function Parent({children}) {
const [ref] = useDimensions()
return (
<div ref={ref}>
{children}
</div>
)
}
对于更复杂的场景,将React代码结构化为多个组件是一种有效的方法,既不浪费时间,也不增加很多抽象,例如:
function Parent({children}) {
const measurements = useRef(Array(children.length))
const createSetRef = (i) => (ref) => {
measurements[i] = ref
}
return children.map(
(child, i) => <Child setRef={createSetRef(i)}>{child}</Child>
)
}
function Child({children, setRef}) {
const [ref] = useDimensions()
useEffect(() => setRef(ref), [])
if (React.isValidElement(children)) {
return React.cloneElement(children, {ref})
} else {
console.log("TODO:", children)
return children
}
}