- Created `openspec-ff-change` skill for fast-forward artifact creation. - Introduced `openspec-new-change` skill for structured change creation. - Developed `openspec-onboard` skill for guided onboarding through OpenSpec workflow. - Added `openspec-sync-specs` skill for syncing delta specs to main specs. - Implemented `openspec-verify-change` skill for verifying implementation against change artifacts. - Updated `.gitignore` to exclude OpenSpec generated files. - Added `skills-lock.json` to manage skill dependencies.
84 lines
1.5 KiB
Markdown
84 lines
1.5 KiB
Markdown
---
|
|
title: Parallel Data Fetching with Component Composition
|
|
impact: CRITICAL
|
|
impactDescription: eliminates server-side waterfalls
|
|
tags: server, rsc, parallel-fetching, composition
|
|
---
|
|
|
|
## Parallel Data Fetching with Component Composition
|
|
|
|
React Server Components execute sequentially within a tree. Restructure with composition to parallelize data fetching.
|
|
|
|
**Incorrect (Sidebar waits for Page's fetch to complete):**
|
|
|
|
```tsx
|
|
export default async function Page() {
|
|
const header = await fetchHeader()
|
|
return (
|
|
<div>
|
|
<div>{header}</div>
|
|
<Sidebar />
|
|
</div>
|
|
)
|
|
}
|
|
|
|
async function Sidebar() {
|
|
const items = await fetchSidebarItems()
|
|
return <nav>{items.map(renderItem)}</nav>
|
|
}
|
|
```
|
|
|
|
**Correct (both fetch simultaneously):**
|
|
|
|
```tsx
|
|
async function Header() {
|
|
const data = await fetchHeader()
|
|
return <div>{data}</div>
|
|
}
|
|
|
|
async function Sidebar() {
|
|
const items = await fetchSidebarItems()
|
|
return <nav>{items.map(renderItem)}</nav>
|
|
}
|
|
|
|
export default function Page() {
|
|
return (
|
|
<div>
|
|
<Header />
|
|
<Sidebar />
|
|
</div>
|
|
)
|
|
}
|
|
```
|
|
|
|
**Alternative with children prop:**
|
|
|
|
```tsx
|
|
async function Header() {
|
|
const data = await fetchHeader()
|
|
return <div>{data}</div>
|
|
}
|
|
|
|
async function Sidebar() {
|
|
const items = await fetchSidebarItems()
|
|
return <nav>{items.map(renderItem)}</nav>
|
|
}
|
|
|
|
function Layout({ children }: { children: ReactNode }) {
|
|
return (
|
|
<div>
|
|
<Header />
|
|
{children}
|
|
</div>
|
|
)
|
|
}
|
|
|
|
export default function Page() {
|
|
return (
|
|
<Layout>
|
|
<Sidebar />
|
|
</Layout>
|
|
)
|
|
}
|
|
```
|