withInternalFallback.tsx 1.5 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152
  1. import { atom, useAtom } from "jotai";
  2. import React, { useLayoutEffect } from "react";
  3. import { useTunnels } from "../context/tunnels";
  4. export const withInternalFallback = <P,>(
  5. componentName: string,
  6. Component: React.FC<P>,
  7. ) => {
  8. const counterAtom = atom(0);
  9. // flag set on initial render to tell the fallback component to skip the
  10. // render until mount counter are initialized. This is because the counter
  11. // is initialized in an effect, and thus we could end rendering both
  12. // components at the same time until counter is initialized.
  13. let preferHost = false;
  14. const WrapperComponent: React.FC<
  15. P & {
  16. __fallback?: boolean;
  17. }
  18. > = (props) => {
  19. const { jotaiScope } = useTunnels();
  20. const [counter, setCounter] = useAtom(counterAtom, jotaiScope);
  21. useLayoutEffect(() => {
  22. setCounter((counter) => counter + 1);
  23. return () => {
  24. setCounter((counter) => counter - 1);
  25. };
  26. }, [setCounter]);
  27. if (!props.__fallback) {
  28. preferHost = true;
  29. }
  30. // ensure we don't render fallback and host components at the same time
  31. if (
  32. // either before the counters are initialized
  33. (!counter && props.__fallback && preferHost) ||
  34. // or after the counters are initialized, and both are rendered
  35. // (this is the default when host renders as well)
  36. (counter > 1 && props.__fallback)
  37. ) {
  38. return null;
  39. }
  40. return <Component {...props} />;
  41. };
  42. WrapperComponent.displayName = componentName;
  43. return WrapperComponent;
  44. };