useNuxtData
访问数据获取组合式函数的当前缓存值。
用法
useNuxtData
组合式函数用于访问数据获取组合式函数(如 useAsyncData
、useLazyAsyncData
、useFetch
和 useLazyFetch
)的当前缓存值。通过提供数据获取期间使用的键,您可以检索缓存的数据并根据需要使用它。
这对于通过重用已获取的数据或实现诸如乐观更新或级联数据更新等功能来优化性能特别有用。
要使用 useNuxtData
,请确保数据获取组合式函数(useFetch
、useAsyncData
等)已使用显式提供的键调用。
参数
key
:唯一标识缓存数据的键。此键应与原始数据获取期间使用的键匹配。
返回值
data
:对与提供的键关联的缓存数据的响应式引用。如果不存在缓存数据,则该值将为null
。如果缓存数据更改,则此Ref
会自动更新,从而在您的组件中实现无缝响应性。
示例
以下示例显示了如何在从服务器获取最新数据的同时,使用缓存数据作为占位符。
pages/posts.vue
<script setup lang="ts">
// We can access same data later using 'posts' key
const { data } = await useFetch('/api/posts', { key: 'posts' })
</script>
pages/posts/[id].vue
<script setup lang="ts">
// Access to the cached value of useFetch in posts.vue (parent route)
const { data: posts } = useNuxtData('posts')
const route = useRoute()
const { data } = useLazyFetch(`/api/posts/${route.params.id}`, {
key: `post-${route.params.id}`,
default() {
// Find the individual post from the cache and set it as the default value.
return posts.value.find(post => post.id === route.params.id)
}
})
</script>
乐观更新
以下示例显示了如何使用 useNuxtData 实现乐观更新。
乐观更新是一种技术,其中用户界面会立即更新,假设服务器操作将成功。如果操作最终失败,则 UI 将回滚到其先前的状态。
pages/todos.vue
<script setup lang="ts">
// We can access same data later using 'todos' key
const { data } = await useAsyncData('todos', () => $fetch('/api/todos'))
</script>
components/NewTodo.vue
<script setup lang="ts">
const newTodo = ref('')
let previousTodos = []
// Access to the cached value of useAsyncData in todos.vue
const { data: todos } = useNuxtData('todos')
async function addTodo () {
return $fetch('/api/addTodo', {
method: 'post',
body: {
todo: newTodo.value
},
onRequest () {
// Store the previously cached value to restore if fetch fails.
previousTodos = todos.value
// Optimistically update the todos.
todos.value = [...todos.value, newTodo.value]
},
onResponseError () {
// Rollback the data if the request failed.
todos.value = previousTodos
},
async onResponse () {
// Invalidate todos in the background if the request succeeded.
await refreshNuxtData('todos')
}
})
}
</script>
类型
useNuxtData<DataT = any> (key: string): { data: Ref<DataT | null> }