Vue3 除了 keep-alive,還有哪些頁面快取的實現方案

喆星高照發表於2024-05-06

引言

有這麼一個需求:列表頁進入詳情頁後,切換回列表頁,需要對列表頁進行快取,如果從首頁進入列表頁,就要重新載入列表頁。

對於這個需求,我的第一個想法就是使用keep-alive來快取列表頁,列表和詳情頁切換時,列表頁會被快取;從首頁進入列表頁時,就重置列表頁資料並重新獲取新資料來達到列表頁重新載入的效果。

但是,這個方案有個很不好的地方就是:如果列表頁足夠複雜,有下拉重新整理、下拉載入、有彈窗、有輪播等,在清除快取時,就需要重置很多資料和狀態,而且還可能要手動去銷燬和重新載入某些元件,這樣做既增加了複雜度,也容易出bug。

接下來說說我的想到的新實現方案(程式碼基於Vue3)。

keep-alive 快取和清除

keep-alive 快取原理:進入頁面時,頁面元件渲染完成,keep-alive 會快取頁面元件的例項;離開頁面後,元件例項由於已經快取就不會進行銷燬;當再次進入頁面時,就會將快取的元件例項拿出來渲染,因為元件例項儲存著原來頁面的資料和Dom的狀態,那麼直接渲染元件例項就能得到原來的頁面。

keep-alive 最大的難題就是快取的清理,如果能有簡單的快取清理方法,那麼keep-alive 元件用起來就很爽。

但是,keep-alive 元件沒有提供清除快取的API,那有沒有其他清除快取的辦法呢?答案是有的。我們先看看 keep-alive 元件的props:

include - string | RegExp | Array。只有名稱匹配的元件會被快取。
exclude - string | RegExp | Array。任何名稱匹配的元件都不會被快取。
max - number | string。最多可以快取多少元件例項。

從include描述來看,我發現include是可以用來清除快取,做法是:將元件名稱新增到include裡,元件會被快取;移除元件名稱,元件快取會被清除。根據這個原理,用hook簡單封裝一下程式碼:

import { ref, nextTick } from 'vue'

const caches = ref<string[]>([])

export default function useRouteCache () {
// 新增快取的路由元件
function addCache (componentName: string | string []) {
if (Array.isArray(componentName)) {
componentName.forEach(addCache)
return
}

if (!componentName || caches.value.includes(componentName)) return

caches.value.push(componentName)
}

// 移除快取的路由元件
function removeCache (componentName: string) {
const index = caches.value.indexOf(componentName)
if (index > -1) {
return caches.value.splice(index, 1)
}
}

// 移除快取的路由元件的例項
async function removeCacheEntry (componentName: string) {
if (removeCache(componentName)) {
await nextTick()
addCache(componentName)
}
}

return {
caches,
addCache,
removeCache,
removeCacheEntry
}
}

hook的用法如下:

<router-view v-slot="{ Component }">
<keep-alive :include="caches">
<component :is="Component" />
</keep-alive>
</router-view>

<script setup lang="ts">
import useRouteCache from './hooks/useRouteCache'
const { caches, addCache } = useRouteCache()

<!-- 將列表頁元件名稱新增到需要快取名單中 -->
addCache(['List'])
</script>

清除列表頁快取如下:

import useRouteCache from '@/hooks/useRouteCache'

const { removeCacheEntry } = useRouteCache()
removeCacheEntry('List')

此處removeCacheEntry方法清除的是列表元件的例項,'List' 值仍然在 元件的include裡,下次重新進入列表頁會重新載入列表元件,並且之後會繼續列表元件進行快取。

列表頁清除快取的時機

進入列表頁後清除快取

在列表頁路由元件的beforeRouteEnter勾子中判斷是否是從其他頁面(Home)進入的,是則清除快取,不是則使用快取。

defineOptions({
name: 'List1',
beforeRouteEnter (to: RouteRecordNormalized, from: RouteRecordNormalized) {
if (from.name === 'Home') {
const { removeCacheEntry } = useRouteCache()
removeCacheEntry('List1')
}
}
})

這種快取方式有個不太友好的地方:當從首頁進入列表頁,列表頁和詳情頁來回切換,列表頁是快取的;但是在首頁和列表頁間用瀏覽器的前進後退來切換時,我們更多的是希望列表頁能保留快取,就像在多頁面中瀏覽器前進後退會快取原頁面一樣的效果。但實際上,列表頁重新重新整理了,這就需要使用另一種解決辦法,點選連結時清除快取清除快取

點選連結跳轉前清除快取

在首頁點選跳轉列表頁前,在點選事件的時候去清除列表頁快取,這樣的話在首頁和列表頁用瀏覽器的前進後退來回切換,列表頁都是快取狀態,只要當重新點選跳轉連結的時候,才重新載入列表頁,滿足預期。

// 首頁 Home.vue

<li>
<router-link to="/list" @click="removeCacheBeforeEnter">列表頁</router-link>
</li>


<script setup lang="ts">
import useRouteCache from '@/hooks/useRouteCache'

defineOptions({
name: 'Home'
})

const { removeCacheEntry } = useRouteCache()

// 進入頁面前,先清除快取例項
function removeCacheBeforeEnter () {
removeCacheEntry('List')
}
</script>

狀態管理實現快取

透過狀態管理庫儲存頁面的狀態和資料也能實現頁面快取。此處狀態管理使用的是pinia。

首先使用pinia建立列表頁store:

import { defineStore } from 'pinia'

interface Item {
id?: number,
content?: string
}

const useListStore = defineStore('list', {
// 推薦使用 完整型別推斷的箭頭函式
state: () => {
return {
isRefresh: true,
pageSize: 30,
currentPage: 1,
list: [] as Item[],
curRow: null as Item | null
}
},
actions: {
setList (data: Item []) {
this.list = data
},
setCurRow (data: Item) {
this.curRow = data
},
setIsRefresh (data: boolean) {
this.isRefresh = data
}
}
})

export default useListStore

然後在列表頁中使用store:

<div>
<el-page-header @back="goBack">
<template #content>狀態管理實現列表頁快取</template>
</el-page-header>
<el-table v-loading="loading" :data="tableData" border style="width: 100%; margin-top: 30px;">
<el-table-column prop="id" label="id" />
<el-table-column prop="content" label="內容"/>
<el-table-column label="操作">
<template v-slot="{ row }">
<el-link type="primary" @click="gotoDetail(row)">進入詳情</el-link>
<el-tag type="success" v-if="row.id === listStore.curRow?.id">剛點選</el-tag>
</template>
</el-table-column>
</el-table>
<el-pagination
v-model:currentPage="listStore.currentPage"
:page-size="listStore.pageSize"
layout="total, prev, pager, next"
:total="listStore.list.length"
/>
</div>

<script setup lang="ts">
import useListStore from '@/store/listStore'
const listStore = useListStore()

...
</script>

透過beforeRouteEnter鉤子判斷是否從首頁進來,是則透過 listStore.$reset() 來重置資料,否則使用快取的資料狀態;之後根據 listStore.isRefresh 標示判斷是否重新獲取列表資料。

defineOptions({
beforeRouteEnter (to: RouteLocationNormalized, from: RouteLocationNormalized) {
if (from.name === 'Home') {
const listStore = useListStore()
listStore.$reset()
}
}
})

onBeforeMount(() => {
if (!listStore.useCache) {
loading.value = true
setTimeout(() => {
listStore.setList(getData())
loading.value = false
}, 1000)
listStore.useCache = true
}
})

缺點

透過狀態管理去做快取的話,需要將狀態資料都存在stroe裡,狀態多起來的話,會有點繁瑣,而且狀態寫在store裡肯定沒有寫在列表元件裡來的直觀;狀態管理由於只做列表頁資料的快取,對於一些非受控元件來說,元件內部狀態改變是快取不了的,這就導致頁面渲染後跟原來有差別,需要額外程式碼操作。

頁面彈窗實現快取

將詳情頁做成全屏彈窗,那麼從列表頁進入詳情頁,就只是簡單地開啟詳情頁彈窗,將列表頁覆蓋,從而達到列表頁 “快取”的效果,而非真正的快取。

這裡還有一個問題,開啟詳情頁之後,如果點後退,會返回到首頁,實際上我們希望是返回列表頁,這就需要給詳情彈窗加個歷史記錄,如列表頁地址為 '/list',開啟詳情頁變為 '/list?id=1'。

彈窗元件實現:

// PopupPage.vue

<template>
<div class="popup-page" :class="[!dialogVisible && 'hidden']">
<slot v-if="dialogVisible"></slot>
</div>
</template>

<script setup lang="ts">
import { useLockscreen } from 'element-plus'
import { computed, defineProps, defineEmits } from 'vue'
import useHistoryPopup from './useHistoryPopup'

const props = defineProps({
modelValue: {
type: Boolean,
default: false
},
// 路由記錄
history: {
type: Object
},
// 配置了history後,初次渲染時,如果有url上有history引數,則自動開啟彈窗
auto: {
type: Boolean,
default: true
},
size: {
type: String,
default: '50%'
},
full: {
type: Boolean,
default: false
}
})
const emit = defineEmits(
['update:modelValue', 'autoOpen', 'autoClose']
)

const dialogVisible = computed<boolean>({ // 控制彈窗顯示
get () {
return props.modelValue
},
set (val) {
emit('update:modelValue', val)
}
})

useLockscreen(dialogVisible)

useHistoryPopup({
history: computed(() => props.history),
auto: props.auto,
dialogVisible: dialogVisible,
onAutoOpen: () => emit('autoOpen'),
onAutoClose: () => emit('autoClose')
})
</script>

<style lang='less'>
.popup-page {
position: fixed;
left: 0;
right: 0;
top: 0;
bottom: 0;
z-index: 100;
overflow: auto;
padding: 10px;
background: #fff;

&.hidden {
display: none;
}
}
</style>

彈窗元件呼叫:

<popup-page 
v-model="visible"
full
:history="{ id: id }">
<Detail></Detail>
</popup-page>

hook:useHistoryPopup 參考文章:https://juejin.cn/post/7139941749174042660

缺點

彈窗實現頁面快取,侷限比較大,只能在列表頁和詳情頁中才有效,離開列表頁之後,快取就會失效,比較合適一些簡單快取的場景。

父子路由實現快取

該方案原理其實就是頁面彈窗,列表頁為父路由,詳情頁為子路由,從列表頁跳轉到詳情頁時,顯示詳情頁字路由,且詳情頁全屏顯示,覆蓋住列表頁。

宣告父子路由:

{
path: '/list',
name: 'list',
component: () => import('./views/List.vue'),
children: [
{
path: '/detail',
name: 'detail',
component: () => import('./views/Detail.vue'),
}
]
}

列表頁程式碼:

// 列表頁
<template>
<el-table v-loading="loading" :data="tableData" border style="width: 100%; margin-top: 30px;">
<el-table-column prop="id" label="id" />
<el-table-column prop="content" label="內容"/>
<el-table-column label="操作">
<template v-slot="{ row }">
<el-link type="primary" @click="gotoDetail(row)">進入詳情</el-link>
<el-tag type="success" v-if="row.id === curRow?.id">剛點選</el-tag>
</template>
</el-table-column>
</el-table>
<el-pagination
v-model:currentPage="currentPage"
:page-size="pageSize"
layout="total, prev, pager, next"
:total="list.length"
/>

<!-- 詳情頁 -->
<router-view class="popyp-page"></router-view>
</template>

<style lang='less' scoped>
.popyp-page {
position: fixed;
top: 0;
bottom: 0;
left: 0;
right: 0;
z-index: 100;
background: #fff;
overflow: auto;
}
</style>

相關文章