admin管理员组文章数量:1339470
I'm using a few third-party React hook libraries that aren't required for the initial render. E.g. react-use-gesture
, react-spring
, and react-hook-form
. They all provide interactivity, which can wait until after the UI is rendered. I want to dynamically load these using Webpack's codesplitting (i.e. import()
) after I render my ponent.
However, I can't stub out a React hook because it's essentially a conditional hook, which React doesn't support.
The 2 solutions that I can think of are:
- Somehow extract the hook into a ponent and use position
- Force React to reconstruct a ponent after the hook loads
Both solutions seem hacky and it's likely that future engineers will mess it up. Are there better solutions for this?
I'm using a few third-party React hook libraries that aren't required for the initial render. E.g. react-use-gesture
, react-spring
, and react-hook-form
. They all provide interactivity, which can wait until after the UI is rendered. I want to dynamically load these using Webpack's codesplitting (i.e. import()
) after I render my ponent.
However, I can't stub out a React hook because it's essentially a conditional hook, which React doesn't support.
The 2 solutions that I can think of are:
- Somehow extract the hook into a ponent and use position
- Force React to reconstruct a ponent after the hook loads
Both solutions seem hacky and it's likely that future engineers will mess it up. Are there better solutions for this?
Share Improve this question edited Aug 12, 2020 at 9:55 Leo Jiang asked Jul 28, 2020 at 2:55 Leo JiangLeo Jiang 26.3k59 gold badges177 silver badges327 bronze badges 4-
1
As you mentioned yourself, conditionally importing hooks breaks the first rule of React hooks. This is because the behaviour is unpredictable on successive renders and I cannot see how you would be able to achieve your goal. Looking at
react-hook-form
as an example, you would not have access tohandleSubmit
which is required on each render. Explanation: reactjs/docs/hooks-rules.html#explanation – Kevin Farrugia Commented Aug 12, 2020 at 10:53 - I did this with a hook using functionality from framer-motion before. I essentially exposed what should be imported from framer-motion, a state which tells the hook user if the module is ready, and a function to load framer-motion module. My ponent will check if the module is ready or not before using the module exposed from the hook. It's not exactly a robust solution, and it requires you to manually handle the cases when the module isn't ready yet. – Jackyef Commented Aug 13, 2020 at 5:45
- We use the first method all the time, it's so straightforward. You simply render a ponent conditionally which has the hook at its top level. – Mordechai Commented Aug 14, 2020 at 15:32
- What you are talking about sounds like something I've heard called the sidecar pattern github./theKashey/use-sidecar – kyle Commented Aug 18, 2020 at 20:37
2 Answers
Reset to default 14 +50As you say it, there are two ways to go about using lazy loaded hooks:
- Load library in a Parent Component, conditionally render Component using library when available
Something along the lines of
let lib
const loadLib = () => {...}
const Component = () => {
const {...hooks} = lib
...
}
const Parent = () => {
const [loaded, setLoaded] = useState(false)
useEffect(() => loadComponent().then(() => setLoaded(true)), [])
return loaded && <Component/>
}
This method is indeed a little hacky and a lot of manual work for each library
- Start loading a ponent using the hook, fail, reconstruct the ponent when the hook is loaded
This can be streamlined with the help of React.Suspense
<Suspense fallback={"Loading..."}>
<ComponentWithLazyHook/>
</Suspense>
Suspense works similar to Error Boundary like follows:
- Component throws a Promise during rendering (via React.lazy or manually)
- Suspense catches that Promise and renders Fallback
- Promise resolves
- Suspense re-renders the ponent
This way is likely to get more popular when Suspense for Data Fetching matures from experimental phase.
But for our purposes of loading a library once, and likely caching the result, a simple implementation of data fetching can do the trick
const cache = {}
const errorsCache = {}
// <Suspense> catches the thrown promise
// and rerenders children when promise resolves
export const useSuspense = (importPromise, cacheKey) => {
const cachedModule = cache[cacheKey]
// already loaded previously
if (cachedModule) return cachedModule
//prevents import() loop on failed imports
if (errorsCache[cacheKey]) throw errorsCache[cacheKey]
// gets caught by Suspense
throw importPromise
.then((mod) => (cache[cacheKey] = mod))
.catch((err) => {
errorsCache[cacheKey] = err
})
};
const SuspendedComp = () => {
const { useForm } = useSuspense(import("react-hook-form"), "react-hook-form")
const { register, handleSubmit, watch, errors } = useForm()
...
}
...
<Suspense fallback={null}>
<SuspendedComp/>
</Suspense>
You can see a sample implementation here.
Edit:
As I was writing the example in codesandbox, it pletely escaped me that dependency resolution will behave differently than locally in webpack.
Webpack import()
can't handle pletely dynamic paths like import(importPath)
. It must have import('react-hook-form')
somewhere statically, to create a chunk at build time.
So we must write import('react-hook-form')
ourselves and also provide the importPath = 'react-hook-form'
to use as a cache key.
I updated the codesanbox example to one that works with webpack, the old example, which won't work locally, can be found here
Have you considered stubbing the hooks? We used something similar to async load a large lib, but it was not a hook, so YMMV.
// init with stub
let _useDrag = () => undefined;
// load the actual implementation asynchronously
import('react-use-gesture').then(({useDrag}) => _useDrag = useDrag);
export asyncUseDrag = (cb) => _useDrag(cb)
本文标签: javascriptLoading React hooks using dynamic importsStack Overflow
版权声明:本文标题:javascript - Loading React hooks using dynamic imports? - Stack Overflow 内容由网友自发贡献,该文观点仅代表作者本人, 转载请联系作者并注明出处:http://www.betaflare.com/web/1743583997a2506149.html, 本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
发表评论