Według dokumentów:
componentDidUpdate()
jest wywoływana natychmiast po wystąpieniu aktualizacji. Ta metoda nie jest wywoływana przy pierwszym renderowaniu.
Możemy użyć nowego useEffect()
hooka do symulacji componentDidUpdate()
, ale wygląda na to, że useEffect()
jest uruchamiany po każdym renderowaniu, nawet za pierwszym razem. Jak sprawić, by nie działał przy początkowym renderowaniu?
Jak widać w poniższym przykładzie, componentDidUpdateFunction
jest drukowany podczas pierwszego renderowania, ale componentDidUpdateClass
nie został wydrukowany podczas pierwszego renderowania.
function ComponentDidUpdateFunction() {
const [count, setCount] = React.useState(0);
React.useEffect(() => {
console.log("componentDidUpdateFunction");
});
return (
<div>
<p>componentDidUpdateFunction: {count} times</p>
<button
onClick={() => {
setCount(count + 1);
}}
>
Click Me
</button>
</div>
);
}
class ComponentDidUpdateClass extends React.Component {
constructor(props) {
super(props);
this.state = {
count: 0,
};
}
componentDidUpdate() {
console.log("componentDidUpdateClass");
}
render() {
return (
<div>
<p>componentDidUpdateClass: {this.state.count} times</p>
<button
onClick={() => {
this.setState({ count: this.state.count + 1 });
}}
>
Click Me
</button>
</div>
);
}
}
ReactDOM.render(
<div>
<ComponentDidUpdateFunction />
<ComponentDidUpdateClass />
</div>,
document.querySelector("#app")
);
<script src="https://unpkg.com/[email protected]/umd/react.development.js"></script>
<script src="https://unpkg.com/[email protected]/umd/react-dom.development.js"></script>
<div id="app"></div>
javascript
reactjs
react-hooks
Yangshun Tay
źródło
źródło
count
?Odpowiedzi:
Możemy użyć
useRef
haka do przechowywania dowolnej zmiennej wartości, którą lubimy , więc możemy użyć tego do śledzenia, czy jest to pierwsze uruchomienieuseEffect
funkcji.Jeśli chcemy, aby efekt działał w tej samej fazie co
componentDidUpdate
to, możemyuseLayoutEffect
zamiast tego użyć .Przykład
const { useState, useRef, useLayoutEffect } = React; function ComponentDidUpdateFunction() { const [count, setCount] = useState(0); const firstUpdate = useRef(true); useLayoutEffect(() => { if (firstUpdate.current) { firstUpdate.current = false; return; } console.log("componentDidUpdateFunction"); }); return ( <div> <p>componentDidUpdateFunction: {count} times</p> <button onClick={() => { setCount(count + 1); }} > Click Me </button> </div> ); } ReactDOM.render( <ComponentDidUpdateFunction />, document.getElementById("app") );
<script src="https://unpkg.com/[email protected]/umd/react.development.js"></script> <script src="https://unpkg.com/[email protected]/umd/react-dom.development.js"></script> <div id="app"></div>
źródło
useRef
zuseState
, ale przy użyciu setter wyzwalane re-render, który się nie dzieje, gdy przypisaniefirstUpdate.current
więc myślę, że jest to jedyny dobry sposób :)componentDidUpdate
pomocą hooków, dlatego go użyłem.Możesz zmienić go w niestandardowe haczyki , na przykład:
import React, { useEffect, useRef } from 'react'; const useDidMountEffect = (func, deps) => { const didMount = useRef(false); useEffect(() => { if (didMount.current) func(); else didMount.current = true; }, deps); } export default useDidMountEffect;
Przykład użycia:
import React, { useState, useEffect } from 'react'; import useDidMountEffect from '../path/to/useDidMountEffect'; const MyComponent = (props) => { const [state, setState] = useState({ key: false }); useEffect(() => { // you know what is this, don't you? }, []); useDidMountEffect(() => { // react please run me if 'key' changes, but not on initial render }, [state.key]); return ( <div> ... </div> ); } // ...
źródło
Zrobiłem prosty
useFirstRender
haczyk do obsługi przypadków, takich jak skupianie się na danych wejściowych formularza:import { useRef, useEffect } from 'react'; export function useFirstRender() { const firstRender = useRef(true); useEffect(() => { firstRender.current = false; }, []); return firstRender.current; }
Zaczyna się jako
true
, a następnie przełącza się nafalse
wuseEffect
, który działa tylko raz i nigdy więcej.W swoim komponencie użyj go:
const firstRender = useFirstRender(); const phoneNumberRef = useRef(null); useEffect(() => { if (firstRender || errors.phoneNumber) { phoneNumberRef.current.focus(); } }, [firstRender, errors.phoneNumber]);
W twoim przypadku po prostu użyjesz
if (!firstRender) { ...
.źródło
@ravi, yours nie wywołuje przekazanej funkcji odmontowania. Oto trochę bardziej kompletna wersja:
/** * Identical to React.useEffect, except that it never runs on mount. This is * the equivalent of the componentDidUpdate lifecycle function. * * @param {function:function} effect - A useEffect effect. * @param {array} [dependencies] - useEffect dependency list. */ export const useEffectExceptOnMount = (effect, dependencies) => { const mounted = React.useRef(false); React.useEffect(() => { if (mounted.current) { const unmount = effect(); return () => unmount && unmount(); } else { mounted.current = true; } }, dependencies); // Reset on unmount for the next mount. React.useEffect(() => { return () => mounted.current = false; }, []); };
źródło
useEffect(() => {...});
dependencies
parametru podczas jego wywoływania.@MehdiDehghani, twoje rozwiązanie działa idealnie, jeden dodatek, który musisz zrobić, to odmontować, zresetować
didMount.current
wartość dofalse
. Kiedy próbować użyć tego niestandardowego zaczepu w innym miejscu, nie otrzymasz wartości pamięci podręcznej.import React, { useEffect, useRef } from 'react'; const useDidMountEffect = (func, deps) => { const didMount = useRef(false); useEffect(() => { let unmount; if (didMount.current) unmount = func(); else didMount.current = true; return () => { didMount.current = false; unmount && unmount(); } }, deps); } export default useDidMountEffect;
źródło
false
.