vue實現tagsview多頁簽導航功能的示例代碼
前言
基本上後臺管理系統都需要有多頁簽的功能,但是因為一些腳手架項目基本都把這個功能給集成好瞭,導致在學習或者修改的時候不知道該如何下手。今天這篇文章就來聊一聊,vue-element-admin項目是如何實現多頁簽功能的。
一、效果圖
實現之後的效果如下圖所示,點擊左邊的不同的菜單會打開多個頁簽,並且右鍵頁簽可以操作關閉頁簽。
二、實現思路
利用Vue的內置組件keepalive和routeLink解決,數據是通過vuex進行管理。
1. 新建 tags-view.js
在…\store\modules文件夾下新建一個tags-view.js,裡面定義相關標簽新建、關閉的操作方法,代碼如下(示例):
const state = { // 用戶訪問過的頁面 就是標簽欄導航顯示的一個個 tag 數組集合 visitedViews: [], // 實際 keep-alive 的路由。可以在配置路由的時候通過 meta.noCache 來設置是否需要緩存這個路由 默認都緩存。 cachedViews: [] } const mutations = { // 添加標簽 ADD_VISITED_VIEW: (state, view) => { // 如果標簽跳轉的路由存在就不添加,否則就添加進標簽組 if (state.visitedViews.some(v => v.path === view.path)) return state.visitedViews.push( Object.assign({}, view, { title: view.meta.title || 'no-name' }) ) }, // 添加緩存標簽 ADD_CACHED_VIEW: (state, view) => { // 已存在緩存就不緩存瞭 if (state.cachedViews.includes(view.name)) return if (view.meta && !view.meta.noCache) { state.cachedViews.push(view.name) } }, // 刪除選擇的標簽 DEL_VISITED_VIEW: (state, view) => { for (const [i, v] of state.visitedViews.entries()) { if (v.path === view.path) { state.visitedViews.splice(i, 1) break } } }, // 刪除緩存標簽 DEL_CACHED_VIEW: (state, view) => { const index = state.cachedViews.indexOf(view.name) index > -1 && state.cachedViews.splice(index, 1) }, // 刪除其它標簽 DEL_OTHERS_VISITED_VIEWS: (state, view) => { state.visitedViews = state.visitedViews.filter(v => { return v.meta.affix || v.path === view.path }) }, // 刪除其它緩存標簽 DEL_OTHERS_CACHED_VIEWS: (state, view) => { const index = state.cachedViews.indexOf(view.name) if (index > -1) { state.cachedViews = state.cachedViews.slice(index, index + 1) } else { state.cachedViews = [] } }, // 刪除所有標簽 DEL_ALL_VISITED_VIEWS: state => { // 過濾出固定的標簽,隻保留固定標簽 const affixTags = state.visitedViews.filter(tag => tag.meta.affix) state.visitedViews = affixTags }, // 刪除所有緩存標簽 DEL_ALL_CACHED_VIEWS: state => { state.cachedViews = [] }, UPDATE_VISITED_VIEW: (state, view) => { for (let v of state.visitedViews) { if (v.path === view.path) { v = Object.assign(v, view) break } } }, // 刪除右側標簽 DEL_RIGHT_VIEWS: (state, view) => { const index = state.visitedViews.findIndex(v => v.path === view.path) if (index === -1) { return } state.visitedViews = state.visitedViews.filter((item, idx) => { if (idx <= index || (item.meta && item.meta.affix)) { return true } const i = state.cachedViews.indexOf(item.name) if (i > -1) { state.cachedViews.splice(i, 1) } return false }) }, // 刪除左側標簽 DEL_LEFT_VIEWS: (state, view) => { const index = state.visitedViews.findIndex(v => v.path === view.path) if (index === -1) { return } state.visitedViews = state.visitedViews.filter((item, idx) => { if (idx >= index || (item.meta && item.meta.affix)) { return true } const i = state.cachedViews.indexOf(item.name) if (i > -1) { state.cachedViews.splice(i, 1) } return false }) } } const actions = { // 新增當前路由標簽和標簽緩存 addView({ dispatch }, view) { dispatch('addVisitedView', view) dispatch('addCachedView', view) }, // 新增當前路由標簽 addVisitedView({ commit }, view) { commit('ADD_VISITED_VIEW', view) }, // 新增當前路由標簽緩存 addCachedView({ commit }, view) { commit('ADD_CACHED_VIEW', view) }, // 刪除當前路由標簽和標簽緩存 delView({ dispatch, state }, view) { return new Promise(resolve => { dispatch('delVisitedView', view) dispatch('delCachedView', view) resolve({ visitedViews: [...state.visitedViews], cachedViews: [...state.cachedViews] }) }) }, // 刪除當前路由標簽 delVisitedView({ commit, state }, view) { return new Promise(resolve => { commit('DEL_VISITED_VIEW', view) resolve([...state.visitedViews]) }) }, // 刪除當前路由標簽緩存 delCachedView({ commit, state }, view) { return new Promise(resolve => { commit('DEL_CACHED_VIEW', view) resolve([...state.cachedViews]) }) }, // 刪除其他路由標簽和標簽緩存 delOthersViews({ dispatch, state }, view) { return new Promise(resolve => { dispatch('delOthersVisitedViews', view) dispatch('delOthersCachedViews', view) resolve({ visitedViews: [...state.visitedViews], cachedViews: [...state.cachedViews] }) }) }, // 刪除其他路由標簽 delOthersVisitedViews({ commit, state }, view) { return new Promise(resolve => { commit('DEL_OTHERS_VISITED_VIEWS', view) resolve([...state.visitedViews]) }) }, // 刪除其他路由標簽緩存 delOthersCachedViews({ commit, state }, view) { return new Promise(resolve => { commit('DEL_OTHERS_CACHED_VIEWS', view) resolve([...state.cachedViews]) }) }, // 刪除所有路由標簽和標簽緩存 delAllViews({ dispatch, state }, view) { return new Promise(resolve => { dispatch('delAllVisitedViews', view) dispatch('delAllCachedViews', view) resolve({ visitedViews: [...state.visitedViews], cachedViews: [...state.cachedViews] }) }) }, // 刪除所有路由標簽 delAllVisitedViews({ commit, state }) { return new Promise(resolve => { commit('DEL_ALL_VISITED_VIEWS') resolve([...state.visitedViews]) }) }, // 刪除所有路由標簽緩存 delAllCachedViews({ commit, state }) { return new Promise(resolve => { commit('DEL_ALL_CACHED_VIEWS') resolve([...state.cachedViews]) }) }, updateVisitedView({ commit }, view) { commit('UPDATE_VISITED_VIEW', view) }, // 刪除右側路由標簽緩存 delRightTags({ commit }, view) { return new Promise(resolve => { commit('DEL_RIGHT_VIEWS', view) resolve([...state.visitedViews]) }) }, // 刪除左側路由標簽緩存 delLeftTags({ commit }, view) { return new Promise(resolve => { commit('DEL_LEFT_VIEWS', view) resolve([...state.visitedViews]) }) }, } export default { namespaced: true, state, mutations, actions }
2. 在Vuex裡面引入 tags-view.js
在store 目錄下 index.js 文件修改,代碼如下(示例):
import Vue from 'vue' import Vuex from 'vuex' ... // 新加 import tagsView from './modules/tags-view' Vue.use(Vuex) const store = new Vuex.Store({ modules: { ... // 新加 tagsView }, getters }) export default store
3. 新建 tabsView 組件
在 layout/components 目錄下新建目錄 TabsView,在該目錄下新建 index.vue 文件,代碼如下(示例):
<template> <div id="tags-view-container" class="tags-view-container"> <!-- 路由標簽顯示區域(滾動)組件 --> <scroll-pane ref="scrollPane" class="tags-view-wrapper" @scroll="handleScroll"> <router-link v-for="tag in visitedViews" ref="tag" :key="tag.path" :class="isActive(tag)?'active':''" :to="{ path: tag.path, query: tag.query, fullPath: tag.fullPath }" tag="span" class="tags-view-item" :style="activeStyle(tag)" @click.middle.native="!isAffix(tag)?closeSelectedTag(tag):''" @contextmenu.prevent.native="openMenu(tag,$event)" > {{ tag.title }} <!-- 這個地方一定要click加個stop阻止,不然會因為事件冒泡一直觸發父元素的點擊事件,無法跳轉另一個路由 --> <span v-if="!isAffix(tag)" class="el-icon-close" @click.prevent.stop="closeSelectedTag(tag)" /> </router-link> </scroll-pane> <ul v-show="visible" :style="{left:left+'px',top:top+'px'}" class="contextmenu"> <li @click="refreshSelectedTag(selectedTag)"><i class="el-icon-refresh-right"></i> 刷新頁面</li> <li v-if="!isAffix(selectedTag)" @click="closeSelectedTag(selectedTag)"><i class="el-icon-close"></i> 關閉當前</li> <li @click="closeOthersTags"><i class="el-icon-circle-close"></i> 關閉其他</li> <li v-if="!isFirstView()" @click="closeLeftTags"><i class="el-icon-back"></i> 關閉左側</li> <li v-if="!isLastView()" @click="closeRightTags"><i class="el-icon-right"></i> 關閉右側</li> <li @click="closeAllTags(selectedTag)"><i class="el-icon-circle-close"></i> 全部關閉</li> </ul> </div> </template> <script> import ScrollPane from './ScrollPane' import path from 'path' export default { components: { ScrollPane }, data() { return { // 右鍵菜單隱藏對應佈爾值 visible: false, //右鍵菜單對應位置 top: 0, left: 0, // 選擇的標簽 selectedTag: {}, // 固釘標簽,不可刪除 affixTags: [] } }, // 計算屬性 computed: { visitedViews() { return this.$store.state.tagsView.visitedViews }, routes() { return this.$store.state.permission.routes }, }, // 監聽 watch: { // 監聽路由變化 $route() { this.addTags() this.moveToCurrentTag() }, //監聽右鍵菜單的值是否為true,如果是就創建全局監聽點擊事件,觸發closeMenu事件隱藏菜單,如果是false就刪除監聽 visible(value) { if (value) { document.body.addEventListener('click', this.closeMenu) } else { document.body.removeEventListener('click', this.closeMenu) } } }, // 頁面渲染後初始化 mounted() { this.initTags() this.addTags() }, methods: { isActive(route) { return route.path === this.$route.path }, activeStyle(tag) { if (!this.isActive(tag)) return {}; return { "background-color": this.theme, "border-color": this.theme }; }, isAffix(tag) { return tag.meta && tag.meta.affix }, isFirstView() { try { return this.selectedTag.fullPath === this.visitedViews[1].fullPath || this.selectedTag.fullPath === '/index' } catch (err) { return false } }, isLastView() { try { return this.selectedTag.fullPath === this.visitedViews[this.visitedViews.length - 1].fullPath } catch (err) { return false } }, filterAffixTags(routes, basePath = '/') { let tags = [] routes.forEach(route => { if (route.meta && route.meta.affix) { const tagPath = path.resolve(basePath, route.path) tags.push({ fullPath: tagPath, path: tagPath, name: route.name, meta: { ...route.meta } }) } if (route.children) { const tempTags = this.filterAffixTags(route.children, route.path) if (tempTags.length >= 1) { tags = [...tags, ...tempTags] } } }) return tags }, initTags() { const affixTags = this.affixTags = this.filterAffixTags(this.routes) for (const tag of affixTags) { // Must have tag name if (tag.name) { this.$store.dispatch('tagsView/addVisitedView', tag) } } }, /* 添加頁簽 */ addTags() { const { name } = this.$route if (name) { this.$store.dispatch('tagsView/addView', this.$route) } return false }, /* 移動到當前頁簽 */ moveToCurrentTag() { const tags = this.$refs.tag this.$nextTick(() => { for (const tag of tags) { if (tag.to.path === this.$route.path) { this.$refs.scrollPane.moveToTarget(tag) // when query is different then update if (tag.to.fullPath !== this.$route.fullPath) { this.$store.dispatch('tagsView/updateVisitedView', this.$route) } break } } }) }, refreshSelectedTag(view) { this.$store.dispatch('tagsView/delCachedView', view).then(() => { const { fullPath } = view this.$nextTick(() => { this.$router.replace({ path: '/redirect' + fullPath }) }) }) }, closeSelectedTag(view) { this.$store.dispatch('tagsView/delView', view).then(({ visitedViews }) => { if (this.isActive(view)) { this.toLastView(visitedViews, view) } }) }, closeRightTags() { this.$store.dispatch('tagsView/delRightTags', this.selectedTag).then(visitedViews => { if (!visitedViews.find(i => i.fullPath === this.$route.fullPath)) { this.toLastView(visitedViews) } }) }, closeLeftTags() { this.$store.dispatch('tagsView/delLeftTags', this.selectedTag).then(visitedViews => { if (!visitedViews.find(i => i.fullPath === this.$route.fullPath)) { this.toLastView(visitedViews) } }) }, closeOthersTags() { this.$router.push(this.selectedTag) this.$store.dispatch('tagsView/delOthersViews', this.selectedTag).then(() => { this.moveToCurrentTag() }) }, closeAllTags(view) { this.$store.dispatch('tagsView/delAllViews').then(({ visitedViews }) => { if (this.affixTags.some(tag => tag.path === this.$route.path)) { return } this.toLastView(visitedViews, view) }) }, toLastView(visitedViews, view) { const latestView = visitedViews.slice(-1)[0] if (latestView) { this.$router.push(latestView.fullPath) } else { // now the default is to redirect to the home page if there is no tags-view, // you can adjust it according to your needs. if (view.name === 'Dashboard') { // to reload home page this.$router.replace({ path: '/redirect' + view.fullPath }) } else { this.$router.push('/') } } }, openMenu(tag, e) { const menuMinWidth = 105 const offsetLeft = this.$el.getBoundingClientRect().left // container margin left const offsetWidth = this.$el.offsetWidth // container width const maxLeft = offsetWidth - menuMinWidth // left boundary const left = e.clientX - offsetLeft + 15 // 15: margin right if (left > maxLeft) { this.left = maxLeft } else { this.left = left } this.top = e.clientY this.visible = true this.selectedTag = tag }, closeMenu() { this.visible = false }, handleScroll() { this.closeMenu() } } } </script> <style lang="scss" scoped> .tags-view-container { height: 34px; width: 100%; background: #fff; border-bottom: 1px solid #d8dce5; box-shadow: 0 1px 3px 0 rgba(0, 0, 0, .12), 0 0 3px 0 rgba(0, 0, 0, .04); .tags-view-wrapper { .tags-view-item { display: inline-block; position: relative; cursor: pointer; height: 26px; line-height: 26px; border: 1px solid #d8dce5; color: #495060; background: #fff; padding: 0 8px; font-size: 12px; margin-left: 5px; margin-top: 4px; &:first-of-type { margin-left: 15px; } &:last-of-type { margin-right: 15px; } &.active { background-color: #42b983; color: #fff; border-color: #42b983; &::before { content: ''; background: #fff; display: inline-block; width: 8px; height: 8px; border-radius: 50%; position: relative; margin-right: 2px; } } } } .contextmenu { margin: 0; background: #fff; z-index: 3000; position: absolute; list-style-type: none; padding: 5px 0; border-radius: 4px; font-size: 12px; font-weight: 400; color: #333; box-shadow: 2px 2px 3px 0 rgba(0, 0, 0, .3); li { margin: 0; padding: 7px 16px; cursor: pointer; &:hover { background: #eee; } } } } </style> <style lang="scss"> //reset element css of el-icon-close .tags-view-wrapper { .tags-view-item { .el-icon-close { width: 16px; height: 16px; vertical-align: 2px; border-radius: 50%; text-align: center; transition: all .3s cubic-bezier(.645, .045, .355, 1); transform-origin: 100% 50%; &:before { transform: scale(.6); display: inline-block; vertical-align: -3px; } &:hover { background-color: #b4bccc; color: #fff; } } } } </style>
4. 新建 ScrollPane 組件
這個組件主要是控制路由標簽長度超出時左右按鈕的滾動功能。 在 TabsView 目錄下,新建 ScrollPane.vue 文件,代碼如下(示例):
<template> <el-scrollbar ref="scrollContainer" :vertical="false" class="scroll-container" @wheel.native.prevent="handleScroll"> <slot /> </el-scrollbar> </template> <script> const tagAndTagSpacing = 4 // tagAndTagSpacing export default { name: 'ScrollPane', data() { return { left: 0 } }, computed: { scrollWrapper() { return this.$refs.scrollContainer.$refs.wrap } }, mounted() { this.scrollWrapper.addEventListener('scroll', this.emitScroll, true) }, beforeDestroy() { this.scrollWrapper.removeEventListener('scroll', this.emitScroll) }, methods: { handleScroll(e) { const eventDelta = e.wheelDelta || -e.deltaY * 40 const $scrollWrapper = this.scrollWrapper $scrollWrapper.scrollLeft = $scrollWrapper.scrollLeft + eventDelta / 4 }, emitScroll() { this.$emit('scroll') }, moveToTarget(currentTag) { const $container = this.$refs.scrollContainer.$el const $containerWidth = $container.offsetWidth const $scrollWrapper = this.scrollWrapper const tagList = this.$parent.$refs.tag let firstTag = null let lastTag = null // find first tag and last tag if (tagList.length > 0) { firstTag = tagList[0] lastTag = tagList[tagList.length - 1] } if (firstTag === currentTag) { $scrollWrapper.scrollLeft = 0 } else if (lastTag === currentTag) { $scrollWrapper.scrollLeft = $scrollWrapper.scrollWidth - $containerWidth } else { // find preTag and nextTag const currentIndex = tagList.findIndex(item => item === currentTag) const prevTag = tagList[currentIndex - 1] const nextTag = tagList[currentIndex + 1] // the tag's offsetLeft after of nextTag const afterNextTagOffsetLeft = nextTag.$el.offsetLeft + nextTag.$el.offsetWidth + tagAndTagSpacing // the tag's offsetLeft before of prevTag const beforePrevTagOffsetLeft = prevTag.$el.offsetLeft - tagAndTagSpacing if (afterNextTagOffsetLeft > $scrollWrapper.scrollLeft + $containerWidth) { $scrollWrapper.scrollLeft = afterNextTagOffsetLeft - $containerWidth } else if (beforePrevTagOffsetLeft < $scrollWrapper.scrollLeft) { $scrollWrapper.scrollLeft = beforePrevTagOffsetLeft } } } } } </script> <style lang="scss" scoped> .scroll-container { white-space: nowrap; position: relative; overflow: hidden; width: 100%; ::v-deep { .el-scrollbar__bar { bottom: 0px; } .el-scrollbar__wrap { height: 49px; } } } </style>
5. 引入 tabsView 組件
修改 layout/components/index.js 文件,引入組件,代碼如下(示例):
export { default as TagsView } from './TagsView/index.vue'
修改 layout/index.vue 文件,使用 tabsView 組件,代碼如下(示例):
<template> <div :class="classObj" class="app-wrapper"> <div v-if="device==='mobile'&&sidebar.opened" class="drawer-bg" @click="handleClickOutside" /> <!-- 左側側邊欄菜單 --> <sidebar class="sidebar-container" /> <div class="main-container"> <div :class="{'fixed-header':fixedHeader}"> <navbar /> <!--多頁簽導航欄--> <tags-view v-if="needTagsView" /> </div> <app-main /> </div> </div> </template> <script> import { Navbar, Sidebar, AppMain, TagsView } from './components' import ResizeMixin from './mixin/ResizeHandler' export default { name: 'Layout', components: { Navbar, Sidebar, AppMain, TagsView }, mixins: [ResizeMixin], computed: { needTagsView() { return true }, ... }, methods: { handleClickOutside() { this.$store.dispatch('app/closeSideBar', { withoutAnimation: false }) } } } </script>
6. 使用 keep-alive 組件,進行頁簽的緩存
修改 layout/components/AppMain.vue 文件,使用 keep-alive 組件,進行頁簽的緩存,代碼如下(示例):
<template> <section class="app-main"> <transition name="fade-transform" mode="out-in"> <keep-alive :include="cachedViews"> <router-view :key="key" /> </keep-alive> </transition> </section> </template> <script> export default { name: 'AppMain', computed: { cachedViews() { return this.$store.state.tagsView.cachedViews }, key() { return this.$route.path } } } </script> <style scoped> .app-main { /*50 = navbar */ min-height: calc(100vh - 50px); width: 100%; position: relative; overflow: hidden; } .fixed-header+.app-main { padding-top: 50px; } </style> <style lang="scss"> // fix css style bug in open el-dialog .el-popup-parent--hidden { .fixed-header { padding-right: 15px; } } </style>
總結
好瞭,以上就是本篇文章的全部內容瞭,本文梳理瞭一下vue-element-admin項目實現多頁簽功能的整體步驟,若覺得本文對您有幫助的話,還不忘點贊評論關註,支持一波喲~
到此這篇關於vue實現tagsview多頁簽導航功能的文章就介紹到這瞭,更多相關vue tagsview多頁簽導航內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!
推薦閱讀:
- Vue 關閉當前頁、關閉當前標簽tagsView的實現方法
- vue+element實現頁面頂部tag思路詳解
- vuex項目中登錄狀態管理的實踐過程
- vue一步到位的實現動態路由
- Vue3中Vuex的詳細使用方法