环境依赖版本
node:v14.15.4
vite:^2.8.0
vue:^3.2.25
typescript:^4.5.4
pinia:^2.0.12
vue-router:^4.0.14
vueuse:^8.2.0
eslint:^8.12.0
prettier:^2.6.1
commitizen:
husky:^7.0.4
使用 vite-cli 命令
pnpm create vite
npm init vite@latest
yarn create vite
输入项目名:
? Project name: vite-vue3-ts-pinia
选择一个框架(vue)
? Select a framework: » - Use arrow-keys. Return to submit.vanilla // 原生js> vue // 默认就是 vue3react // reactpreact // 轻量化react框架lit // 轻量级web组件svelte // svelte框架
使用 typescript
? Select a variant: › - Use arrow-keys. Return to submit.vue❯ vue-ts
启动项目
cd vite-vue3-ts-pinia && pnpm install && pnpm run dev
快速初始化(建议使用):
pnpm create vite project-name -- --template vue-ts
npm init vite@latest project-name --template vue-ts
npm init vite@latest project-name -- --template vue-ts
yarn create vite project-name --template vue-ts
集成配置
为保证 node 的使用
pnpm i @types/node --save-dev
修改 tsconfig.json
{"compilerOptions": {"typeRoots": ["node_modules/@types", // 默认值"src/types"],"target": "esnext","useDefineForClassFields": true,"module": "esnext","moduleResolution": "node","strict": true,"jsx": "preserve","sourceMap": true,"resolveJsonModule": true,"esModuleInterop": true,"lib": ["esnext", "dom"],"baseUrl": "./","paths":{"@": ["src"],"@/*": ["src/*"],}},"include": ["src/**/*.ts", "src/**/*.d.ts", "src/**/*.tsx", "src/**/*.vue"]
}
修改 fig.ts
import { defineConfig } from 'vite';
import vue from '@vitejs/plugin-vue';
import * as path from 'path';// /config/
export default defineConfig({resolve: {//设置别名alias: {'@': solve(__dirname, 'src')}},plugins: [vue()],server: {port: 8080, //启动端口hmr: {host: '127.0.0.1',port: 8080},// 设置 https 代理proxy: {'/api': {target: 'your https address',changeOrigin: true,rewrite: (path: string) => place(/^/api/, '')}}}
});
安装
pnpm i eslint eslint-plugin-vue --save-dev
由于 ESLint 默认使用 Espree 进行语法解析,无法识别 TypeScript 的一些语法,故我们需要安装 @typescript-eslint/parser 替代掉默认的解析器
pnpm install @typescript-eslint/parser --save-dev
安装对应的插件 @typescript-eslint/eslint-plugin 它作为 eslint 默认规则的补充,提供了一些额外的适用于 ts 语法的规则。
pnpm install @typescript-eslint/eslint-plugin --save-dev
创建配置文件: .eslintrc.js 或 .eslintrc.json
ports = {parser: 'vue-eslint-parser',parserOptions: {parser: '@typescript-eslint/parser',ecmaVersion: 2020,sourceType: 'module',ecmaFeatures: {jsx: true}},extends: ['plugin:vue/vue3-recommended','plugin:@typescript-eslint/recommended',],rules: {// override/add rules settings here, such as:}
};
创建忽略文件:.eslintignore
node_modules/
dist/
index.html
命令行式运行:修改 package.json
{..."scripts": {..."eslint:comment": "使用 ESLint 检查并自动修复 src 目录下所有扩展名为 .js 和 .vue 的文件","eslint": "eslint --ext .js,.vue --ignore-path .gitignore --fix src",}...
}
集成 prettier
安装
pnpm i prettier eslint-config-prettier eslint-plugin-prettier --save-dev
创建配置文件: fig.js 或 .prettierrc.js
ports = {// 一行最多 80 字符printWidth: 80,// 使用 4 个空格缩进tabWidth: 4,// 不使用 tab 缩进,而使用空格useTabs: false,// 行尾需要有分号semi: true,// 使用单引号代替双引号singleQuote: true,// 对象的 key 仅在必要时用引号quoteProps: 'as-needed',// jsx 不使用单引号,而使用双引号jsxSingleQuote: false,// 末尾使用逗号trailingComma: 'all',// 大括号内的首尾需要空格 { foo: bar }bracketSpacing: true,// jsx 标签的反尖括号需要换行jsxBracketSameLine: false,// 箭头函数,只有一个参数的时候,也需要括号arrowParens: 'always',// 每个文件格式化的范围是文件的全部内容rangeStart: 0,rangeEnd: Infinity,// 不需要写文件开头的 @prettierrequirePragma: false,// 不需要自动在文件开头插入 @prettierinsertPragma: false,// 使用默认的折行标准proseWrap: 'preserve',// 根据显示样式决定 html 要不要折行htmlWhitespaceSensitivity: 'css',// 换行符使用 lfendOfLine: 'lf'
}
修改 .eslintrc.js 配置
ports = {...extends: ['plugin:vue/vue3-recommended','plugin:@typescript-eslint/recommended','prettier','plugin:prettier/recommended'],...
};
命令行式运行:修改 package.json
{..."scripts": {..."prettier:comment": "自动格式化当前目录下的所有文件","prettier": "prettier --write"}...
}
Pinia 读音:['piːnə],是 Vue 官方团队推荐代替Vuex的一款轻量级状态管理库。
Pinia 有如下特点:
完整的 typescript 的支持;
足够轻量,压缩后的体积只有1.6kb;
去除 mutations,只有 state,getters,actions(这是我最喜欢的一个特点);
actions 支持同步和异步;
没有模块嵌套,只有 store 的概念,store 之间可以自由使用,更好的代码分割;
无需手动添加 store,store 一旦创建便会自动添加;
安装
pnpm i pinia --save
使用
新建 src/store 目录并在其下面创建 index.ts,导出 store
import { createPinia } from 'pinia'const store = createPinia()export default store
在 main.ts 中引入并使用
import { createApp } from 'vue'import App from './App.vue'import store from './store'// 创建vue实例const app = createApp(App)// 挂载piniaapp.use(store)// 挂载实例unt('#app');
定义State: 在 src/store 下面创建一个 user.ts
import { defineStore } from 'pinia'export const useUserStore = defineStore({id: 'user', // id必填,且需要唯一state: () => {return {name: '张三'}},actions: {updateName(name) {this.name = name}}})
获取State: 在 src/components/usePinia.vue 中使用
<template><div>{{ userStore.name }}</div></template><script lang="ts" setup>import { useUserStore } from '@/store/user'const userStore = useUserStore()</script>
修改State:
// 1. 直接修改 state (不建议)userStore.name = '李四'// 2. 通过 actions 去修改<script lang="ts" setup>import { useUserStore } from '@/store/user'const userStore = useUserStore()userStore.updateName('李四')</script>
pnpm i vue-router --save
使用
新建 src/router 目录并在其下面创建 index.ts,导出 router
import { createRouter, createWebHistory, RouteRecordRaw } from 'vue-router';const routes: Array<RouteRecordRaw> = [{path: '/login',name: 'Login',meta: {title: '登录',keepAlive: true,requireAuth: false},component: () => import('@/pages/login.vue')},{path: '/',name: 'Index',meta: {title: '首页',keepAlive: true,requireAuth: true},component: () => import('@/pages/index.vue')}]const router = createRouter({history: createWebHistory(),routes});export default router;
在 main.ts 中引入并使用
import { createApp } from 'vue'import App from './App.vue'import store from './store'import router from '@/router';// 创建vue实例const app = createApp(App);app.use(router);// 挂载实例unt('#app');
修改 App.vue
<template><RouterView/></template>
VueUse 是一个基于 Composition API 的实用函数集合。
安装
pnpm i @vueuse/core
使用
创建一个新的 src/page/vueUse.vue 页面来做一个简单的 demo
<template><h1> 测试 vueUse 的鼠标坐标 </h1><h3>Mouse: {{x}} x {{y}}</h3></template><script lang="ts">import { defineComponent } from 'vue';import { useMouse } from '@vueuse/core'export default defineComponent({name: 'VueUse',setup() {const { x, y } = useMouse()return {x, y}}});</script>
useMouse 只是 vueuse 的一个最基本的函数库,还有许多,总会有一个适合你;
更多函数官方文档:链接
方案一:原生 css variable 新特性:
原生支持,不需要第三方插件,具体使用文档可 查看
新建文件 src/styles/index.css
:root {--main-bg-color: pink;}body {background-color: var(--main-bg-color);}
注:还可以增加 PostCSS 配置,(任何受 postcss-load-config 支持的格式,例如 fig.js ),它将会自动应用于所有已导入的 CSS。
方案二:scss 或 less:
安装
pnpm add -D sass
pnpm add -D less
使用在 .vue 文件模板中
// .scss<template><div class="root"><h3>欢迎使用 scss</h3></div></template><style lang="scss">.root {}</style>// .less<template><div class="root"><h3>欢迎使用 less</h3></div></template><style lang="less">.root {}</style>
axios 是一个基于 promise 的 HTTP 库,可以用在浏览器和 node.js 中。
安装
pnpm i axios
使用:
新建 src/utils/axios.ts
import axios, { AxiosResponse, AxiosRequestConfig } from 'axios';const service = ate();// Request quest.use((config: AxiosRequestConfig) => {// do somethingreturn config;},(error: any) => {ject(error);});// Response sponse.use(async (response: AxiosResponse) => {// do something},(error: any) => {// do ject(error);});export default service;
在页面中使用即可
<script lang="ts">import request from '@/utils/axios';const requestRes = async () => {let result = await request({url: '/api/xxx',method: 'get'});}</script>
封装请求参数和响应数据的所有 api (可选项)
新建 src/api/index.ts
import * as login from './module/login';
import * as index from './module/index';export default Object.assign({}, logins, index);
新建 src/api/module/login.ts 和 src/api/module/index.ts
import request from '@/utils/axios';/*** 登录*/interface IResponseType<P = {}> {code?: number;status: number;msg: string;data: P;
}
interface ILogin {token: string;expires: number;
}
export const login = (username: string, password: string) => {return request<IResponseType<ILogin>>({url: '/api/auth/login',method: 'post',data: {username,password}});
};
由于使用了 typescript,所以需新增 src/types/shims-axios.d.ts
import { AxiosRequestConfig } from 'axios';
/*** 自定义扩展axios模块* @author Maybe*/
declare module 'axios' {export interface AxiosInstance {<T = any>(config: AxiosRequestConfig): Promise<T>;request<T = any>(config: AxiosRequestConfig): Promise<T>;get<T = any>(url: string, config?: AxiosRequestConfig): Promise<T>;delete<T = any>(url: string, config?: AxiosRequestConfig): Promise<T>;head<T = any>(url: string, config?: AxiosRequestConfig): Promise<T>;post<T = any>(url: string, data?: any, config?: AxiosRequestConfig): Promise<T>;put<T = any>(url: string, data?: any, config?: AxiosRequestConfig): Promise<T>;patch<T = any>(url: string, data?: any, config?: AxiosRequestConfig): Promise<T>;}
}
在 src/pages/request.vue 页面中使用
<script lang="ts">import API from '@/api';const requestRes = async () => {let result = await API.login('zhangsan', '123456');}</script>
可选很多,根据自己项目的需求去进行选择即可
注意:UI 库一般需要按需引入(下面以 element-plus 为例)
安装 vite-plugin-style-import
pnpm i vite-plugin-style-import --save-dev
修改 fig.ts
...
import styleImport from 'vite-plugin-style-import'export default defineConfig({...plugins: [vue(),styleImport({libs: [{libraryName: 'element-plus',esModule: true,resolveStyle: (name) => {return `element-plus/lib/theme-chalk/${name}.css`;},ensureStyleFile: true // 忽略文件是否存在, 导入不存在的CSS文件时防止错误。}]})],...
})
为了使团队多人协作更加的规范,所以需要每次在 git 提交的时候,做一次硬性规范提交,规范 git 的提交信息
安装 commitizen (交互式提交 + 自定义提示文案 + Commit规范)**
安装
pnpm install -D commitizen cz-conventional-changelog @commitlint/config-conventional @commitlint/cli commitlint-config-cz cz-customizable
配置 package.json
{..."scripts": {"commit:comment": "引导设置规范化的提交信息","commit":"git-cz",},"config": {"commitizen": {"path": "node_modules/cz-customizable"}},...
}
新增配置 fig.js
ports = {extends: ['@commitlint/config-conventional', 'cz'],rules: {'type-enum': [2,'always',['feature', // 新功能(feature)'bug', // 此项特别针对bug号,用于向测试反馈bug列表的bug修改情况'fix', // 修补bug'ui', // 更新 ui'docs', // 文档(documentation)'style', // 格式(不影响代码运行的变动)'perf', // 性能优化'release', // 发布'deploy', // 部署'refactor', // 重构(即不是新增功能,也不是修改bug的代码变动)'test', // 增加测试'chore', // 构建过程或辅助工具的变动'revert', // feat(pencil): add ‘graphiteWidth’ option (撤销之前的commit)'merge', // 合并分支, 例如: merge(前端页面): feature-xxxx修改线程地址'build', // 打包],],// <type> 格式 小写'type-case': [2, 'always', 'lower-case'],// <type> 不能为空'type-empty': [2, 'never'],// <scope> 范围不能为空'scope-empty': [2, 'never'],// <scope> 范围格式'scope-case': [0],// <subject> 主要 message 不能为空'subject-empty': [2, 'never'],// <subject> 以什么为结束标志,禁用'subject-full-stop': [0, 'never'],// <subject> 格式,禁用'subject-case': [0, 'never'],// <body> 以空行开头'body-leading-blank': [1, 'always'],'header-max-length': [0, 'always', 72],},
};
自定义提示则添加 .cz-config.js
ports = {types: [{value: 'feature', name: 'feature: 增加新功能'},{value: 'bug', name: 'bug: 测试反馈bug列表中的bug号'},{value: 'fix', name: 'fix: 修复bug'},{value: 'ui', name: 'ui: 更新UI'},{value: 'docs', name: 'docs: 文档变更'},{value: 'style', name: 'style: 代码格式(不影响代码运行的变动)'},{value: 'perf', name: 'perf: 性能优化'},{value: 'refactor', name: 'refactor: 重构(既不是增加feature,也不是修复bug)'},{value: 'release', name: 'release: 发布'},{value: 'deploy', name: 'deploy: 部署'},{value: 'test', name: 'test: 增加测试'},{value: 'chore', name: 'chore: 构建过程或辅助工具的变动(更改配置文件)'},{value: 'revert', name: 'revert: 回退'},{value: 'build', name: 'build: 打包'}],// override the messages, defaults are as followsmessages: {type: '请选择提交类型:',customScope: '请输入您修改的范围(可选):',subject: '请简要描述提交 message (必填):',body: '请输入详细描述(可选,待优化去除,跳过即可):',footer: '请输入要关闭的issue(待优化去除,跳过即可):',confirmCommit: '确认使用以上信息提交?(y/n/e/h)'},allowCustomScopes: true,skipQuestions: ['body', 'footer'],subjectLimit: 72
};
交互界面测试
pnpm i husky lint-staged -D
npx husky install
npx husky add .husky/pre-commit "npx --no-install lint-staged"
npx husky add .husky/commit-msg 'npx --no-install commitlint --edit "$1"'
git commit -m "message"
就会看到 hook 生效了。添加配置 package.json
{..."lint-staged": {"*.{js,ts}": ["npm run eslint","npm run prettier"]}...
}
出现此报错运行:
1.cnpm install -g commitizen
2.npm init --yes
3.commitizen init cz-conventional-changelog --save --save-exact
安装包错的话,用管理员权限下载npm包:sudo cnpm install -g commitizen
(mac系统)
在此记录下
摘自原文-易师傅
本文发布于:2024-01-28 06:29:45,感谢您对本站的认可!
本文链接:https://www.4u4v.net/it/17063945915465.html
版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系,我们将在24小时内删除。
留言与评论(共有 0 条评论) |