liziyu 发布的文章

创建 permission.js 文件:

//@unilts/permission.js

// 白名单
const whiteList = [
    '/', // 注意入口页必须直接写 '/'
    '/pages/tabbar/classify/classify', //分类
    '/pages/tabbar/cart/cart', //购物车
    {
        pattern: /^\/pages\/common\/*/
    } //支持正则表达式
];

export default async function() {
    const list = ['navigateTo', 'redirectTo', 'reLaunch', 'switchTab']
    // 用遍历的方式分别为,uni.navigateTo,uni.redirectTo,uni.reLaunch,uni.switchTab这4个路由方法添加拦截器
    list.forEach(item => {
        uni.addInterceptor(item, {
            invoke(e) {
                // 获取要跳转的页面路径(url去掉"?"和"?"后的参数)
                const url = e.url.split('?')[0]
                // 判断当前窗口是白名单,如果是则不重定向路由
                let pass
                if (whiteList) {
                    pass = whiteList.some((item) => {
                        if (typeof(item) === 'object' && item.pattern) {
                            return item.pattern.test(url)
                        }
                        return url === item
                    })
                }

                // 不是白名单并且没有token
                let token = uni.getStorageSync('Authorization');
                if (!pass && !token) {
                    // uni.showToast({
                    //     title: '请先登录',
                    //     icon: 'error'
                    // })
                    uni.redirectTo({
                        url: "/pages/common/login/login"
                    })
                    return false
                }
                return e
            },
            fail(err) { // 失败回调拦截
                console.log(err)
            }
        })
    })
}

1、在App.vue下使用:

import routingIntercept from '@/util/permission.js'
export default {
    onLaunch: function() {
        console.warn('当前组件仅支持 uni_modules 目录结构 ,请升级 HBuilderX 到 3.1.0 版本以上!');
        console.log('App Launch');
        // 对路由进行统一拦截,实现路由导航守卫 router.beforeEach 功能
        routingIntercept()
    },

2、在main.js下使用:

import routingIntercept from './utils/permission.js'


//对路由进行统一拦截,实现路由导航守卫router.beforeEach功能
routingIntercept()

注意:以上2种使用方式,任选其一即可。

在 Vue 3 中,组件之间的通信是构建应用程序的关键。本指南将介绍 13 种不同的组件通信方法,从最简单到最复杂,帮助你选择最适合你需求的方式。

h21. 父组件向子组件传递数据 (Props)

这是最基本也是最常用的通信方式。父组件通过属性向子组件传递数据。

父组件:

<template>
<child :name="name"></child>
</template>

<script setup>
import { ref } from 'vue'
import Child from './Child.vue'

const name = ref('小明')
</script>

子组件:

<template>
<div>{{ props.name }}</div>
</template>

<script setup>
import { defineProps } from 'vue'

const props = defineProps({
name: {
type: String,
default: '',
},
})
</script>

h22. 子组件向父组件传递数据 (Emit)

子组件可以通过触发事件的方式向父组件传递数据。

子组件:

<template>
<button @click="handleClick">点击我</button>
</template>

<script setup>
import { ref, defineEmits } from 'vue'

const message = ref('来自子组件的问候')
const emits = defineEmits(['greet'])

const handleClick = () => {
emits('greet', message.value)
}
</script>

父组件:

<template>
<child @greet="handleGreet"></child>
</template>

<script setup>
import { ref } from 'vue'
import Child from './Child.vue'

const handleGreet = (message) => {
console.log(message) // 输出: "来自子组件的问候"
}
</script>

h23. 兄弟组件通信 (Mitt)

对于兄弟组件之间的通信,我们可以使用第三方库 mitt 来实现一个简单的事件总线。

首先,安装 mitt:

npm install --save mitt

然后,在 main.js 中全局配置:

import { createApp } from 'vue'
import mitt from 'mitt'
import App from './App.vue'

const app = createApp(App)
app.config.globalProperties.$bus = mitt()

app.mount('#app')

发送事件的组件:

<script setup>
import { getCurrentInstance } from 'vue'

const { proxy } = getCurrentInstance()
const sendMessage = () => {
proxy.$bus.emit('myEvent', '你好,兄弟')
}
</script>

接收事件的组件:

<script setup>
import { onMounted, getCurrentInstance } from 'vue'

const { proxy } = getCurrentInstance()

onMounted(() => {
proxy.$bus.on('myEvent', (message) => {
console.log(message) // 输出: "你好,兄弟"
})
})
</script>

h24. 透传 Attributes ($attrs)

$attrs 包含了父组件传递给子组件的所有属性,除了那些已经被 props 或 emits 声明的。

父组件:

<template>
<child name="小明" age="18" hobby="篮球"></child>
</template>

子组件:

<script setup>
import { useAttrs } from 'vue'

const attrs = useAttrs()
console.log(attrs) // { age: "18", hobby: "篮球" }
</script>

h25. 模板引用 (Refs)

通过 ref,父组件可以直接访问子组件的属性和方法。

父组件:

<template>
<child ref="childRef"></child>
<button @click="callChildMethod">调用子组件方法</button>
</template>

<script setup>
import { ref } from 'vue'
import Child from './Child.vue'

const childRef = ref(null)

const callChildMethod = () => {
childRef.value.someMethod()
}
</script>

子组件:

<script setup>
import { defineExpose } from 'vue'

const someMethod = () => {
console.log('子组件方法被调用了')
}

defineExpose({
someMethod,
})
</script>

h26. 双向绑定 (v-model)

v-model 提供了一种简洁的方式来实现父子组件之间的双向数据绑定。

父组件:

<template>
<child v-model:name="name"></child>
</template>

<script setup>
import { ref } from 'vue'
import Child from './Child.vue'

const name = ref('小明')
</script>

子组件:

<template>
<input :value="name" @input="updateName" />
</template>

<script setup>
import { defineProps, defineEmits } from 'vue'

const props = defineProps(['name'])
const emit = defineEmits(['update:name'])

const updateName = (e) => {
emit('update:name', e.target.value)
}
</script>

h27. 依赖注入 (Provide/Inject)

provide 和 inject 允许祖先组件向所有子孙组件传递数据,而不需要通过每一层组件手动传递。

祖先组件:

<script setup>
import { provide, ref } from 'vue'

const themeColor = ref('blue')
provide('theme', themeColor)
</script>

子孙组件:

<script setup>
import { inject } from 'vue'

const theme = inject('theme')
console.log(theme.value) // 'blue'
</script>

h28. 路由传参

Vue Router 提供了多种方式在路由之间传递参数。

通过 query 传参:

import { useRouter } from 'vue-router'

const router = useRouter()
router.push({ path: '/user', query: { id: 123 } })

// 在目标组件中
import { useRoute } from 'vue-router'

const route = useRoute()
console.log(route.query.id) // 123

h29. Vuex 状态管理

Vuex 是 Vue 的官方状态管理库,适用于大型应用。

// store/index.js
import { createStore } from 'vuex'

export default createStore({
state: {
count: 0,
},
mutations: {
increment(state) {
state.count++
},
},
})

// 在组件中使用
import { useStore } from 'vuex'

const store = useStore()
console.log(store.state.count)
store.commit('increment')

h210. Pinia 状态管理

Pinia 是新一代的 Vue 状态管理库,提供更简单的 API 和更好的 TypeScript 支持。

// stores/counter.js
import { defineStore } from 'pinia'

export const useCounterStore = defineStore('counter', {
state: () => ({ count: 0 }),
actions: {
increment() {
this.count++
},
},
})

// 在组件中使用
import { useCounterStore } from '@/stores/counter'

const counter = useCounterStore()
console.log(counter.count)
counter.increment()

h211. 浏览器存储

localStorage 和 sessionStorage 可以用于在不同页面或组件之间共享数据。

// 存储数据
localStorage.setItem('user', JSON.stringify({ name: '小明', age: 18 }))

// 读取数据
const user = JSON.parse(localStorage.getItem('user'))

h212. Window 对象

虽然不推荐,但在某些场景下,可以使用 window 对象在全局范围内共享数据。

// 设置全局数据
window.globalData = { message: '全局消息' }

// 在任何地方使用
console.log(window.globalData.message)

h213. 全局属性

Vue 3 提供了 app.config.globalProperties 来替代 Vue 2 中的 Vue.prototype,用于添加全局可用的属性。

// main.js
const app = createApp(App)
app.config.globalProperties.$http = axios

// 在组件中使用
import { getCurrentInstance } from 'vue'

const { proxy } = getCurrentInstance()
proxy.$http.get('/api/data')

h2总结

这 13 种方法涵盖了 Vue 3 中几乎所有的组件通信场景。根据你的具体需求和应用规模,选择最合适的通信方式。记住,好的组件设计能够简化通信,提高代码的可维护性。

转自:传送门

uniapp(类微信小程序)生命周期函数如下,从dcloudio/uni-app导入。

onLoad
onShow
onReady
onHide
onUnload
onPullDownRefresh
onReachBottom



vue3组合式生命周期函数如下,从vue导入。

onMounted()
onUpdated()
onUnmounted()
onBeforeMount()
onBeforeUpdate()
onBeforeUnmount()
onErrorCaptured()
onRenderTracked()
onRenderTriggered()
onActivated()
onDeactivated()
onServerPrefetch()


coloruiBeta (uni-app版)
github:https://github.com/Color-UI/coloruiBeta
gitee:https://gitee.com/color-ui/coloruiBeta
演示效果:https://cu-h5.vercel.app/

MP-CU(微信小程序原生版)
github:https://github.com/Color-UI/MP-CU
gitee:https://gitee.com/color-ui/MP-CU
文档地址:https://mp-cu-doc-vercel.vercel.app/

静态资源包
github:https://github.com/Color-UI/assest
gitee:https://gitee.com/color-ui/assest
在线引用:https://colorui-assest.vercel.app/ + 资源路径

在 src下的目录结构

QQ20240531-081042@2x.png

在 router下的路由实现

import { createRouter, createWebHistory } from 'vue-router'

// const routes = [
//     {
//         path: '/',
//         component: () => import('/pages/views/index/index.vue'),
//     },
//     {
//         path: '/about',
//         component: () => import('/pages/views/about/index.vue'),
//     }
// ]

const pageModules = import.meta.glob('../views/**/page.js', {
    eager: true,
    import: 'default'
});

const pageComps = import.meta.glob('../views/**/index.vue',{
    eager: true,
    import: 'default'
});

const routes =Object.entries(pageModules).map(([pagePath, config])=> {
    console.log(pagePath, config);
    let path = pagePath.replace('../views', '').replace('/page.js', '');
    path = path || '/';
    const name = path.split('/').filter(Boolean).join('-') || 'index';
    const compPath = pagePath.replace('page.js', 'index.vue');
    return {
        path,
        name,
        component: pageComps[compPath],
        meta: config,
    };
});

console.log(routes)


const router = createRouter({
    history: createWebHistory(),
    routes
})

export default router

config.mjs

import {defineConfig} from 'vitepress'
import {setSidebar} from "./utils/auto-sidebar.mjs";
import {viteCMSFront} from "./sider/cms-front.js"

// https://vitepress.dev/reference/site-config
// https://vitepress.dev/reference/default-theme-config
export default defineConfig({
    title: "资料库",
    description: "Mallray's description",
    lang: 'zh-CN',
    base: '/public/note', //默认站点目录
    lastUpdated: true,
    head: [["link", { rel: "icon", href: "/file/favicon.ico" }]],
    markdown: {
        lineNumbers: true
    },
    themeConfig: {
        logo: '/images/logo.svg',
        outline: [2, 6],
        outlineTitle: '章节导航',
        docFooter: {
            prev: '←上一篇',
            next: '下一篇→',
        },
        lastUpdatedText: '上次更新时间',
        //首页顶部导航
        nav: [
            {text: '首页', link: '/'},
            {
                text: '技术笔记',
                items: [
                    {text: '前端VUE3', link: '/doc/cms/front/'},
                    {text: '后台Golang', link: '/doc/cms/back/'}
                ]
            }
        ],
        //侧边框
        sidebar: {
            "/doc/cms/front": setSidebar("/doc/cms/front"),
            "/doc/cms/back": setSidebar("/doc/cms/back"),
            // "/doc/cms/front": viteCMSFront,
        },
        //主页图片导航
        socialLinks: [
            {icon: 'github', link: 'http://a.liziyu.com'}
        ],
        //页脚版权
        footer: {
            message: '',
            copyright: "liziyu.com"
        },
        // 设置搜索框的样式
        search: {
            provider: "local",
            options: {
                translations: {
                    button: {
                        buttonText: "搜索文档",
                        buttonAriaLabel: "搜索文档",
                    },
                    modal: {
                        noResultsText: "无法找到相关结果",
                        resetButtonTitle: "清除查询条件",
                        footer: {
                            selectText: "选择",
                            navigateText: "切换",
                        },
                    },
                },
            },
        },
    },
})

auto-siderbar.mjs

import path from "node:path";
import fs from "node:fs";

// 文件根目录
const DIR_PATH = path.resolve();
// 白名单,过滤不是文章的文件和文件夹
const WHITE_LIST = [
    "index.md",
    ".vitepress",
    "node_modules",
    ".idea",
    "assets",
];

// 判断是否是文件夹
const isDirectory = (path) => fs.lstatSync(path).isDirectory();

// 取差值
const intersections = (arr1, arr2) =>
    Array.from(new Set(arr1.filter((item) => !new Set(arr2).has(item))));

// 把方法导出直接使用
function getList(params, path1, pathname) {
    // 存放结果
    const res = [];
    // 开始遍历params
    for (let file in params) {
        // 拼接目录
        const dir = path.join(path1, params[file]);
        // 判断是否是文件夹
        const isDir = isDirectory(dir);
        if (isDir) {
            // 如果是文件夹,读取之后作为下一次递归参数
            const files = fs.readdirSync(dir);
            res.push({
                text: params[file],
                collapsible: true,
                items: getList(files, dir, `${pathname}/${params[file]}`),
            });
        } else {
            // 获取名字
            const name = path.basename(params[file]);
            // 排除非 md 文件
            const suffix = path.extname(params[file]);
            if (suffix !== ".md") {
                continue;
            }
            res.push({
                text: name,
                link: `${pathname}/${name}`,
            });
        }
    }
    // 对name做一下处理,把后缀删除
    res.map((item) => {
        item.text = item.text.replace(/\.md$/, "");
    });
    return res;
}

export const setSidebar = (pathname) => {
    // 获取pathname的路径
    const dirPath = path.join(DIR_PATH, pathname);
    // 读取pathname下的所有文件或者文件夹
    const files = fs.readdirSync(dirPath);
    // 过滤掉
    const items = intersections(files, WHITE_LIST);
    // getList 函数后面会讲到
    return getList(items, dirPath, pathname);
};

上传组件的封装

<template>
  <div class="upload-file">
    <el-upload multiple :action="uploadFileUrl" :data="fileData" :before-upload="handleBeforeUpload"
               :file-list="fileList" :limit="limit" :on-error="handleUploadError" :on-exceed="handleExceed"
               :on-success="handleUploadSuccess" :on-progress="handleProgress" :show-file-list="false" :headers="headers"
               class="upload-file-uploader" ref="upload">
      <!-- 上传按钮 -->
      <slot>
        <el-button type="primary">选取文件</el-button>
      </slot>
    </el-upload>
    <!-- 上传提示 -->
    <div class="el-upload__tip" v-if="showTip">
      请上传
      <template v-if="fileSize">
        大小不超过 <b style="color: #f56c6c">{{ fileSize }}MB</b>
      </template>
      <template v-if="fileType">
        格式为 <b style="color: #f56c6c">{{ fileType.join("/") }}</b>
      </template>
      的文件
    </div>
    <!-- 文件列表 -->
    <transition-group class="upload-file-list el-upload-list el-upload-list--text" name="el-fade-in-linear" tag="ul" v-if="showFileList">
      <li :key="file.uid" class="el-upload-list__item ele-upload-list__item-content" v-for="(file, index) in fileList">
        <el-link :href="`${baseUrl}${file.url}`" :underline="false" target="_blank">
                    <span class="document">
                        {{ getFileName(file.name) }}
                    </span>
        </el-link>
        <div class="ele-upload-list__item-content-action">
          <el-link :underline="false" @click="handleDelete(index)" type="danger">删除</el-link>
        </div>
      </li>
    </transition-group>
    <div class="flex flex-direction justify-center align-center" v-if="upLoading"
         style="position: fixed;top: 0;bottom: 0;left: 0;right: 0;height: 100vh;width: 100vw;z-index: 9999999;background-color: rgba(0,0,0,0.8);">
      <div v-loading="upLoading" element-loading-text="" element-loading-background="rgba(0, 0, 0, 0)"
           style="width: 10px;height: 10px;"></div>
      <span style="font-size: 16px;color: var(--el-color-primary);margin-top: 40px;">上传进度:{{ upProgress }}%</span>
    </div>
  </div>
</template>

<script setup>
import { genFileId ,ElMessage } from 'element-plus'
import { computed, getCurrentInstance, reactive, ref, watch } from "vue";
import { API_BASE_URL, FILE_FULL_PATH } from '@/config/setting.js'

const props = defineProps({
  modelValue: [String, Object, Array],
  limit: {
    type: Number,
    default: 0,
  },
  fileSize: {
    type: Number,
    default: 0,
  },
  fileType: {
    type: Array,
    default: ['pdf','png','jpg'],
  },
  // 是否显示提示
  isShowTip: {
    type: Boolean,
    default: false,
  },
  // 超出上传数量时,是否覆盖继续上传
  isExceed: {
    type: Boolean,
    default: false,
  },
  showFileList: {
    type: Boolean,
    default: true,
  },
  //定义上传附件要传递的字段
  source: {
    type: String,
    default: "",
  }
});

const emit = defineEmits(['update:modelValue', 'uploadSuccess']);
const upload = ref()
const num = ref(0);
const uploadList = ref([]);
// 文件访问地址
const baseUrl = FILE_FULL_PATH;
// 上传接口地址
const uploadFileUrl = API_BASE_URL + "api/sys/upload";
// 请求头
const headers = { Authorization: "Bearer " };
const fileList = ref();
const upLoading = ref(false)
const upProgress = ref(0)
const showTip = computed(
  () => props.isShowTip && (props.fileType || props.fileSize)
);
const fileData = reactive({
  'source': props.source
})

watch(
  () => props.modelValue,
  (val) => {
    if (val) {
      let temp = 1;
      // 首先将值转为数组
      const list = Array.isArray(val)
        ? val
        : (props.modelValue?.toString().split(","));
      // 然后将数组转为对象数组
      fileList.value = list.map((item) => {
        if (typeof item === "string") {
          item = { name: item, url: item };
        }
        item.uid = item.uid || new Date().getTime() + temp++;
        return item;
      });
    } else {
      fileList.value = [];
      return [];
    }
  },
  { deep: true, immediate: true }
);

// 上传前校检格式和大小
const handleBeforeUpload = (file) => {
  // 校检文件类型
  if (props.fileType.length) {
    let fileExtension = "";
    if (file.name.lastIndexOf(".") > -1) {
      fileExtension = file.name.slice(file.name.lastIndexOf(".") + 1);
    }
    const isTypeOk = props.fileType.some((type) => {
      if (file.type.indexOf(type) > -1) return true;
      if (fileExtension && fileExtension.indexOf(type) > -1) return true;
      return false;
    });
    if (!isTypeOk) {
      ElMessage.error(
        `文件格式不正确, 请上传${props.fileType.join("/")}格式文件!`
      );
      return false;
    }
  }
  // 校检文件大小
  if (props.fileSize) {
    const isLt = file.size / 1024 / 1024 < props.fileSize;
    if (!isLt) {
      ElMessage.error(`上传文件大小不能超过 ${props.fileSize} MB!`);
      return false;
    }
  }
  // ElMessage.loading("正在上传文件,请稍候...");
  upLoading.value = true;
  num.value++;
  return true;
};

// 文件个数超出
const handleExceed = (files) => {
  if (props.isExceed) {
    upload.value.clearFiles()
    const file = files[0]
    file.uid = genFileId()
    upload.value.handleStart(file)
    upload.value.submit()
  } else {
    ElMessage.error(`上传文件数量不能超过 ${props.limit} 个!`);
  }
};

// 上传失败
const handleUploadError = (err) => {
  upload.value = false
  ElMessage.error("上传文件失败");
};

// 上传成功回调
const handleUploadSuccess = (res, file) => {
  if (res.code === 200) {
    upLoading.value = false
    //注意下面的数据返回格式 res.data即文件名
    uploadList.value.push({ name: res.data, url: res.data });
    if (uploadList.value.length === num.value) {
      fileList.value = fileList.value
        .filter((f) => f.url !== undefined)
        .concat(uploadList.value);
      uploadList.value = [];
      num.value = 0;
      emit("update:modelValue", listToString(fileList.value));
      emit("uploadSuccess");
    }
  } else {
    ElMessage.error(res.message);
  }
};

// 上传进度
const handleProgress = (evt, uploadFile, uploadFiles) => {
  upProgress.value = Math.round((evt.percent * 100)) / 100
}

// 删除文件
const handleDelete = (index) => {
  fileList.value.splice(index, 1);
  emit("update:modelValue", listToString(fileList.value));
};

// 获取文件名称
const getFileName = (name) => {
  if (!name) {
    console.log('getFileName\'s name is null')
    return
  }
  //console.log('name', name);
  if (name.lastIndexOf("/") > -1) {
    return name.slice(name.lastIndexOf("/") + 1);
  } else {
    return name;
  }
};

// 对象转成指定字符串分隔
const listToString = (list, separator) => {
  let strs = "";
  separator = separator || ",";
  for (let i in list) {
    if (undefined !== list[i].url) {
      strs += list[i].url + separator;
    }
  }
  return strs !== "" ? strs.substring(0, strs.length - 1) : "";
};
</script>

<style scoped lang="scss">
.upload-file-uploader {
  margin-bottom: 5px;
}

.upload-file-list .el-upload-list__item {
  padding: 20px 0;
  border: 1px solid #e4e7ed;
  line-height: 2;
  margin-bottom: 10px;
  position: relative;
}

.upload-file-list .ele-upload-list__item-content {
  display: flex;
  justify-content: space-between;
  align-items: center;
  color: inherit;
  padding: 2px 12px;
}

.ele-upload-list__item-content-action .el-link {
  margin-left: 16px;
}
</style>

调用

<el-form-item label="上传图片" prop="thum">
 <!--图片上传组件-->
 <UploadImage
     v-model="form.thum"
     :fileType="['png','jpg','jpeg','bmp']"
     :isShowTip="true"
     :source="'sys_sys_upload_release'" >
     <el-button>+ 上传</el-button>
   </UploadImage>
</el-form-item>

package common

import "study/model"

type MenuTree struct {
    *model.Menu
    Children []MenuTree `json:"children"`
}

// BuildTree 构建菜单树
func BuildTree(allMenu []*model.Menu, pid int64) []MenuTree {
    menuTree := make([]MenuTree, 0, len(allMenu))
    for _, menu := range allMenu {
        if pid != menu.ParentId {
            continue
        }
        mt := MenuTree{
            Menu:     menu,
            Children: BuildTree(allMenu, menu.ID),
        }
        menuTree = append(menuTree, mt)
    }
    return menuTree
}

// GET请求
axios.request.get('/api', { params: { name: 'liziyu', age: 20 }});

// POST请求
axios.request.post('/api', { name: 'liziyu', age: 20 });

// DELETE请求
axios.request.delete('/api/1', { data: { name: 'liziyu', age: 20 }});

// PUT请求
axios.request.put('/api/1', { name: 'liziyu', age: 20 });

1、下载安装包

https://studygolang.com/dl/golang/go1.22.0.linux-amd64.tar.gz

2、解压安装包

tar -zxvf go1.16.2.linux-amd64.tar.gz -C /usr/local/

3、设置环境变量

export GOROOT=/usr/local/go
export GOPATH=$HOME/go
export PATH=$PATH:$GOROOT/bin:$GOPATH/bin

4、刷新配置文件使配置生效

source /etc/profile

5、校验是否安装成功 查看 golang 的安装版本

go version

6、出现以下信息 表示安装完成

go version go1.22.0 linux/amd64