每日一博 | 基于 Vite3 的 Monorepo 前端工程搭建
一、技术栈选择
1.代码库管理方式-Monorepo: 将多个项目存放在同一个代码库中
▪选择理由1:多个应用(可以按业务线产品粒度划分)在同一个repo管理,便于统一管理代码规范、共享工作流
▪选择理由2:解决跨项目/应用之间物理层面的代码复用,不用通过发布/安装npm包解决共享问题
2.依赖管理-PNPM: 消除依赖提升、规范拓扑结构
▪选择理由1:通过软/硬链接方式,最大程度节省磁盘空间
▪选择理由2:解决幽灵依赖问题,管理更清晰
3.构建工具-Vite:基于ESM和Rollup的构建工具
▪选择理由:省去本地开发时的编译过程,提升本地开发效率
4.前端框架-Vue3:Composition API
▪选择理由:除了组件复用之外,还可以复用一些共同的逻辑状态,比如请求接口loading与结果的逻辑
5.模拟接口返回数据-Mockjs
▪选择理由:前后端统一了数据结构后,即可分离开发,降低前端开发依赖,缩短开发周期
二、目录结构设计:重点关注src部分
1.常规/简单模式:根据文件功能类型集中管理
``` mesh-fe ├── .husky #git提交代码触发 │ ├── commit-msg │ └── pre-commit ├── mesh-server #依赖的node服务 │ ├── mock │ │ └── data-service #mock接口返回结果 │ └── package.json ├── README.md ├── package.json ├── pnpm-workspace.yaml #PNPM工作空间 ├── .eslintignore #排除eslint检查 ├── .eslintrc.js #eslint配置 ├── .gitignore ├── .stylelintignore #排除stylelint检查 ├── stylelint.config.js #style样式规范 ├── commitlint.config.js #git提交信息规范 ├── prettier.config.js #格式化配置 ├── index.html #入口页面 └── mesh-client #不同的web应用package ├── vite-vue3 ├── src ├── api #api调用接口层 ├── assets #静态资源相关 ├── components #公共组件 ├── config #公共配置,如字典/枚举等 ├── hooks #逻辑复用 ├── layout #router中使用的父布局组件 ├── router #路由配置 ├── stores #pinia全局状态管理 ├── types #ts类型声明 ├── utils │ ├── index.ts │ └── request.js #Axios接口请求封装 ├── views #主要页面 ├── main.ts #js入口 └── App.vue ```
2.基于domain领域模式:根据业务模块集中管理
``` mesh-fe ├── .husky #git提交代码触发 │ ├── commit-msg │ └── pre-commit ├── mesh-server #依赖的node服务 │ ├── mock │ │ └── data-service #mock接口返回结果 │ └── package.json ├── README.md ├── package.json ├── pnpm-workspace.yaml #PNPM工作空间 ├── .eslintignore #排除eslint检查 ├── .eslintrc.js #eslint配置 ├── .gitignore ├── .stylelintignore #排除stylelint检查 ├── stylelint.config.js #style样式规范 ├── commitlint.config.js #git提交信息规范 ├── prettier.config.js #格式化配置 ├── index.html #入口页面 └── mesh-client #不同的web应用package ├── vite-vue3 ├── src #按业务领域划分 ├── assets #静态资源相关 ├── components #公共组件 ├── domain #领域 │ ├── config.ts │ ├── service.ts │ ├── store.ts │ ├── type.ts ├── hooks #逻辑复用 ├── layout #router中使用的父布局组件 ├── router #路由配置 ├── utils │ ├── index.ts │ └── request.js #Axios接口请求封装 ├── views #主要页面 ├── main.ts #js入口 └── App.vue ```
可以根据具体业务场景,选择以上2种方式其中之一。
三、搭建部分细节
1.Monorepo+PNPM集中管理多个应用(workspace)
▪根目录创建pnpm-workspace.yaml,mesh-client文件夹下每个应用都是一个package,之间可以相互添加本地依赖:pnpm install <name>
packages: # all packages in direct subdirs of packages/ - 'mesh-client/*' # exclude packages that are inside test directories - '!**/test/**'
▪pnpm install #安装所有package中的依赖
▪pnpm install -w axios #将axios库安装到根目录
▪pnpm --filter | -F <name> <command> #执行某个package下的命令
▪与NPM安装的一些区别:
▪所有依赖都会安装到根目录node_modules/.pnpm下;
▪package中packages.json中下不会显示幽灵依赖(比如tslib@types/webpack-dev),需要显式安装,否则报错
▪安装的包首先会从当前workspace中查找,如果有存在则node_modules创建软连接指向本地workspace
▪"mock": "workspace:^1.0.0"
2.Vue3请求接口相关封装
▪request.ts封装:主要是对接口请求和返回做拦截处理,重写get/post方法支持泛型
import axios, { AxiosError } from 'axios' import type { AxiosRequestConfig, AxiosResponse } from 'axios' // 创建 axios 实例 const service = axios.create({ baseURL: import.meta.env.VITE_APP_BASE_URL, timeout: 1000 * 60 * 5, // 请求超时时间 headers: { 'Content-Type': 'application/json;charset=UTF-8' }, }) const toLogin = (sso: string) => { const cur = window.location.href const url = `${sso}${encodeURIComponent(cur)}` window.location.href = url } // 服务器状态码错误处理 const handleError = (error: AxiosError) => { if (error.response) { switch (error.response.status) { case 401: // todo toLogin(import.meta.env.VITE_APP_SSO) break // case 404: // router.push('/404') // break // case 500: // router.push('/500') // break default: break } } return Promise.reject(error) } // request interceptor service.interceptors.request.use((config) => { const token = '' if (token) { config.headers!['Access-Token'] = token // 让每个请求携带自定义 token 请根据实际情况自行修改 } return config }, handleError) // response interceptor service.interceptors.response.use((response: AxiosResponse<ResponseData>) => { const { code } = response.data if (code === '10000') { toLogin(import.meta.env.VITE_APP_SSO) } else if (code !== '00000') { // 抛出错误信息,页面处理 return Promise.reject(response.data) } // 返回正确数据 return Promise.resolve(response) // return response }, handleError) // 后端返回数据结构泛型,根据实际项目调整 interface ResponseData<T = unknown> { code: string message: string result: T } export const httpGet = async <T, D = any>(url: string, config?: AxiosRequestConfig<D>) => { return service.get<ResponseData<T>>(url, config).then((res) => res.data) } export const httpPost = async <T, D = any>( url: string, data?: D, config?: AxiosRequestConfig<D>, ) => { return service.post<ResponseData<T>>(url, data, config).then((res) => res.data) } export { service as axios } export type { ResponseData }
▪useRequest.ts封装:基于vue3 Composition API,将请求参数、状态以及结果等逻辑封装复用
import { ref } from 'vue' import type { Ref } from 'vue' import { ElMessage } from 'element-plus' import type { ResponseData } from '@/utils/request' export const useRequest = <T, P = any>( api: (...args: P[]) => Promise<ResponseData<T>>, defaultParams?: P, ) => { const params = ref<P>() as Ref<P> if (defaultParams) { params.value = { ...defaultParams, } } const loading = ref(false) const result = ref<T>() const fetchResource = async (...args: P[]) => { loading.value = true return api(...args) .then((res) => { if (!res?.result) return result.value = res.result }) .catch((err) => { result.value = undefined ElMessage({ message: typeof err === 'string' ? err : err?.message || 'error', type: 'error', offset: 80, }) }) .finally(() => { loading.value = false }) } return { params, loading, result, fetchResource, } }
▪API接口层
import { httpGet } from '@/utils/request' const API = { getLoginUserInfo: '/userInfo/getLoginUserInfo', } type UserInfo = { userName: string realName: string } export const getLoginUserInfoAPI = () => httpGet<UserInfo>(API.getLoginUserInfo)
▪页面使用:接口返回结果userInfo,可以自动推断出UserInfo类型,
// 方式一:推荐 const { loading, result: userInfo, fetchResource: getLoginUserInfo, } = useRequest(getLoginUserInfoAPI) // 方式二:不推荐,每次使用接口时都需要重复定义type type UserInfo = { userName: string realName: string } const { loading, result: userInfo, fetchResource: getLoginUserInfo, } = useRequest<UserInfo>(getLoginUserInfoAPI) onMounted(async () => { await getLoginUserInfo() if (!userInfo.value) return const user = useUserStore() user.$patch({ userName: userInfo.value.userName, realName: userInfo.value.realName, }) })
3.Mockjs模拟后端接口返回数据
import Mock from 'mockjs' const BASE_URL = '/api' Mock.mock(`${BASE_URL}/user/list`, { code: '00000', message: '成功', 'result|10-20': [ { uuid: '@guid', name: '@name', tag: '@title', age: '@integer(18, 35)', modifiedTime: '@datetime', status: '@cword("01")', }, ], })
四、统一规范
1.ESLint
注意:不同框架下,所需要的preset或plugin不同,建议将公共部分提取并配置在根目录中,package中的eslint配置设置extends。
/* eslint-env node */ require('@rushstack/eslint-patch/modern-module-resolution') module.exports = { root: true, extends: [ 'plugin:vue/vue3-essential', 'eslint:recommended', '@vue/eslint-config-typescript', '@vue/eslint-config-prettier', ], overrides: [ { files: ['cypress/e2e/**.{cy,spec}.{js,ts,jsx,tsx}'], extends: ['plugin:cypress/recommended'], }, ], parserOptions: { ecmaVersion: 'latest', }, rules: { 'vue/no-deprecated-slot-attribute': 'off', }, }
2.StyleLint
module.exports = { extends: ['stylelint-config-standard', 'stylelint-config-prettier'], plugins: ['stylelint-order'], customSyntax: 'postcss-html', rules: { indentation: 2, //4空格 'selector-class-pattern': '^(?:(?:o|c|u|t|s|is|has|_|js|qa)-)?[a-zA-Z0-9]+(?:-[a-zA-Z0-9]+)*(?:__[a-zA-Z0-9]+(?:-[a-zA-Z0-9]+)*)?(?:--[a-zA-Z0-9]+(?:-[a-zA-Z0-9]+)*)?(?:\[.+\])?$', // at-rule-no-unknown: 屏蔽一些scss等语法检查 'at-rule-no-unknown': [true, { ignoreAtRules: ['mixin', 'extend', 'content', 'export'] }], // css-next :global 'selector-pseudo-class-no-unknown': [ true, { ignorePseudoClasses: ['global', 'deep'], }, ], 'order/order': ['custom-properties', 'declarations'], 'order/properties-alphabetical-order': true, }, }
3.Prettier
module.exports = { printWidth: 100, singleQuote: true, trailingComma: 'all', bracketSpacing: true, jsxBracketSameLine: false, tabWidth: 2, semi: false, }
4.CommitLint
module.exports = { extends: ['@commitlint/config-conventional'], rules: { 'type-enum': [ 2, 'always', ['build', 'feat', 'fix', 'docs', 'style', 'refactor', 'test', 'chore', 'revert'], ], 'subject-full-stop': [0, 'never'], 'subject-case': [0, 'never'], }, }
五、附录:技术栈图谱
作者:京东科技 牛志伟
来源:京东云开发者社区

低调大师中文资讯倾力打造互联网数据资讯、行业资源、电子商务、移动互联网、网络营销平台。
持续更新报道IT业界、互联网、市场资讯、驱动更新,是最及时权威的产业资讯及硬件资讯报道平台。
转载内容版权归作者及来源网站所有,本站原创内容转载请注明来源。
- 上一篇
GOTC 2023 国科础石谢宝友:开源开放 + 产业共建,共铸汽车产业智能化
5月27日-28日,2023全球开源技术峰会在上海张江科学会堂正式召开。其中,在28日举办的“OpenSDV 软件定义汽车分论坛”上,众多汽车大咖、开源领域专家、技术人员齐聚一堂,共同交流和分享关于软件定义汽车的最新技术、趋势和思想,以及软件与汽车的未来发展与挑战。 分论坛上,国科础石汽车基础操作系统技术总工程师谢宝友在论坛上重点介绍了国科础石自主研发的础光系列操作系统,包括应用于智能汽车自动驾驶域的础光Linux,础光智能操作系统,面向智能汽车车控域的础光实时操作系统(Photon RTOS),中央计算架构下的虚拟化解决方案——础光虚拟机管理器(Phonton Hypervisor),以及础光调优及诊断工具。 操作系统是汽车之“魂”。近几年,汽车操作系统的重要性被反复提及。在操作系统领域,国科础石提供面向智能汽车全域的操作系统内核解决方案,为上层应用层提供基本的底层系统功能,也为功能安全、预期功能安全、信息安全提供底层运行支撑保障。 具体而言,面向车控域,国科础石研发的础光实时操作系统可直接运行在MCU上,致力于为车辆控制软件提供安全的运行环境;面向智能汽车座舱域、自动驾驶域,国科础...
- 下一篇
gpress —— 云原生高性能内容平台
gpress 是一个云原生高性能内容平台,基于Hertz + Go template + FTS5全文检索实现,仅需 200M 运行内存。默认端口660,开发时需要先解压 gpressdatadir/dict.zip。 软件架构 使用 Hertz + Go template + FTS5全文检索 使用map保存数据,可以随时增加属性字段。记录所有字段的名称、类型、中文名、code 模型的字段属性也是map,应用的文章回把模型的map属性全部取出,和自己的map覆盖合并 数据结构 在tableInfo表里设置tableFiled='module',记录所有的Module。只是记录,并不创建表,全部保存到content里,用于全文检索。 ID默认使用时间戳(23位)+随机数(9位),全局唯一
相关文章
文章评论
共有0条评论来说两句吧...
文章二维码
点击排行
推荐阅读
最新文章
- SpringBoot2整合Redis,开启缓存,提高访问速度
- SpringBoot2整合MyBatis,连接MySql数据库做增删改查操作
- CentOS8,CentOS7,CentOS6编译安装Redis5.0.7
- MySQL8.0.19开启GTID主从同步CentOS8
- Mario游戏-低调大师作品
- Linux系统CentOS6、CentOS7手动修改IP地址
- Docker安装Oracle12C,快速搭建Oracle学习环境
- Docker使用Oracle官方镜像安装(12C,18C,19C)
- CentOS7安装Docker,走上虚拟化容器引擎之路
- Docker快速安装Oracle11G,搭建oracle11g学习环境