首页 > 其他分享 >Vue3+Vite+Vant-UI+Pinia+VueUse开发双端业务驱动技术栈商用项目

Vue3+Vite+Vant-UI+Pinia+VueUse开发双端业务驱动技术栈商用项目

时间:2024-09-03 16:05:45浏览次数:8  
标签:vue Vant VueUse 双端 yarn vite router import store

前言:个人git仓库,全是干货

一、本次搭建项目涉及到vue3、vite、pinia、vue-router、typescript、element-plus,下面先简单介绍一下大家比较陌生的框架或库

1、vue3

vue团队官宣:2022年2月7日,vue3作为vue的默认版本。现在打开vue官网,界面默认显示的是vue3版本的指导文档。vue团队在2020年9月18日就已经发布了vue3.0版本,俗称vue3。

在这里插入图片描述

熟悉掌握vue3相关技术搭建项目很有必要,这篇文章是比较全面的介绍如何使用vue3以及相关框架搭建vue3项目。

2、vite

下一代前端开发与构建工具,由尤大大团队开发,突出了“快”的特点。vite官网介绍了六大特点:极速的服务启动、轻量快速的热重载、丰富的功能、优化的构建、通用的插件、完全类型化的API。

在这里插入图片描述

3、pinia

一种新的状态管理工具,进入官网

在这里插入图片描述

4、element-plus

正如element-plus官网首页说的,element-plus是基于Vue3、面向设计师和开发者的组件库

在这里插入图片描述

二、开始搭建

本次使用yarn安装依赖包

1、搭建vue3、vite、typescript集成环境

npm i yarn -g // 如果没有安装yarn,需先安装yarn
yarn create vite vue3-vite-app --template vue-ts // 创建vite项目
cd vue3-vite-app // 进入项目根目录
yarn // 安装依赖
yarn dev // 启动项目
 
 
  • 1
  • 2
  • 3
  • 4
  • 5

2、安装配置pinia

yarn add pinia -S
yarn add pinia-plugin-persist -S // 如果需要数据持久化,就安装这个
 
 
  • 1
  • 2

在src目录下创建store文件夹,创建index.ts文件,文件内容如下:

import { defineStore, createPinia } from 'pinia'
import piniaPluginPersist from 'pinia-plugin-persist'

export const globalStore = defineStore({
    id: 'global-store',
    state: () => ({
        name: '--'
    }),
    getters: {},
    actions: {
        setName(name: string) {
            this.name = name
        }
    },
    persist: {
        enabled: true,
        strategies: [
            {
                storage: sessionStorage,
                paths: ['name']
            }
        ]
    }
})

const store = createPinia()
store.use(piniaPluginPersist)

export default store
 
 
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25
  • 26
  • 27
  • 28
  • 29

然后在src/main.ts文件里引入store文件,main.ts文件内容如下(其中router等配置是在后面讲到):先引入store,app实例use(store)

import { createApp } from 'vue'
import store from './store'
import router from './router'
import './style.css'
import App from './App.vue'

createApp(App).use(store).use(router).mount('#app')
 
 
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7

在组件中使用:
首先引入store暴露出的store,例如这个globalStore,得到globalStore的执行结果globalStoreData,在template中使用globalStoreData,代码中的name属性对应store文件里state返回的name属性

<script setup lang="ts">
import { ref } from 'vue'
import { globalStore } from '@/store';
defineProps<{ msg: string }>()
const count = ref(0)
const globalStoreData = globalStore()
</script>

<template>
  <div>hello</div>
   <div>{{ globalStoreData.name }}</div>
</template>

<style scoped lang="less">
</style>
 
 
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16

3、安装配置vue-router

安装vue-router

yarn add vue-router -S
 
 
  • 1

在src目录下创建router文件夹,在router文件夹下创建index.ts文件。
先引入createRouter, createWebHistory, RouteRecordRaw,引入需要的组件(这里使用懒加载引入,提高前端性能),创建routes数组,创建router实例,抛出router

import { createRouter, createWebHistory, RouteRecordRaw } from 'vue-router'
const HelloWorld = import('@/components/HelloWorld.vue')
const Hello = import('@/components/Hello.vue')

const routes: RouteRecordRaw[] = [
    {
        path: '/hello',
        component: Hello
    },
    {
        path: '/hello-w',
        component: HelloWorld
    },
    {
        path: '/',
        redirect: '/hello'
    },
]

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

export default router
 
 
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25

在src/main.ts中引入并且配置router, 先引入router实例,app再use(router):

import { createApp } from 'vue'
import store from './store'
import router from './router' // 引入router
import './style.css'
import App from './App.vue'

createApp(App).use(store).use(router).mount('#app')
 
 
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7

4、安装配置less

首先安装less和less-loader

yarn add less less-loader -D
 
 
  • 1

然后在vite.config.ts中配置css预处理器:

export default defineConfig({
  /*
  其它代码省略
  */
  css: {
    preprocessorOptions: {
      less: {
        javascriptEnabled: true
      }
    }
  }
})
 
 
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12

5、安装配置element-plus

先安装element-plus包

yarn add element-plus -S
 
 
  • 1

再安装按需引入需要的依赖包unplugin-auto-import和unplugin-vue-components

yarn add unplugin-auto-import unplugin-vue-components -D
 
 
  • 1

在vite.config.ts文件中配置按需引入相关配置

// 其它代码省略
import AutoImport from 'unplugin-auto-import/vite'
import Components from 'unplugin-vue-components/vite'
import { ElementPlusResolver } from 'unplugin-vue-components/resolvers'

// https://vitejs.dev/config/
export default defineConfig({
  plugins: [
    vue(),
    AutoImport({
      resolvers: [ElementPlusResolver()],
    }),
    Components({
      resolvers: [ElementPlusResolver()],
    }),
  ],
  /*
  其它代码省略
  */
})
 
 
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20

运行时项目自动生成auto-imports.d.ts和components.d.ts导入用到的组件。

组件中使用element plus组件,以button为例,在标签中写入:

<el-button type="primary" @click="count++">count is {{ count }}</el-button>
 
 
  • 1
  文章知识点与官方知识档案匹配,可进一步学习相关知识 Vue入门技能树Vue-routervue-router是什么?43583 人正在系统学习中

标签:vue,Vant,VueUse,双端,yarn,vite,router,import,store
From: https://www.cnblogs.com/web1123/p/18394779

相关文章

  • 算法练习题09:滑动窗口最大值(队列、双端队列)
    classSolution{publicint[]maxSlidingWindow(int[]nums,intk){if(nums==null||nums.length==0){returnnewint[0];}intn=nums.length;int[]result=newint[n-k+1];Deque<Integer&......
  • huawei0821笔试第二题笔记:双端队列deque
    intsolve(deque<int>machines,constvector<int>&tasks){for(inttask:tasks){intcnt=0;//首件不匹配while(cnt<machines.size()&&task!=machines.front()){machines.push_back(machines.......
  • 数据结构(C)---双端队列(Deque)
    在使用本博客提供的学习笔记及相关内容时,请注意以下免责声明:信息准确性:本博客的内容是基于作者的个人理解和经验,尽力确保信息的准确性和时效性,但不保证所有信息都完全正确或最新。非专业建议:博客中的内容仅供参考,不能替代专业人士的意见和建议。在做出任何重要决定之前,请咨询相......
  • Hitachi Vantara Programming Contest 2024(AtCoder Beginner Contest 368)F - Dividing
    https://atcoder.jp/contests/abc368/tasks/abc368_f#include<bits/stdc++.h>#definexfirst#defineysecondusingnamespacestd;typedeflonglongll;typedefpair<ll,char>pii;constintN=2e5+10,inf=1e9;lln,m,k;intb[N],sg[N],a[N];vector......
  • Vant4+Vue3 实现年月日时分时间范围控件
    <van-popup v-model:show="showDatePick" position="bottom" :overlay-style="{zIndex:1000}"> <van-picker-group title="时间范围" :tabs="['开始日期','结束日期']" @confirm="on......
  • bfs+双端队列
    算法介绍\(bfs+\)双端队列是一种单源最短路算法,适用于边权为\(0\)或\(1\)的图中。时间复杂度为\(O(n)\)。算法原理分析算法的整体框架与普通\(bfs\)求最短路类似,只是根据边权做了分类讨论,如果边权为\(1\),则将邻居节点压到队列尾部,反之,压到队列首部。当每个节点第一次出......
  • Hitachi Vantara Programming Contest 2024(AtCoder Beginner Contest 368)题解A~D
    A-Cut题意:将数组的后k个字符移到前面思路:可以用rotate()函数让数组中的元素滚动旋转rotate(v.begin(),v.begin()+n-k,v.end());直接输出后k个元素,再输出前n-k个元素for(inti=n-k;i<n;i++)write(v[i]);for(inti=0;i<n-k;i++)write(v[i]);B-Decrease2......
  • Hitachi Vantara Programming Contest 2024(AtCoder Beginner Contest 368)- C
    题意概述有\(N\)个数,分别为\(H_1,H_2,H_3……H_N\)。你将使用初始化为\(0\)的变量\(T\)重复以下操作,直到所有数的值都变为\(0\)或更少。将\(T\)增加\(1\)。然后,减少最前方\(H_i\)值大于等于\(1\)的值。如果\(T\)是\(3\)的倍数,\(H_i\)的值会减少\(3\);......
  • vant3升级vant4后,使用Toast、Dialog报样式不存在异常解决方法
    异常现象:vant3升级vant4,直接采用v4的方法使用showToast/showDialog,但直接就报错了,如下:[vite]Internalservererror:Failedtoresolveimport"E:/git_sh/project_code/node_modules/vant/es/show-confirm-dialog/style"from"src\service\index.ts".Doesthefile......
  • 20240815有名管道双端线程通信
    //端1#include<stdio.h>#include<stdlib.h>#include<sys/types.h>#include<sys/stat.h>#include<fcntl.h>#include<unistd.h>#include<string.h>#include<pthread.h>#include<errno.h>#include<......