繁体   English   中英

对 React 上下文的 state 的更新不会重新渲染子项

[英]Updates to the state of React context don't re-render children

我正在通过子组件中的回调在上下文中更新共享的 state,但这不会导致重新渲染,这会导致子组件中的上下文在下一次重新渲染之前具有初始值。

一旦 state 在上下文提供程序中更新,是否有办法强制更新子项并重新渲染?

我的上下文提供者:

const UserLocationContext = React.createContext()

export const useUserLocation = () => {
    return useContext(UserLocationContext)
}

export const UserLocationProvider = ({ children }) => {
    const [ipUserLocation, setIpUserLocation] = useState(null)

    const updateIpUserLocation = (ipUserLocation) => {
        setIpUserLocation(ipUserLocation)
        console.log(ipUserLocation) //value is updated here immediately after the updateIpUserLocation call
    }
    return (
        <UserLocationContext.Provider value = {{ipUserLocation, updateIpUserLocation}}>
            {children}
        </UserLocationContext.Provider>
    )

}

export default UserLocationProvider

孩子:

const LocationHandler = () => {
    const {ipUserLocation, updateIpUserLocation} = useUserLocation()
    
    useEffect(() => {
    const ip_url = `https://api.freegeoip.app/json/`
    const fetchIPLocation = async () => { 
        
        const result = await fetch(ip_url);
        const json = await result.json();
        updateIpUserLocation([json.latitude, json.longitude])
        console.log(ipUserLocation) //value here remains null until next re-render
    }
    fetchIPLocation()

    }, []);}

问题是useState是异步的,因此在调用setIpUserLocationipUserLocation值不会立即更新。

对于修复,您可以将ipUserLocation添加为useEffect的依赖项,这将帮助您监听LocationHandleripUserLocation的所有更改。

const LocationHandler = () => {
    const {ipUserLocation, updateIpUserLocation} = useUserLocation()
    
    useEffect(() => {
    const ip_url = `https://api.freegeoip.app/json/`
    const fetchIPLocation = async () => { 
        
        const result = await fetch(ip_url);
        const json = await result.json();
        updateIpUserLocation([json.latitude, json.longitude])
    }
    fetchIPLocation()

    }, []);}

    //add another `useEffect` with `ipUserLocation` in dependencies
    useEffect(() => {
       //TODO: You can do something with updated `ipUserLocation` here
       console.log(ipUserLocation)
    }, [ipUserLocation])

    return ...
}

实际上,当您更新上下文的 state 时,子组件会重新呈现。 发生这种情况是因为您正在使用useContext挂钩来监听对上下文所做的任何更改。 你可以做些什么来向自己证明孩子被重新渲染是在子组件中添加它:

useEffect(() => {
 console.log(ipUserLocation);
}, [ipUserLocation])

使用此 useEffect, console.log将在每次重新渲染子项并且ipUserLocation已更改时运行。

文档: https://reactjs.org/docs/hooks-effect.html

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM