Vue2 | Vant uploader实现上传文件和图片

news2024/11/26 15:48:24

需求:

实现图片和文件的上传,单个图片超过1M则压缩,全部文件加起来不得超过10M。

效果:

1. html

<van-form ref="form">
 <van-field name="uploader" label="佐证材料" required>
	<template #input>
		<van-uploader
			v-model="files"
			multiple
			accept=""
			:before-read="beforeRead"
			:after-read="afterRead"
			@delete="deleteImg"
		/>
	</template>
 </van-field>
</van-form>

2. js:

    data() {
        return {
            files: [],
            fileList: [], // 已上传的图片
			fileIds: [], // 佐证材料文件id,上传成功之后返回的数据
			uploadfile: {
				type: '',
				name: ''
			}, // 上传单图的情况
			uploadfiles: [], // 上传多图的情况
        }
    },
    methods: {
        // 文件读取前触发
		beforeRead(e) {
			if (e.size > 10 * 1024 * 1024) {
				this.$toast.fail('文件大小不能超过10M')
				return false
			}
			return true
		},
		// 文件读取完成后触发
		afterRead(file) {
			if (file.length > 0) {
				// 多个上传
				file.map((item, index) => {
					this.uploadfiles.push({
						name: item.file.name,
						type: item.file.type
					})
					this.files[index].status = 'uploading'
					this.files[index].message = '上传中...'
					this.imgPreview(file[index].file, index)
				})
			} else {
				// 单个上传
				this.uploadfile.name = file.file.name // 获取文件名
				this.uploadfile.type = file.file.type // 获取类型
				this.files[this.files.length - 1].status = 'uploading'
				this.files[this.files.length - 1].message = '上传中...'
				// console.log('绑定的文件', this.files)
				this.imgPreview(file.file)
			}
		},
		// 删除文件
		deleteImg(file) {
			// 匹配fileList的项的fileName,相同的话把filesId对应删除
			this.fileList.map((item, index) => {
				if (item.file.name == file.file.name) {
					this.fileList.splice(index, 1)
					this.fileIds.splice(index, 1)
				}
			})
		},
		// 处理文件
		async imgPreview(file, index) {
			const self = this
			// 看支持不支持FileReader
			if (!file || !window.FileReader) return
			if (/^image/.test(file.type)) {
				// 创建一个reader
				const reader = new FileReader()
				// 将图片转成 base64 格式
				reader.readAsDataURL(file)
				// 读取成功后的回调
				reader.onloadend = function () {
					const result = this.result
					const img = new Image()
					img.src = result
					// 判断图片是否小于1M,是就直接上传,反之压缩图片
					if (this.result.length <= 1024 * 1024) {
						// 上传图片
						self.postImg(this.result, index)
					} else {
						img.onload = function () {
							const data = self.compress(img)
							// 上传图片
							self.postImg(data, index)
						}
					}
				}
			} else {
				// 其他格式的文件
				const formData = new window.FormData()
				formData.append('file', file)
				// 计算现在所有图片的大小,如果加上该文件超过10M则不可上传
				let totalSize = 0
				this.fileList.map(item => {
					totalSize += Number(item.file.size)
				})
				let size = totalSize + file.size
				if (size > 10 * 1024 * 1024) {
					this.$toast.fail('当前上传附件超过最大内存10M!')
					return
				}
				const res = await businessUpload(formData)
				if (res.code === 200) {
					this.$toast.success('文件已上传')
					this.fileIds.push(res.fileId)
					this.fileList.push({
						id: res.fileId,
						file: file
					})
					if (index == undefined) {
						this.files[this.files.length - 1].status = 'done'
						this.files[this.files.length - 1].message = '上传成功'
					} else {
						this.files[index].status = 'done'
						this.files[index].message = '上传成功'
					}
				} else {
					this.$toast.fail('文件上传失败')
					if (index == undefined) {
						this.files[this.files.length - 1].status = 'failed'
						this.files[this.files.length - 1].message = '上传失败'
					} else {
						this.files[index].status = 'failed'
						this.files[index].message = '上传失败'
					}
				}
			}
		},
		// 压缩图片
		compress(img, Orientation) {
			const canvas = document.createElement('canvas')
			const ctx = canvas.getContext('2d')
			// 瓦片canvas
			const tCanvas = document.createElement('canvas')
			const tctx = tCanvas.getContext('2d')
			// let initSize = img.src.length;
			let width = img.width
			let height = img.height
			// 如果图片大于四百万像素,计算压缩比并将大小压至400万以下
			let ratio
			if ((ratio = (width * height) / 4000000) > 1) {
				// console.log("大于400万像素");
				ratio = Math.sqrt(ratio)
				width /= ratio
				height /= ratio
			} else {
				ratio = 1
			}
			canvas.width = width
			canvas.height = height
			// 铺底色
			ctx.fillStyle = '#fff'
			ctx.fillRect(0, 0, canvas.width, canvas.height)
			// 如果图片像素大于100万则使用瓦片绘制
			let count
			if ((count = (width * height) / 1000000) > 1) {
				// console.log("超过100W像素");
				count = ~~(Math.sqrt(count) + 1) // 计算要分成多少块瓦片
				// 计算每块瓦片的宽和高
				const nw = ~~(width / count)
				const nh = ~~(height / count)
				tCanvas.width = nw
				tCanvas.height = nh
				for (let i = 0; i < count; i++) {
					for (let j = 0; j < count; j++) {
						tctx.drawImage(img, i * nw * ratio, j * nh * ratio, nw * ratio, nh * ratio, 0, 0, nw, nh)
						ctx.drawImage(tCanvas, i * nw, j * nh, nw, nh)
					}
				}
			} else {
				ctx.drawImage(img, 0, 0, width, height)
			}
			// 进行最小压缩
			const ndata = canvas.toDataURL('image/jpeg', 0.4)
			tCanvas.width = tCanvas.height = canvas.width = canvas.height = 0
			return ndata
		},
		// 提交图片到后端
		async postImg(base64, index) {
			const file = this.dataURLtoFile(base64, index)
			const formData = new window.FormData()
			formData.append('file', file)

			// 计算现在所有图片的大小,如果加上该文件超过10M则不可上传
			let totalSize = 0
			this.fileList.map(item => {
				totalSize += Number(item.file.size)
			})
			let size = totalSize + file.size
			if (size > 10 * 1024 * 1024) {
				this.$toast.fail('当前上传附件超过最大内存10M!')
				return
			}
			const res = await businessUpload(formData)
			if (res.code === 200) {
				this.$toast.success('图片已上传')
				this.fileIds.push(res.fileId)
				this.fileList.push({
					id: res.fileId,
					file: file
				})
				if (index == undefined) {
					this.files[this.files.length - 1].status = 'done'
					this.files[this.files.length - 1].message = '上传成功'
				} else {
					this.files[index].status = 'done'
					this.files[index].message = '上传成功'
				}
			} else {
				this.$toast.fail('图片上传失败')
				if (index == undefined) {
					this.files[this.files.length - 1].status = 'failed'
					this.files[this.files.length - 1].message = '上传失败'
				} else {
					this.files[index].status = 'failed'
					this.files[index].message = '上传失败'
				}
			}
		},
		// 将base64转换为文件
		dataURLtoFile(dataurl, index) {
			var arr = dataurl.split(',')
			var bstr = atob(arr[1])
			var n = bstr.length
			var u8arr = new Uint8Array(n)
			while (n--) {
				u8arr[n] = bstr.charCodeAt(n)
			}
			if (index == undefined) {
				// 单图上传
				return new File([u8arr], this.uploadfile.name, {
					type: this.uploadfile.type
				})
			} else {
				// 多图上传
				return new File([u8arr], this.uploadfiles[index].name, {
					type: this.uploadfiles[index].type
				})
			}
		}
    }

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

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

相关文章

TypeScript枚举(Enums)和泛型(Generics)

&#x1f3ac; 岸边的风&#xff1a;个人主页 &#x1f525; 个人专栏 :《 VUE 》 《 javaScript 》 ⛺️ 生活的理想&#xff0c;就是为了理想的生活 ! 目录 枚举 异构枚举 枚举成员的类型 泛型 1. 函数泛型 2. 接口泛型 3. 类泛型 接下来我们将学习TypeScript 中的两…

无涯教程-JavaScript - ISREF函数

描述 如果指定的值是参考,则ISREF函数返回逻辑值TRUE。否则返回FALSE。 语法 ISREF (value) 争论 Argument描述Required/OptionalvalueA reference to a cell.Required Notes 您可以在执行任何操作之前使用此功能测试单元格的内容。 适用性 Excel 2007,Excel 2010,Exce…

机器故障预测:未来24小时的决胜时刻!!!

一、背景介绍 这个竞赛的焦点是预测机器是否会在未来24小时内故障。数据包括与机器性能相关的各种特征&#xff0c;例如温度、振动、功耗和传感器读数。目标变量是二进制的&#xff0c;表示机器是否在未来24小时内故障&#xff08;1&#xff09;或未故障&#xff08;0&#xf…

计算机竞赛 机器视觉opencv答题卡识别系统

0 前言 &#x1f525; 优质竞赛项目系列&#xff0c;今天要分享的是 &#x1f6a9; 答题卡识别系统 - opencv python 图像识别 该项目较为新颖&#xff0c;适合作为竞赛课题方向&#xff0c;学长非常推荐&#xff01; &#x1f947;学长这里给一个题目综合评分(每项满分5分…

selenium 网页自动化-在访问一个网页时弹出的浏览器窗口,我该如何处理?

前言 相信大家在使用selenium做网页自动化时&#xff0c;会遇到如下这样的一个场景&#xff1a; 在你使用get访问某一个网址时&#xff0c;会在页面中弹出如上图所示的弹出框。 首先想到是利用Alert类来处理它。 然而&#xff0c;很不幸&#xff0c;Alert类处理的结果就是没…

解决java.text.ParseException: Unparseable date: “invalid_date“

解决java.text.ParseException: Unparseable date: "invalid_date" 前言摘要引言正文1. 理解异常的根本原因2. 处理日期字符串格式问题3. 处理非法字符或无效日期信息4. 异常处理 总结参考资料 博主 默语带您 Go to New World. ✍ 个人主页—— 默语 的博客&#x1f…

创造引人入胜的网页体验:掌握 CSS 动画

&#x1f482; 个人网站:【工具大全】【游戏大全】【神级源码资源网】&#x1f91f; 前端学习课程&#xff1a;&#x1f449;【28个案例趣学前端】【400个JS面试题】&#x1f485; 寻找学习交流、摸鱼划水的小伙伴&#xff0c;请点击【摸鱼学习交流群】 在现代网页设计中&#…

Leetcode算法入门与数组丨2. LeetCode入门

文章目录 前言LeetCode 是什么LeetCode 注册LeetCode 学习LeetCode 题库LeetCode 刷题页面 & 刷题语言选择LeetCode 题解LeetCode 刷题流程LeetCode 刷题攻略 前言 Datawhale组队学习丨9月Leetcode算法入门与数组丨打卡笔记 这篇博客是一个 入门型 的文章&#xff0c;主要…

Failed to connect to bitbucket.org port 443 错误原因, 解决办法

最近使用SourceTree来访问bitbucket.org的代码托管Git, 当Pull或者Push发现操作失败: Failed to connect to bitbucket.org port 443 错误原因: 无法链接到网站地址, 可能是DNS解析IP地址错误, 或者网站维护, 大概率是被墙或者DNS解析错误. 解决办法: 如果您的浏览器能够访问b…

iOS技术博主指南:填写苹果应用上架中的隐私政策信息

摘要&#xff1a;本文将详细介绍iOS技术博主在苹果应用上架过程中如何填写隐私政策信息。博主可以通过App Store Connect为应用程序提供隐私政策网址和用户隐私选项网址&#xff0c;并了解如何填写隐私政策文本。本文将提供步骤和注意事项&#xff0c;帮助博主顺利完成隐私政策…

数据库-理论基础

目录 1.什么是数据库&#xff1f; 2.数据库与文件系统的区别&#xff1f; 3.常见的数据库由那些&#xff1f; 4.关系型数据库(MySQL&#xff09;的特征及组成结构介绍 1.什么是数据库&#xff1f; 数据&#xff1a;描述事物的符号记录&#xff0c;可以是数字&#xff0c;文…

SSTI注入利用姿势合集

文章目录 前言SSTI模板注入原理&#xff1f;关于Python的类知识构造链的思路Jinjia2获取配置信息lipsumrequesturl_forget_flashed_messagesg对象 Jinjia2 Bypass.绕过引号绕过_绕过init过滤[ ]被过滤 羊城杯2023[决赛] SSTI2020XCTF 华为专项赛Tornado通用手法tornado.templat…

电脑字体怎么改?4个方法快速更改字体!

“我的电脑字体看起来很不习惯&#xff0c;想给电脑换个字体。电脑字体应该怎么改呢&#xff1f;哪位朋友可以给我支支招呀&#xff1f;” 电脑字体的不同可能会让用户在使用电脑时有不同的体验。有些电脑用户可能想使用比较正式的字体&#xff0c;但有些用户可能会比较喜欢可爱…

算法|Day49 动态规划17

LeetCode 647- 回文子串 题目链接&#xff1a;力扣&#xff08;LeetCode&#xff09;官网 - 全球极客挚爱的技术成长平台 题目描述&#xff1a;给你一个字符串 s &#xff0c;请你统计并返回这个字符串中 回文子串 的数目。 回文字符串 是正着读和倒过来读一样的字符串。 子…

RS485(一):电路与波形

一、RS485电路 ​RS485( Recommended Standard-485&#xff09;是隶属于OSI模型-物理层的电气特性&#xff0c;规定为 2 线、半双工、平衡传输线的多点异步通信标准&#xff0c;通信采用差分信号传输。 典型485应用电路如下图所示&#xff1a; 其中 、# 分别控制接收和发送…

深度学习-全连接神经网络-训练过程-权值初始化- [北邮鲁鹏]

文章目录 思想避免全零初始化随机权值初始化权值初始化太小&#xff1a;权值初始化太大Xavier初始化目标为什么输入和输出分布会变得不同&#xff1f;Xavier在使用Tanh时的表现好Xavier在使用ReLU时的表现不好 HE初始化&#xff08;MSRA&#xff09;权值初始化总结 思想 通过调…

ARMv8架构简介

ARMv8-A架构和处理器 ARMv8-A架构 ARMv8‑A 架构是针对应用程序配置文件的最新一代 ARM 架构。 ARMv8 这个名称用于描述整体架构,现在包括 32 位执行状态和 64 位执行状态。它引入了使用 64 位宽寄存器执行的能力,同时保持与现有 ARMv7 软件的向后兼容性。 ARMv8‑A 架构引…

电脑死机的时候,CPU到底在做什么?

电脑死机&#xff0c;应该每个接触计算机的小伙伴都经历过吧。 尤其是早些年&#xff0c;电脑配置还没现在这么高的时候&#xff0c;多开几个重量级应用程序&#xff0c;死机就能如约而至&#xff0c;就算你把键盘上的CTRLALTDELETE按烂了&#xff0c;任务管理器也出不来&…

GIS前端-地图事件编程

GIS前端-地图事件编程 图层操作事件地图状态事件交互事件弹出框事件导出PDF 在地图上的一切操作均要采用地图事件机制来实现&#xff0c;即通过鼠标、键盘等交互&#xff0c;触发地图相关事件&#xff0c;进而调用相关功能接口函数实现相应的GIS功能。在具体的实现过程中&#…

logstash无法精确到毫秒级解决方案

问题描述 最近遇到这样一个问题&#xff1a;logstash想要动态更新数据库内容&#xff0c;常用的方法是在conf文件里设置。这里我选择用timestamp记录 # 数据追踪 # 追踪的字段 tracking_column > "update_time" tracking_column_type > "timestamp"…