What is The Best Pattern For Clientside CPU Intensive Tasks
Unanswered
Brown bear posted this in #help-forum
Brown bearOP
Hey all. I'm building a client CMS that is used to parse end edit .mdx files I store on the server.
The .mdx files feature custom components and are usually statically served.
In the CMS I would like to show a live preview of the edits, so I'm using the
Given that the files are big, however, each edit blocks the main thread for a couple of seconds, makind the experience quite painful.
What would be the best way to handle this? I though of
- Moving the renderer to a server component and streaming it
- Using a standard
- Deferring the rendering to a web worker
but im not really able to evaluate all the decisions.
The .mdx files feature custom components and are usually statically served.
In the CMS I would like to show a live preview of the edits, so I'm using the
evaluate
function of mdx-js
to replicate the same results I have during the build. Given that the files are big, however, each edit blocks the main thread for a couple of seconds, makind the experience quite painful.
What would be the best way to handle this? I though of
- Moving the renderer to a server component and streaming it
- Using a standard
fetch()
- Deferring the rendering to a web worker
but im not really able to evaluate all the decisions.
14 Replies
American black bear
So basically if I understand correctly you want some way to show live preview.
I have built a website builder of sorts in the past in which I've created a live preview by creating another route for example
On this preview route I had a [message event listener](https://developer.mozilla.org/en-US/docs/Web/API/Window/message_event) and a state holding my website data object. When I updated UI on my CMS, which was stored in react context, I had a callback function that sends a message to preview route, with new website data as payload.
I have built a website builder of sorts in the past in which I've created a live preview by creating another route for example
localhost:3000/preview
.On this preview route I had a [message event listener](https://developer.mozilla.org/en-US/docs/Web/API/Window/message_event) and a state holding my website data object. When I updated UI on my CMS, which was stored in react context, I had a callback function that sends a message to preview route, with new website data as payload.
So something like this in code:
// preview page.tsx
"use client"
export default function PreviewPage() {
const [data, setData] = useState(null)
useEffect(() => {
const handler = (event: MessageEvent) => {
if (event.origin !== window.location.origin) return
if (event.data.type === "PREVIEW_DATA") {
setData(event.data.payload)
}
};
window.addEventListener("message", handler)
return () => window.removeEventListener("message", handler)
}, [])
if (!data) return <div>Loading ...</div>
return (
// handle data display
)
}
// components/preview/preview-window.tsx
"use client"
export default function PreviewWindow() {
// grab data from your context holdign it or state mgmt library
const { data } = useContent()
const iframeRef = useRef<HTMLIFrameElement>(null)
// update iframe when data changes
useEffect(() => {
iframeRef.current?.contentWindow?.postMessage({
type: "PREVIEW_DATA",
payload: siteData
}, window.location.origin)
}, [siteData])
return (
<iframe
ref={iframeRef}
src="/preview"
/>
)
}
Brown bearOP
The issue here is not about the communication between the components. Is about how to make it non blocking. Taking your example you probably also have something like this:
export default function GeneratePage() {
const data = calculateData() //this takes 5s
const handler = () => {
targetFrame.postMessage(data, targetOrigin);
});
useEffect(() => {
window.addEventListener("message", handler)
return () => window.removeEventListener("message", handler)
}, [])
if (!data) return <div>Loading ...</div>
return (
// handle data display
)
}
If GeneratePage takes 5s to load each time it changes and it happens on the main thread then there's an issue
American black bear
can you share your calculateData function
@American black bear can you share your calculateData function
Brown bearOP
Sure
useEffect(() => {
evaluateMdxRef.current = debounce(async (mdxContent: string) => {
setIsEvaluating(true)
try {
setError(null)
const evaluateOptions: EvaluateOptions = {
...(isDevelopment ? devRuntime : runtime),
Fragment: isDevelopment ? devRuntime.Fragment : runtime.Fragment,
useMDXComponents: () => components,
development: isDevelopment,
remarkPlugins: [remarkAlert, remarkGfm, remarkSpell, remarkGroupCheckboxes],
rehypePlugins: [rehypeGroupHeaders],
}
const evaluated = await evaluate(mdxContent, evaluateOptions) //this
setMdxModule(evaluated as MdxModule)
} catch (err: unknown) {
console.error('MDX Evaluation Error:', err)
const message =
err instanceof Error
? err.message
: 'An unknown error occurred during preview generation.'
setError(`Preview Error: ${message}`)
setMdxModule(null)
} finally {
setIsEvaluating(false)
}
}, 500)
}, [])
`const evaluated = await evaluate(mdxContent, evaluateOptions)
this takes roughly 900ms per execution, in dev modeAmerican black bear
can you share evaluate function
American black bear
So
evaluate
function blocks the main ui thread if I am understanding correctly, freezing the app until it finishes calculation? If that is the case you can just create a new web worker in order for UI not to be blocked.Also consider hashing the mdx files and storing evaluate results in cache so you don't have to recompute evaluate for previous values.
@American black bear So `evaluate` function blocks the main ui thread if I am understanding correctly, freezing the app until it finishes calculation? If that is the case you can just create a new web worker in order for UI not to be blocked.
Brown bearOP
Yeah I guess that was my question, is a web worker better than a streamed server component?
American black bear
I think that it would make more sense to use a web worker, unless you are rendering data from the database. Why? Because the data is already on the client and there is no need to strain server any further by sending large packets back and fourth.