Vue3+SpringBoot实现文件上传详细教程

      文件上传的功能实现是我们做Web应用时候最为常见的应用场景,比如:实现头像的上传,Excel文件数据的导入等功能,都需要我们先实现文件的上传,然后再做图片的裁剪,excel数据的解析入库等后续操作。

    今天通过这篇文章,我们就来一起学习一下如何在Vue3+SpringBoot中实现文件的上传,这篇文章主要使用图片上传进行讲解。

    主要逻辑为:本案例实现商品信息的上传功能,包含商品的文字信息及商品图片

如下图显示:

点击“新增”

具体核心代码,如下

1. SpringBoot 中核心代码

@RestController
@RequestMapping("/bg/product")
public class ProductController {@Autowiredprivate ProductService productService;@RequestMapping("/queryall")private Message queryAll(){return productService.queryall();}@RequestMapping("/save")private Message addProduct(@RequestBody Product product){return productService.save(product);}@RequestMapping("/upload")private String ImageUpload(@RequestParam MultipartFile file, HttpServletRequest request)throws Exception{// 综合考虑:两个位置都上传文件//2. 指定文件上传的目录(target/classes/xxx)//2.1 文件存储到此位置,可以提供页面的访问(当前target中的内容不会打包上传到服务器上)String path_target = ClassUtils.getDefaultClassLoader().getResource("static").getPath()+"/upload/";//2. 指定文件上传的目录(当前项目的src/main/resources/static/upload 下)//2.1 文件存储到此位置,可以保存上传的图片,并打包上传到服务器上(在项目中执行 install 就可以生成target中的所有内容)String path = System.getProperty("user.dir")+"/src/main/resources/static/upload";//3. 判断此目录是否存在File fileDir_target = new File(path_target);if(!fileDir_target.exists()){fileDir_target.mkdirs();}File fileDir = new File(path);if(!fileDir.exists()){fileDir.mkdirs();}//4. 生成新的名字String oldName = file.getOriginalFilename();String newName = UUID.randomUUID().toString().replaceAll("-","")+oldName.substring(oldName.lastIndexOf("."),oldName.length());//5. 指定生成的文件File file_target = new File(fileDir_target.getAbsolutePath()+File.separator+newName);File file_1 = new File(fileDir.getAbsolutePath()+File.separator+newName);//6. 文件的生成file.transferTo(file_1);FileCopyUtils.copy(file_1,file_target);//7. 生成http的访问路径String httpPath = request.getScheme()+"://"+request.getServerName()+":"+request.getServerPort()+"/"+ request.getContextPath()+"upload/"+newName;System.out.println("path:"+path);System.out.println("path_target:"+path_target);System.out.println("httpPath:"+httpPath);return httpPath;}
}

2. vue中核心代码

    流程为:先将图片上传到Springboot服务器上,服务器返回给图片的http访问地址,将http访问地址与商品的信息再一起上传到服务器上

<template><el-breadcrumb separator="/" style="margin-bottom: 20px;"><el-breadcrumb-item>系统管理</el-breadcrumb-item><el-breadcrumb-item>商品管理</el-breadcrumb-item></el-breadcrumb><div><el-text class="mx-1">商品名</el-text><el-input v-model="input" style="width: 200px; margin-right: 10px;" /><el-button type="primary">搜索</el-button><el-button type="warning" @click="dialogVisible = true">新增</el-button></div><el-table :data="tableData" style="width: 100%;margin-top: 20px;"><el-table-column type="index" label="序号" width="80" /><el-table-column prop="productName" label="名称" width="120" /><el-table-column prop="categoryName" label="类型" width="120" /><el-table-column prop="productPath" label="图片" width="120" ><template #default="scope"><img :src="scope.row.productPath" min-width="50" height="50"/></template></el-table-column><el-table-column prop="costPrice" label="进价" width="120" /><el-table-column prop="generalPrice" label="普通价" width="120" /><el-table-column prop="superPrice" label="会员价" width="120" /><el-table-column prop="stock" label="库存" width="120" /><el-table-column prop="address" label="操作" ><template #default="scope"><el-buttonsize="mini"@click="handleEdit(scope.$index, scope.row)">编辑</el-button><el-buttonsize="mini"@click="handleDelete(scope.$index, scope.row)">删除</el-button></template></el-table-column></el-table><!--商品新增的对话框--><el-dialogv-model="dialogVisible"title="添加商品"width="30%"><el-form-item label="商品名"><el-input v-model="product.productName" /></el-form-item>   <el-form-item label="商品描述"><el-input v-model="product.productDescription" type="textarea"/></el-form-item> <el-form-item label="商品类型"><el-select v-model="product.categoryId" placeholder="请选择类别"><el-optionv-for="item in categoryData":key="item.id":label="item.categoryName":value="item.id"/></el-select></el-form-item> <el-form-item label="成本价格"><el-input v-model="product.costPrice" /></el-form-item> <el-form-item label="普通价格"><el-input v-model="product.generalPrice" /></el-form-item> <el-form-item label="会员价格"><el-input v-model="product.superPrice" /></el-form-item> <el-form-item label="库存"><el-input v-model="product.stock" /></el-form-item> <el-form-item label="图片"><input type="file" name="myfile" @change="handleFileUpload"/></el-form-item> <template #footer><span class="dialog-footer"><el-button @click="dialogVisible = false">取消</el-button><el-button type="primary" @click="saveProduct">确定</el-button></span></template></el-dialog></template>
<script setup>import {reactive, ref} from 'vue'import http from '../api/request'import { ElMessage } from 'element-plus'const dialogVisible = ref(false)const categoryData = ref([])const tableData = ref([])const product = reactive({productName:'',productDescription: '',categoryId: null,generalPrice: null,superPrice: null,costPrice: null,stock: null,productPath: null,myfile: null})//-获取所有商品信息function getProductData(){http.post('/bg/product/queryall').then(response=>{return response.data.data}).then(data=>{console.log(data)tableData.value = data})}   getProductData()//-获取商品分类信息function getCategoryData(){http.post('/bg/category/queryall').then(response=>{return response.data.data}).then(data=>{console.log(data)categoryData.value = data})}getCategoryData()//-图片上传const handleFileUpload =(event)=>{const file = event.target.files[0];let formData = new FormData();formData.append('file',file);http.post('/bg/product/upload',formData,{headers: {'Content-Type':'multipart/form-data'}}).then(response=>{product.productPath = response.data})}//-商品上传const saveProduct =()=>{//-:对话框的关闭dialogVisible.value = falsehttp.post('/bg/product/save',{productName: product.productName,productDescription: product.productDescription,categoryId: product.categoryId,generalPrice: product.generalPrice,superPrice: product.superPrice,costPrice: product.costPrice,stock: product.stock,productPath: product.productPath}).then(function(response){return response.data.data}).then((data)=>{ElMessage.success('添加成功');//-:查询商品列表getProductData()})}
</script>
<style></style>

到此,此案例整理完毕!

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

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

相关文章

Linux数据库主从复制(单主单从)

MySQL主从复制的优点包括&#xff1a; 1、横向扩展解决方案 - 在多个从站之间分配负载以提高性能。在此环境中&#xff0c;所有写入和更新都必须在主服务器上进行。但是&#xff0c;读取可以在一个或多个从设备上进行。该模型可以提高写入性能&#xff08;因为主设备专用于更新…

【Linux驱动】字符设备驱动程序框架 | LED驱动

&#x1f431;作者&#xff1a;一只大喵咪1201 &#x1f431;专栏&#xff1a;《RTOS学习》 &#x1f525;格言&#xff1a;你只管努力&#xff0c;剩下的交给时间&#xff01; 目录 &#x1f3c0;Hello驱动程序⚽驱动程序框架⚽编程 &#x1f3c0;LED驱动⚽配置GPIO⚽编程驱动…

机器学习---比较单个学习器与Bagging集成的偏差-方差分解、在Iris数据集的不同特征子集上使用不同的分类器进行训练和可视化

1. Bagging 说明并比较了预期均方误差的偏差方差分解&#xff0c;单个学习器与bagging集成的比较。 在回归中&#xff0c;估计器的预期均方误差可以根据偏差、方差和噪声进行分解。 在回归问题的数据集上的平均值上&#xff0c;偏差项测量估计器的预测与问题的最佳可能估计器…

大语言模型的三种主要架构 Decoder-Only、Encoder-Only、Encoder-Decoder

现代大型语言模型&#xff08;LLM&#xff09;的演变进化树&#xff0c;如下图&#xff1a; https://arxiv.org/pdf/2304.13712.pdf 基于 Transformer 模型以非灰色显示&#xff1a; decoder-only 模型在蓝色分支&#xff0c; encoder-only 模型在粉色分支&#xff0c; encod…

在Linux下探索MinIO存储服务如何远程上传文件

&#x1f308;个人主页&#xff1a;聆风吟 &#x1f525;系列专栏&#xff1a;网络奇遇记、Cpolar杂谈 &#x1f516;少年有梦不应止于心动&#xff0c;更要付诸行动。 文章目录 &#x1f4cb;前言一. 创建Buckets和Access Keys二. Linux 安装Cpolar三. 创建连接MinIO服务公网地…

JavaWeb—html, css, javascript, dom,xml, tomcatservlet

文章目录 快捷键HTML**常用特殊字符替代:****标题****超链接标签****无序列表、有序列表****无序列表**:ul/li 基本语法**有序列表ol/li:****图像标签(img)**** 表格(table)标签****表格标签-跨行跨列表格****form(表单)标签介绍****表单form提交注意事项**div 标签p 标签sp…

el-select如何去掉placeholder属性

功能要求是&#xff1a;当el-select的disabled属性为true的时候不展示“请选择”字样 1、要去掉 el-select 元素的 placeholder 属性&#xff0c;可以在代码中将其设置为空字符串。 <el-select placeholder"" ...></el-select> 注意&#xff1a;这种方…

HBase基础知识(三):HBase架构进阶、读写流程、MemStoreFlush、StoreFile Compaction、Region Split

1. 架构原理 1&#xff09;StoreFile 保存实际数据的物理文件&#xff0c;StoreFile以HFile的形式存储在HDFS上。每个Store会有一个或多个StoreFile&#xff08;HFile&#xff09;&#xff0c;数据在每个StoreFile中都是有序的。 2&#xff09;MemStore 写缓存&#xff0c;由于…

LED灯驱动模块加载与卸载代码框架

一. 简介 本文来编写 LED灯驱动模块加载与卸载的代码。 二. LED灯驱动模块加载与卸载代码框架 1. 创建工程 我的驱动代码存放目录&#xff1a; ubuntu系统 /home/wangtian/zhengdian_Linux/Linux_Drivers 目录下。 进入 /home/wangtian/zhengdian_Linux/Linux_Drivers 目…

【Amazon 实验①】使用Amazon WAF做基础 Web Service 防护

文章目录 一、实验介绍二、实验环境准备三、验证实验环境四、Web ACLs 配置 & AWS 托管规则4.1 Web ACLs 介绍4.2 Managed Rules 托管规则4.3 防护常见威胁类型&#xff08;sql注入&#xff0c;XSS&#xff09;4.4 实验步骤4.4.1 创建Web ACL4.4.2 测试用例4.4.3 测试结果4…

uniapp实战 -- 个人信息维护(含选择图片 uni.chooseMedia,上传文件 uni.uploadFile,获取和更新表单数据)

效果预览 相关代码 页面–我的 src\pages\my\my.vue <!-- 个人资料 --><view class"profile" :style"{ paddingTop: safeAreaInsets!.top px }"><!-- 情况1&#xff1a;已登录 --><view class"overview" v-if"membe…

Linux bridge开启hairpin模拟测试macvlan vepa模式

看到网上介绍可以通过Linux bridge 开启hairpin方式测试macvlan vepa模式&#xff0c;但是没有找到详细资料。我尝试测试总提示错误信息&#xff0c;无法实现&#xff0c;经过几天的研究&#xff0c;我总算实现模拟测试&#xff0c;记录如下&#xff1a; 参考 1.Linux Macvla…