UI/Effects code splitting pattern
- read the original article to understand concepts behind.
- read how Google split view and logic.
- watch how Facebook defers "interactivity" effects.
sidecar- non UI component, which may carry effects for a paired UI component.UI- UI component, which interactivity is moved to asidecar.
UI is a view, sidecar is the logic for it. Like Batman(UI) and his sidekick Robin(effects).
-
a
packageexposes 3 entry points using a nestedpackage.jsonformat:- default aka
combination, and lets hope tree shaking will save you UI, with only UI partsidecar, with all the logic-
UI+sidecar===combination. The size ofUI+sidecarmight a bit bigger than size of theircombination. Use size-limit to control their size independently.
- default aka
-
package uses a
mediumto talk with own sidecar, breaking explicit dependency. -
if package depends on another sidecar package:
- it shall export dependency side car among own sidecar.
- package imports own sidecar via
medium, thus able to export multiple sidecars via one export.
-
final consumer uses
sidecaroruseSidecarto combine pieces together.
UIcomponents might use/import any otherUIcomponentssidecarcould use/import any othersidecar
That would form two different code branches, you may load separately - UI first, and effect sidecar later. That also leads to a obvious consequence - one sidecar may export all sidecars.
-
to decouple
sidecarsfrom module exports, and be able to pick "the right" one at any point you have to useexportSidecar(medium, component)to export it, and use the samemediumto import it back. -
this limitation is for libraries only, as long as in the usercode you might dynamically import whatever and whenever you want.
-
useMediumis always async - action would be executed in a next tick, or on the logic load. -
sidecaris always async - is does not matter have you loaded logic or not - component would be rendered at least in the next tick.
except
medium.read, which synchronously read the data from a medium, andmedium.assingSyncMediumwhich changesuseMediumto be sync.
Sidecar pattern is clear:
- you dont need to use/render any
sidecarson server. - you dont have to load
sidecarsprior main render.
Thus - no usage tracking, and literally no SSR. It's just skipped.
- Type: Util. Creates shared effect medium for algebraic effect.
- Goal: To decouple modules from each other.
- Usage:
usein UI side, andassignfrom side-car. All effects would be executed. - Analog: WeakMap, React.__SECRET_DOM_DO_NOT_USE_OR_YOU_WILL_BE_FIRED
const medium = createMedium(defaultValue);
const cancelCb = medium.useMedium(someData);
// like
useEffect(() => medium.useMedium(someData), []);
medium.assignMedium(someDataProcessor)
// createSidecarMedium is a helper for createMedium to create a "sidecar" symbol
const effectCar = createSidecarMedium();! For consistence
useMediumis async - sidecar load status should not affect function behavior, thus effect would be always executed at least in the "next tick". You may alter this behavior by usingmedium.assingSyncMedium.
- Type: HOC
- Goal: store
componentinsidemediumand return external wrapper - Solving: decoupling module exports to support exporting multiple sidecars via a single entry point.
- Usage: use to export a
sidecar - Analog: WeakMap
import {effectCar} from './medium';
import {EffectComponent} from './Effect';
// !!! - to prevent Effect from being imported
// `effectCar` medium __have__ to be defined in another file
// const effectCar = createSidecarMedium();
export default exportSidecar(effectCar, EffectComponent);- Type: HOC
- Goal: React.lazy analog for code splitting, but does not require
Suspense, might provide error failback. - Usage: like React.lazy to load a side-car component.
- Analog: React.Lazy
import {sidecar} from "use-sidecar";
const Sidecar = sidecar(() => import('./sidecar'), <span>on fail</span>);
<>
<Sidecar />
<UI />
</> Would require additional prop to be set - <Sidecar sideCar={effectCar} />
- Type: hook, loads a
sideCarusing providedimporterwhich shall follow React.lazy API - Goal: to load a side car without displaying any "spinners".
- Usage: load side car for a component
- Analog: none
import {useSidecar} from 'use-sidecar';
const [Car, error] = useSidecar(() => import('./sideCar'));
return (
<>
{Car ? <Car {...props} /> : null}
<UIComponent {...props}>
</>
); You have to specify effect medium to read data from, as long as export itself is empty.
import {useSidecar} from 'use-sidecar';
/* medium.js: */ export const effectCar = useMedium({});
/* sideCar.js: */export default exportSidecar(effectCar, EffectComponent);
const [Car, error] = useSidecar(() => import('./sideCar'), effectCar);
return (
<>
{Car ? <Car {...props} /> : null}
<UIComponent {...props}>
</>
);- Type: HOC, moves renderProp component to a side channel
- Goal: Provide render prop support, ie defer component loading keeping tree untouched.
- Usage: Provide
defaultsand use them until sidecar is loaded letting you code split (non visual) render-prop component - Analog: - Analog: code split library like react-imported-library or @loadable/lib.
import {renderCar, sidecar} from "use-sidecar";
const RenderCar = renderCar(
// will move side car to a side channel
sidecar(() => import('react-powerplug').then(imports => imports.Value)),
// default render props
[{value: 0}]
);
<RenderCar>
{({value}) => <span>{value}</span>}
</RenderCar>setConfig({
onError, // sets default error handler
});Let's imagine - on element focus you have to do "something", for example focus anther element
onFocus = event => {
if (event.currentTarget === event.target) {
document.querySelectorAll('button', event.currentTarget)
}
}- Use medium (yes, .3)
// we are calling medium with an original event as an argument
const onFocus = event => focusMedium.useMedium(event);- Define reaction
// in a sidecar
// we are setting handler for the effect medium
// effect is complicated - we are skipping event "bubbling",
// and focusing some button inside a parent
focusMedium.assignMedium(event => {
if (event.currentTarget === event.target) {
document.querySelectorAll('button', event.currentTarget)
}
});- Create medium
Having these constrains - we have to clone
event, as long as React would eventually reuse SyntheticEvent, thus not preservetargetandcurrentTarget.
//
const focusMedium = createMedium(null, event => ({...event}));Now medium side effect is ok to be async
Example: Effect for react-focus-lock - 1kb UI, 4kb sidecar
Like a library level code splitting
import {x, y} from './utils';
useEffect(() => {
if (x()) {
y()
}
}, []);// medium
const utilMedium = createMedium();
// utils
const x = () => { /* ... */};
const y = () => { /* ... */};
// medium will callback with exports exposed
utilMedium.assignMedium(cb => cb({
x, y
}));
// UI
// not importing x and y from the module system, but would be given via callback
useEffect(() => {
utilMedium.useMedium(({x,y}) => {
if (x()) {
y()
}
})
}, []);- Hint: there is a easy way to type it
const utilMedium = createMedium<(cb: typeof import('./utils')) => void>();Example: Callback API for react-focus-lock
Lets take an example from a Google - Calendar app, with view and logic separated. To be honest - it's not easy to extract logic from application like calendar - usually it's tight coupled.
const CalendarUI = () => {
const [date, setDate] = useState();
const onButtonClick = useCallback(() => setDate(Date.now), []);
return (
<>
<input type="date" onChange={setDate} value={date} />
<input type="button" onClick={onButtonClick}>Set Today</button>
</>
)
}const CalendarUI = () => {
const [events, setEvents] = useState({});
const [date, setDate] = useState();
return (
<>
<Sidecar setDate={setDate} setEvents={setEvents}/>
<UILayout {...events} date={date}/>
</>
)
}
const UILayout = ({onDateChange, onButtonClick, date}) => (
<>
<input type="date" onChange={onDateChange} value={date} />
<input type="button" onClick={onButtonClick}>Set Today</button>
</>
);
// in a sidecar
// we are providing callbacks back to UI
const Sidecar = ({setDate, setEvents}) => {
useEffect(() => setEvents({
onDateChange:setDate,
onButtonClick: () => setDate(Date.now),
}), []);
return null;
}While in this example this looks a bit, you know, strange - there are 3 times more code
that in the original example - that would make a sense for a real Calendar, especially
if some helper library, like moment, has been used.
Example: Effect for react-remove-scroll - 300b UI, 2kb sidecar
MIT