Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

docs(guide): Props Stability #3213

Open
wants to merge 2 commits into
base: main
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
11 changes: 8 additions & 3 deletions src/guide/best-practices/performance.md
Original file line number Diff line number Diff line change
Expand Up @@ -100,18 +100,23 @@ In Vue, a child component only updates when at least one of its received props h
<ListItem
v-for="item in list"
:id="item.id"
:active-id="activeId" />
:active-id="activeId"
@click="activeId = item.id"
/>
```

Inside the `<ListItem>` component, it uses its `id` and `activeId` props to determine whether it is the currently active item. While this works, the problem is that whenever `activeId` changes, **every** `<ListItem>` in the list has to update!

Ideally, only the items whose active status changed should update. We can achieve that by moving the active status computation into the parent, and make `<ListItem>` directly accept an `active` prop instead:
Ideally, only the items whose active status changed should update. We can achieve that by moving the active status computation into the parent, make `<ListItem>` directly accept an `active` prop instead and use `v-memo` to conditionally skip the update by checking that every value in the array was the same as last render:

```vue-html
<ListItem
v-for="item in list"
:id="item.id"
:active="item.id === activeId" />
:active="item.id === activeId"
v-memo="[item.id === activeId]"
@click="activeId = item.id"
/>
```

Now, for most components the `active` prop will remain the same when `activeId` changes, so they no longer need to update. In general, the idea is keeping the props passed to child components as stable as possible.
Expand Down