完整创建一个vite前端项目

目录

1.先创建一个vite项目

2.下载第三方依赖 

 ① 安装路由vue-router

 ② 安装vuex全局数据管理

③ 安装element-plus  

④ 安装element-plus图标

 ⑤ 安装axios发送请求

⑥ 完整main.js代码模板

3.开发组件

 4.登陆页面开发用例

 5. 完整项目代码


废话少说,直接上步骤!

1.先创建一个vite项目

2.下载第三方依赖 

 ① 安装路由vue-router

       -- 用于页面跳转切换

 npm install vue-router

--安装完之后,在src创建router目录, 在router目录创建index.js文件

--创建完后,在index.js文件中导入以下模板

//vue-router配置文件
//1.从vue-router导入createRouter() 创建路由器对象
import { createRouter, createWebHistory, createWebHashHistory} from 'vue-router'//2.配置路由规则: 给组件绑定url
const routes = [//默认路由{path:'/',//重定向redirect:'/index'},// 这是一个配置路由的示例{path: "/index",component: ()=>import('../views/index.vue'),name:'indexPage',children:[  //配置子级路径{// 这是resful风格的url写法path:'/infor/:id' , component:  ()=>import('../views/information.vue'),name:'infor',},]},//配置404的组件{path:'/:pathMatch(.*)*', component:  ()=>import('../views/NotFound.vue'),name:'notFound',}
];//3.创建路由器对象
const router = createRouter({routes,  //路由规则history:  createWebHashHistory(),linkActiveClass:'active'});
//4. 把路由器对象暴露出去  其他组件文件,导入
export default router;

--最后找到main.js文件,并在里面配置router

 ② 安装vuex全局数据管理

       --通过命令安装vuex

npm install vuex

--安装完成后,在src目录下创建store目录, 在store目录创建一个index.js

--然后再index.js文件中导入以下模板,用于配置全局数据

// 导入函数
import { createStore } from "vuex";// 定义一个状态
const state = {count:0,user:{id:0,username:'张三',age:13}
}// 修改状态的函数集合 , 不能异步调用
const mutations = {addCount(state,payload){// 修改state里面的count状态state.count+=payload.num ; }
}// actons : 操作集合(定义事件,让组件触发事件)
const actions = {increment(context,payload){// 发送ajax请求,异步通信// 它只能调用mutations里面的方法才能修改数据,三个核心对象各司其职(主要是因为mutation不能异步调用,而actions可以,所以我们用actions去调用mutations)context.commit('addCount' , payload)}
}// 调用createStore创建Store对象
const store = createStore({state , mutations,actions
})// 暴露store对象
export default store  //把它挂在到mian.js中去,就可以全局使用它

--最后在main.js文件里面配置store

③ 安装element-plus  

      --使用命令安装element-plus

npm install element-plus

-- 然后在main.js文件中配置

④ 安装element-plus图标

     --命令行安装

npm install @element-plus/icons-vue

 

--在main.js配置

import * as ElementPlusIconsVue from '@element-plus/icons-vue'for (const [key, component] of Object.entries(ElementPlusIconsVue)) {app.component(key, component)
}

 ⑤ 安装axios发送请求

       --使用命令安装axios和qs

npm install axiosnpm install qs

-- 在src目录创建一个http目录, 创建两个文件

--一个是 axios实例配置文件: config.js

   并且在里面配置如下模板:

//axios的配置文件
export default {method: 'get',// 基础url前缀baseUrl: 'http://localhost:8080',// 请求头信息headers: {//默认的请求context-type: application/json'Content-Type': 'application/json;charset=UTF-8'},// 参数data: {},// 设置超时时间timeout: 10000,// 携带凭证  是否携带cookiewithCredentials: true,// 返回数据类型responseType: 'json'}

--另外一个封装axios 工具库的文件 request.js

并且在里面配置如下模板:

import { ElLoading,ElMessage } from 'element-plus'
import axios from 'axios'
import qs from 'qs'  //把json进行序列化成key/value
import config from './config'
import  $router from '../router'const instance = axios.create({baseURL: config.baseUrl,headers: config.headers,timeout: config.timeout,withCredentials: config.withCredentials})
// request 拦截器
instance.interceptors.request.use(config => {let token = sessionStorage.getItem("token");// 带上tokenif (token) {config.headers.token = token}return config});const request = async function (loadtip, query) {let loadingif (loadtip) {loading = ElLoading.service({lock: true,text: '正在加载...',background: 'rgba(0, 0, 0, 0.7)',})}const res = await instance.request(query)if (loadtip) {loading.close()}if (res.data.meta.status === 401) {//ElMessage.error();$router.push({ path: '/login' })return Promise.reject(res.data) //reject()  catch捕获} else if (res.data.meta.status === 500) {return Promise.reject(res.data)} else if (res.data.meta.status === 501) {return Promise.reject(res.data)} else if (res.data.meta.status === 502) {$router.push({ path: '/login' })return Promise.reject(res.data)} else {return Promise.resolve(res.data)  // then()}/*.catch(e => {if (loadtip) {loading.close()}return Promise.reject(e.msg)})*/
}
const get = function (url, params) {const query = {url: url,method: 'get',withCredentials: true,timeout: 30000,params: params,  //params: queryStringheaders: { 'request-ajax': true }}return request(false, query)
}
const post = function (url, params) {const query = {url: url,method: 'post',withCredentials: true,timeout: 30000,data: params,  //请求体headers: { 'Content-Type': 'application/json', 'request-ajax': true }}return request(false, query)
}
const postWithLoadTip = function (url, params) {const query = {url: url,method: 'post',withCredentials: true,timeout: 30000,data: params,headers: { 'Content-Type': 'application/json', 'request-ajax': true }}return request(true, query)
}
const postWithOutLoadTip = function (url, params) {const query = {url: url,method: 'post',withCredentials: true,timeout: 30000,data: params,headers: { 'Content-Type': 'application/json', 'request-ajax': true }}return request(false, query)
}
const postWithUrlEncoded = function (url, params) {const query = {url: url,method: 'post',withCredentials: true,timeout: 30000,data: qs.stringify(params), //params:json  qs.stringify(json) --> 转换key/valueheaders: { 'Content-Type': 'application/x-www-form-urlencoded', 'request-ajax': true }}return request(false, query)
}const del = function (url, params) {const query = {url: url,method: 'DELETE',withCredentials: true,timeout: 30000,data: params,headers: { 'Content-Type': 'application/json', 'request-ajax': true }}return request(true, query)
}
const put = function (url, params) {const query = {url: url,method: 'PUT',withCredentials: true,timeout: 30000,data: params,headers: { 'Content-Type': 'application/json', 'request-ajax': true }}return request(true, query)
}const form = function (url, params) {const query = {url: url,method: 'post',withCredentials: true,timeout: 30000,data: params,headers: { 'Content-Type': 'multipart/form-data', 'request-ajax': true }}return request(false, query)
}export default {post,postWithLoadTip,postWithOutLoadTip,postWithUrlEncoded,get,form,del,put
}

--最后在在main.js配置request.js文件

⑥ 完整main.js代码模板
import { createApp } from 'vue'
import './style.css'
import App from './App.vue'
const app = createApp(App)
// 配置路由
import router from './router'
app.use(router)
// 配置vuex
import store from './store'
app.use(store)
// 配置element-plus
import ElementPlus from 'element-plus'
import '../node_modules/element-plus/dist/index.css'
app.use(ElementPlus)
// 配置element-plus图标
import * as ElementPlusIconsVue from '../node_modules/@element-plus/icons-vue'
for (const [key, component] of Object.entries(ElementPlusIconsVue)) {createApp(App).component(key, component)
}
// 配置axios
import $http from './http/request.js'
app.config.globalProperties.$http =  $http
// 注册一个全局路由守卫
router.beforeEach((to, from) => {console.log("to:"+to)return true
});app.mount('#app')

3.开发组件

组件分类:

局部功能组件: 放在src/components目录下面

页面/视图组件: 放在src/views(pages)目录下面

组合式api获取相关对象:

--组合式不能用this得到当前对象,只能导入。

// router  route   
//第一步 从vue-router导入 useRoute()  useRouter()
import { useRoute, useRouter } from 'vue-router'
//第二步: 调用函数useRouter() 得到router
//得到路由对象
const router = useRouter();//store对象
//第一步 从vuex导入 useStore()
import {useStore} from 'vuex'
//第二步:调用useStore得到store对象
const store = useStore();

 4.登陆页面开发用例

① 登录页面开发: Login.vue

<template><div class="login"><div class="login-context"><!--头部图片--><div class="login-logo"><img src="../assets/vue.svg" alt=""></div><!--form表单--><el-form :model="loginForm" :rules="loginFormRul" ref="loginFormRef" label-width="100px" class="login-box"><el-form-item label="用户名:" prop="username"><el-input v-model="loginForm.username"></el-input></el-form-item><el-form-item label="密码:" prop="password"><el-input type="password" v-model="loginForm.password"></el-input></el-form-item><el-form-item><el-col :span="12"><el-form-item prop="captcha"><el-input type="test" v-model="loginForm.captcha" auto-complete="off"placeholder="验证码, 单击图片刷新" style="width: 100%;"></el-input></el-form-item></el-col><el-col class="line" :span="1">&nbsp;</el-col><el-col :span="11"><el-form-item><img style="width: 100%;" class="pointer" :src="src" @click="refreshCaptcha"></el-form-item></el-col></el-form-item><el-form-item class="login-btn"><el-button type="primary" @click="login(loginFormRef)">登录</el-button><el-button @click="reset(loginFormRef)">重置</el-button></el-form-item></el-form></div></div>
</template>
<script setup>
import { ElMessage } from 'element-plus'
import { ref, reactive ,getCurrentInstance } from 'vue'
import { useRoute, useRouter } from 'vue-router'
import {useStore} from 'vuex'
const store = useStore();
const loginForm = reactive({username: '',password: '',captcha: '',
});
const src = ref('');
//得到form对象
const loginFormRef = ref();//验证规则
const loginFormRul = reactive({username: [{ required: true, message: '请输入用户名', trigger: 'blur' },{ min: 2, max: 8, message: '长度在 2 到 8 个字符', trigger: 'blur' }],password: [{ required: true, message: '请输入密码', trigger: 'blur' },{ min: 3, max: 8, message: '长度在 3 到 8 个字符', trigger: 'blur' }],captcha: [{ required: true, message: '请输入验证码', trigger: 'blur' }]
});//得到路由对象
const router = useRouter();//获取当前组件实例对象
const app = getCurrentInstance();
//获取app上的globalProperties属性
const $http = reactive(app.appContext.config.globalProperties.$http); //登录功能
function login(form) {if(!form) return;//提交表单之前进行表单验证form.validate((valid) => {//校验失败if (!valid) return;//校验成功$http.post('login', loginForm).then((response) => {ElMessage({showClose: true,message: '登录成功',type: 'success',})//状态保存下来window.sessionStorage.setItem("token", response.data);//跳转router.push('/users');}).catch((error) => {ElMessage({showClose: true,message: error.meta.msg,type: 'error',});//清空表单form.resetFields();});});}//重置功能
function reset(form) {if (!form) returnform.resetFields();
}//刷新验证码
function refreshCaptcha() {//防止浏览器缓存src.value =  "http://localhost:8080/captcha.jpg?t=" + new Date().getTime();
}
//调用这个函数显示验证码
refreshCaptcha();
</script><style scoped>
.login {height: 100%;background: rgb(43 75 107);
}.login-context {width: 450px;height: 300px;background: #fff;position: absolute;top: 50%;left: 50%;transform: translate(-50%, -50%);box-shadow: 0 0 3px 2px #DDD;border-radius: 10px;
}.login-logo {width: 150px;height: 150px;position: absolute;top: -80px;left: 50%;margin-left: -75px;border: 1px solid #eee;border-radius: 50%;background-color: #fff;padding: 10px;box-shadow: 0 0 3px 2px #fff;
}.login-logo img {width: 100%;height: 100%;border-radius: 50%;background-color: rgb(238, 238, 238);
}.login-box {width: 100%;position: absolute;bottom: 0;padding: 0 20px;box-sizing: border-box;
}.login-btn {display: flex;justify-content: flex-end;
}
</style>

② 在router/index.js文件中配置这个路由

const routes = [{path:'/login',component:()=>import('../views/Login.vue'),name:'Login'},{path:'/',redirect:'/login'}
];

③ 修改APP.vue页面

<script setup></script><template><router-view/>
</template><style scoped></style>

④ 运行项目

npm run dev

⑤ 运行页面效果展示

 5. 完整项目代码

        完整的项目代码我放在的我的资源《创建一个完整vite前端项目》打包成jar包。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/web/47531.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

【C#】| 与 及其相关例子

按位或&#xff08;|&#xff09; 按位或运算符 | 对两个数的每一位进行比较&#xff0c;如果两个数中至少有一个为 1&#xff0c;则结果位为 1&#xff1b;否则&#xff0c;结果位为0。 1010 (10 in decimal) | 1100 (12 in decimal) ------1110 (14 in decimal) 力扣相关…

【MySQL进阶之路 | 高级篇】EXPLAIN的进一步使用

1. EXPLAIN的四种输出格式 EXPLAIN可以输出四种格式&#xff1a;传统格式&#xff0c;JSON格式&#xff0c;TREE格式以及可视化输出。用户可以根据需要选择使用于自己的格式。 1). 传统格式 传统格式简单明了&#xff0c;输出是一个表格形式。 2). JSON格式 第一种格式中介…

联合体(union)的定义以及如何与结构体(struct)不同

联合体&#xff08;Union&#xff09;是一种特殊的数据类型&#xff0c;它允许在相同的内存位置存储不同的数据类型。但是&#xff0c;在任何给定的时间点&#xff0c;联合体只能存储其中的一个值&#xff1b;这意味着联合体的大小是其最大成员的大小&#xff0c;因为它必须足够…

分析Java中的@Transactional(readOnly = true)的作用(附Demo)

目录 前言1. 基本知识2. 性能对比 前言 对于Java的基本知识推荐阅读&#xff1a; java框架 零基础从入门到精通的学习路线 附开源项目面经等&#xff08;超全&#xff09;【Java项目】实战CRUD的功能整理&#xff08;持续更新&#xff09; 而对于Transactional的基本知识可看…

jstl是什么?

JSTL&#xff08;JavaServer Pages Standard Tag Library&#xff0c;Java 服务器页面标准标签库&#xff09;是一组用于简化 JSP 页面开发的标准标签和函数库。它提供了一组自定义的标签&#xff0c;使得开发者可以在 JSP 页面中使用这些标签来完成常见的任务&#xff0c;如条…

面向对象练习题

代码&#xff1a; public class LL {public static void main(String[] args) { Teacher tnew Teacher("Mike",32,"前端页面",20000);Professor P new Professor("Jack",58,"嵌入式开发",20000);pro p new pro("Bob",34,&q…

验证环境中uvm_error的使用

基本概念 作用&#xff1a;uvm_error 用于在验证过程中当发现不符合预期的情况时&#xff0c;生成并输出错误消息&#xff0c;帮助验证工程师快速定位和解决问题。语法&#xff1a;其基本语法为 uvm_error(ID, Message);&#xff0c;其中 ID 是一个唯一标识符&#xff0c;用于…

Leetcode热题100 Day4

开始做到二叉树了&#xff0c;前面的题全部用递归就能解决。 三十三、将有序数组转换为平衡二叉搜索树 二叉搜索树是左子树的值全小于根节点&#xff0c;右子树的值全大于根节点。二叉搜索树的中序遍历即为有序数组。但是有序数组和二叉搜索树是一一对应的吗&#xff1f;答案…

【规范】小程序发布,『小程序隐私保护指引』填写指南

前言 &#x1f34a;缘由 『小程序隐私保护指引』小程序发布&#xff0c;每次都躲不开&#xff01; &#x1f3c0;事情起因&#xff1a; 最近在帮朋友弄一个小项目&#xff0c;uniappunicloud壁纸小程序。虽然之前做过不少小程序&#xff0c;但是每次发布正式版本时都有一步『…

python入门课程Pro(2)--循环

循环 第1课 for循环的基本操作1.循环2.遍历3.for 循环遍历字典&#xff08;1&#xff09; 遍历字典的键(2)遍历字典的值(3)遍历字典的键和值 4.练习题&#xff08;1&#xff09;班级成绩单&#xff08;2&#xff09;最出名的城市&#xff08;3&#xff09;修改成绩&#xff08;…

WSL的安装

&#x1f3bc;个人主页&#xff1a;金灰 &#x1f60e;作者简介:一名简单的大一学生;易编橙终身成长社群的嘉宾.✨ 专注网络空间安全服务,期待与您的交流分享~ 感谢您的点赞、关注、评论、收藏、是对我最大的认可和支持&#xff01;❤️ &#x1f34a;易编橙终身成长社群&#…

Python--递归与非递归遍历文件夹的方法

递归概念 递归是一种编程技术&#xff0c;允许函数调用自身来解决问题。设计递归函数时&#xff0c;需要考虑基本情况和递归步骤。 递归函数设计 基本情况&#xff1a;递归结束的条件。递归步骤&#xff1a;函数调用自身解决更小的子问题。 递归方法实现 import osdef get…

网络初识和网络编程(Java版)

前言 网络已经成为我们日常生活中不可分割的一部分&#xff0c;我们每天都会从网络上得到各种各样的信息&#xff0c;我们也会在网络上传播各种各样的信息&#xff0c;可以说我们使用的软件都是依赖于网络的。作为一个程序猿&#xff0c;在我们未来部署的软件中&#xff0c;客…

【存储学习笔记】1:机械硬盘(Hard Drive Disk)结构和寻址方式

目录 HDD的结构HDD的寻址方式CHS寻址&#xff08;不适用于等密度结构磁盘&#xff09;LBA寻址&#xff08;目前普遍使用的线性寻址方式&#xff09; HDD的寻址速度 HDD的结构 盘面&#xff08;Platter&#xff09;&#xff1a;单面或者双面覆盖着用于记录数据的磁性物质&#x…

《昇思25天学习打卡营第25天|第23天》

今天是打卡的第二十三天&#xff0c;今天学习的是应用实践篇中的计算机视觉中FCN图像语义分割。 首先&#xff0c;是对全卷积网络&#xff08;FCN&#xff09;的简介&#xff0c;语义分割的简介&#xff0c;模型简介&#xff08;1、卷积化&#xff0c;2、上采样&#xff0c;3、…

OpenStack中nova的架构

1.1 nova-api 负责接收和相应客户的API调用。 1.2 compute core nova-schedule 负责决定在哪个计算节点运行虚拟机。 nova-compute 通过调用Hypervisor实现虚拟机生命周期的管理。一般运行在计算节点。 hypervisor 对虚拟机进行硬件虚拟化的管理软件&#xff…

初级java每日一道面试题-2024年7月21日-Collection和Collections的区别

面试官: Collection和Collections的区别? 我回答: 一、定义与功能 Collection 定义&#xff1a;Collection是Java集合框架中的一个基本接口&#xff0c;它代表了一组对象&#xff08;也称为元素&#xff09;的集合。它是List、Set等集合的父接口&#xff0c;定义了集合操作的…

Kali Linux APT 设置指南:如何控制软件包更新行为

在我浏览 CSDN 的问答社区时&#xff0c;我发现一篇求助内容是一位用户对于如何在使用 APT 更新时避免更新 Arduino 这个问题感到困惑。这激发了我写这篇博客的灵感。我希望通过这篇文章&#xff0c;帮助那些在 Kali Linux 上使用 APT 管理软件包更新的朋友们&#xff0c;特别是…

removeIf 方法设计理念及泛型界限限定

ArrayList 中的 removeIf 方法是 Java 8 中引入的集合操作方法之一。它使用了 Predicate 接口作为参数&#xff0c;以便根据指定的条件移除集合中的元素。以下是对 removeIf 方法入参设计的详细解释&#xff1a; Predicate 接口 Predicate 是一个函数式接口&#xff0c;定义了…

一线大厂java面试题

String 为什么要设计成不可变的 String被设计成不可变的有以下几个原因: 线程安全:由于String是不可变的&#xff0c;多个线程可以同时访问同一个String对象而无需担心数据被修改。这使得String在多线程环境下是线程安全1. 的。 2.缓存Hash值:由于String是不可变的&#xf…