Vue 递归多级菜单的实例代码
程序员文章站
2023-12-02 23:08:22
考虑以下菜单数据:
[
{
name: "about",
path: "/about",
children: [
{
name: "a...
考虑以下菜单数据:
[ { name: "about", path: "/about", children: [ { name: "about us", path: "/about/us" }, { name: "about comp", path: "/about/company", children: [ { name: "about comp a", path: "/about/company/a", children: [ { name: "about comp a 1", path: "/about/company/a/1" } ] } ] } ] }, { name: "link", path: "/link" } ];
需要实现的效果:
首先创建两个组件 menu 和 menuitem
// menuitem <template> <li class="item"> <slot /> </li> </template>
menuitem 是一个 li 标签和 slot 插槽,允许往里头加入各种元素
<!-- menu --> <template> <ul class="wrapper"> <!-- 遍历 router 菜单数据 --> <menuitem :key="index" v-for="(item, index) in router"> <!-- 对于没有 children 子菜单的 item --> <span class="item-title" v-if="!item.children">{{item.name}}</span> <!-- 对于有 children 子菜单的 item --> <template v-else> <span @click="handletoggleshow">{{item.name}}</span> <!-- 递归操作 --> <menu :router="item.children" v-if="toggleshow"></menu> </template> </menuitem> </ul> </template> <script> import menuitem from "./menuitem"; export default { name: "menu", props: ["router"], // menu 组件接受一个 router 作为菜单数据 components: { menuitem }, data() { return { toggleshow: false // toggle 状态 }; }, methods: { handletoggleshow() { // 处理 toggle 状态的是否展开子菜单 handler this.toggleshow = !this.toggleshow; } } }; </script>
menu 组件外层是一个 ul 标签,内部是 vfor 遍历生成的 menuitem
这里有两种情况需要做判断,一种是 item 没有 children 属性,直接在 menuitem 的插槽加入一个 span 元素渲染 item 的 title 即可;另一种是包含了 children 属性的 item 这种情况下,不仅需要渲染 title 还需要再次引入 menu 做递归操作,将 item.children
作为路由传入到 router prop
最后在项目中使用:
<template> <div class="home"> <menu :router="router"></menu> </div> </template> <script> import menu from '@/components/menu.vue' export default { name: 'home', components: { menu }, data () { return { router: // ... 省略菜单数据 } } } </script>
最后增加一些样式:
menuitem:
<style lang="stylus" scoped> .item { margin: 10px 0; padding: 0 10px; border-radius: 4px; list-style: none; background: skyblue; color: #fff; } </style>
menu:
<style lang="stylus" scoped> .wrapper { cursor: pointer; .item-title { font-size: 16px; } } </style>
menu 中 ul 标签内的代码可以单独提取出来,menu 作为 wrapper 使用,递归操作部分的代码也可以单独提取出来
总结
以上所述是小编给大家介绍的vue 递归多级菜单的实例代码,希望对大家有所帮助