在springboot项目中实现将上传的jpg图片类型转为pdf并保存到本地

前言:前端使用uniapp中的uni.canvasToTempFilePath方法将画板中的内容保存为jpg上传至后端处理

uni.canvasToTempFilePath({canvasId: 'firstCanvas',sourceType: ['album'],fileType: "jpg",success: function (res1) {let signature_base64 = res1.tempFilePath;let signature_file = that.base64toFile(signature_base64);// 将签名存储到服务器uni.uploadFile({url: "convertJpgToPdf",name: "file",file: signature_file,formData: {busiId: 'ceshi12',token: token},success: function (res1) {console.log(res1);}})}});// 将base64转为filebase64toFile: function(base64String) {// 从base64字符串中解析文件类型var mimeType = base64String.match(/^data:(.*);base64,/)[1];// 生成随机文件名var randomName = Math.random().toString(36).substring(7);var filename = randomName + '.' + mimeType.split('/')[1];let arr = base64String.split(",");let bstr = atob(arr[1]);let n = bstr.length;let u8arr = new Uint8Array(n);while (n--) {u8arr[n] = bstr.charCodeAt(n);}return new File([u8arr], filename, { type: mimeType });},

java代码:
首先在pom.xml中安装依赖

<dependency><groupId>org.apache.pdfbox</groupId><artifactId>pdfbox</artifactId><version>2.0.8</version>
</dependency>

使用方法:

/*** 将jpg转为pdf文件* @param jpgFile* @return* @throws IOException*/public MultipartFile convertJpgToPdf(MultipartFile jpgFile) throws IOException {// 保存MultipartFile到临时文件File tempFile = new File(System.getProperty("java.io.tmpdir"), "temp.jpg");jpgFile.transferTo(tempFile);// 创建PDF文档PDDocument pdfDoc = new PDDocument();PDPage pdfPage = new PDPage();pdfDoc.addPage(pdfPage);// 从临时文件创建PDImageXObjectPDImageXObject pdImage = PDImageXObject.createFromFile(tempFile.getAbsolutePath(), pdfDoc);// 获取PDF页面的内容流以添加图像PDPageContentStream contentStream = new PDPageContentStream(pdfDoc, pdfPage);// 获取PDF页面的大小PDRectangle pageSize = pdfPage.getMediaBox();float pageWidth = pageSize.getWidth();float pageHeight = pageSize.getHeight();// 在PDF页面上绘制图像float originalImageWidth = pdImage.getWidth();float originalImageHeight = pdImage.getHeight();// 初始化缩放比例float scale = 1.0f;// 判断是否需要缩放图片if (originalImageWidth > pageWidth || originalImageHeight > pageHeight) {// 计算宽度和高度的缩放比例,取较小值float widthScale = pageWidth / originalImageWidth;float heightScale = pageHeight / originalImageHeight;scale = Math.min(widthScale, heightScale);}// 计算缩放后的图片宽度和高度float scaledImageWidth = originalImageWidth * scale;float scaledImageHeight = originalImageHeight * scale;// 计算图片在页面中居中绘制的位置float x = (pageWidth - scaledImageWidth) / 2;float y = (pageHeight - scaledImageHeight) / 2;// 绘制缩放后的图片到PDF页面contentStream.drawImage(pdImage, x, y, scaledImageWidth, scaledImageHeight);// 关闭内容流contentStream.close();// 将PDF文档写入到字节数组中ByteArrayOutputStream pdfOutputStream = new ByteArrayOutputStream();pdfDoc.save(pdfOutputStream);// 关闭PDF文档pdfDoc.close();// 删除临时文件tempFile.delete();// 创建代表PDF的MultipartFileMultipartFile pdfFile = new MockMultipartFile("converted12.pdf", "converted12.pdf", "application/pdf", pdfOutputStream.toByteArray());saveFileToLocalDisk(pdfFile, "D:/");return pdfFile;}/*** 将MultipartFile file文件保存到本地磁盘* @param file* @param directoryPath* @throws IOException*/public void saveFileToLocalDisk(MultipartFile file, String directoryPath) throws IOException {// 获取文件名String fileName = file.getOriginalFilename();// 创建目标文件File targetFile = new File(directoryPath + File.separator + fileName);// 将文件内容写入目标文件try (FileOutputStream outputStream = new FileOutputStream(targetFile)) {outputStream.write(file.getBytes());} catch (IOException e) {// 处理异常e.printStackTrace();throw e;}}

MockMultipartFile类

package com.jiuzhu.server.common;
import org.springframework.util.FileCopyUtils;
import org.springframework.web.multipart.MultipartFile;import java.io.ByteArrayInputStream;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;public class MockMultipartFile implements MultipartFile {private final String name;private String originalFilename;private String contentType;private final byte[] content;/*** Create a new MultipartFileDto with the given content.** @param name    the name of the file* @param content the content of the file*/public MockMultipartFile(String name, byte[] content) {this(name, "", null, content);}/*** Create a new MultipartFileDto with the given content.** @param name          the name of the file* @param contentStream the content of the file as stream* @throws IOException if reading from the stream failed*/public MockMultipartFile(String name, InputStream contentStream) throws IOException {this(name, "", null, FileCopyUtils.copyToByteArray(contentStream));}/*** Create a new MultipartFileDto with the given content.** @param name             the name of the file* @param originalFilename the original filename (as on the client's machine)* @param contentType      the content type (if known)* @param content          the content of the file*/public MockMultipartFile(String name, String originalFilename, String contentType, byte[] content) {this.name = name;this.originalFilename = (originalFilename != null ? originalFilename : "");this.contentType = contentType;this.content = (content != null ? content : new byte[0]);}/*** Create a new MultipartFileDto with the given content.** @param name             the name of the file* @param originalFilename the original filename (as on the client's machine)* @param contentType      the content type (if known)* @param contentStream    the content of the file as stream* @throws IOException if reading from the stream failed*/public MockMultipartFile(String name, String originalFilename, String contentType, InputStream contentStream)throws IOException {this(name, originalFilename, contentType, FileCopyUtils.copyToByteArray(contentStream));}@Overridepublic String getName() {return this.name;}@Overridepublic String getOriginalFilename() {return this.originalFilename;}@Overridepublic String getContentType() {return this.contentType;}@Overridepublic boolean isEmpty() {return (this.content.length == 0);}@Overridepublic long getSize() {return this.content.length;}@Overridepublic byte[] getBytes() throws IOException {return this.content;}@Overridepublic InputStream getInputStream() throws IOException {return new ByteArrayInputStream(this.content);}@Overridepublic void transferTo(File dest) throws IOException, IllegalStateException {FileCopyUtils.copy(this.content, dest);}
}

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

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

相关文章

发表博客之:weight only int8 详细讲解,小白都可以看得懂,不懂请来打我!

发表博客之&#xff1a;weight only int8 详细讲解&#xff0c;小白都可以看得懂&#xff0c;不懂请来打我&#xff01; 考虑一个模型中有一个Gemm Op&#xff0c;有两个输入&#xff0c;假设都是fp16数据类型吧&#xff01; input0是 [ M , K ] [M,K] [M,K],input1是 [ K , N…

Linux的基础IO:文件描述符 重定向本质

目录 前言 文件操作的系统调用接口 open函数 close函数 write函数 read函数 注意事项 文件描述符-fd 小补充 重定向 文件描述符的分配原则 系统调用接口-dup2 缓冲区 缓冲区的刷新策略 对于“2”的理解 小补充 前言 在Linux中一切皆文件&#xff0c;打开文件…

05 华三交换机原理

交换机的工作原理(第三十课)-CSDN博客 1 华三交换机原理 交换机是一种网络设备,用于在局域网(LAN)中实现数据帧的转发和过滤。其工作原理基于MAC地址表,它可以学习、过滤和转发帧到正确的端口。以下是交换机的基本工作原理: 1. 学习阶段: - 当设备首次发送数据包时,…

Leetcode 108.将有序数组转换为二叉搜索树

题目描述 给你一个整数数组 nums &#xff0c;其中元素已经按 升序 排列&#xff0c;请你将其转换为一棵 平衡 二叉搜索树。 示例 1&#xff1a; 输入&#xff1a;nums [-10,-3,0,5,9] 输出&#xff1a;[0,-3,9,-10,null,5] 解释&#xff1a;[0,-10,5,null,-3,null,9] 也将被…

机器学习-什么是 PCA?

一、PCA是什么&#xff1f; PCA 即主成分分析&#xff08;Principal Component Analysis&#xff09;哦&#xff01;它是一种统计分析方法&#xff0c;主要用于掌握事物的主要矛盾。PCA能从多元事物中解析出主要影响因素&#xff0c;揭示事物的本质&#xff0c;简化复杂问题。…

改变 centos yum源 repo

centos 使用自带的 repo 源 速度慢&#xff0c;可以改为国内的&#xff0c;需要改两个地方 centos7.repo CentOS-Base.repo 首先备份/etc/yum.repos.d/CentOS-Base.repo mv /etc/yum.repos.d/CentOS-Base.repo /etc/yum.repos.d/CentOS-Base.repo.backup下载对应版本repo文件…

ICMP详解

3 ICMP ICMP&#xff08;Internet Control Message Protocol&#xff0c;因特网控制报文协议&#xff09;是一个差错报告机制&#xff0c;是TCP/IP协议簇中的一个重要子协议&#xff0c;通常被IP层或更高层协议&#xff08;TCP或UDP&#xff09;使用&#xff0c;属于网络层协议…

python验证输入的IP地址是否正确

目录 一.前言 二.代码 三.代码分析 一.前言 IP是一组规则,它定义了计算机网络中的设备如何通信。它是一套协议,规定了如何将数据包从一台设备发送到另一台设备。 二.代码 cause = True # 设置判断网址是否正确的标志变量为真 ip …

Uniapp好看登录注册页面

个人介绍 hello hello~ &#xff0c;这里是 code袁~&#x1f496;&#x1f496; &#xff0c;欢迎大家点赞&#x1f973;&#x1f973;关注&#x1f4a5;&#x1f4a5;收藏&#x1f339;&#x1f339;&#x1f339; &#x1f981;作者简介&#xff1a;一名喜欢分享和记录学习的…

VUE2从入门到精通(二)

118、ref引用 【1】JQuery里面的$("#app")。vue mv vm 【2】在vue中&#xff0c;程序员不需要操作dom。程序员只需要维护好数据即可&#xff08;数据驱动视图&#xff09;。所以在vue下&#xff0c;强烈不建议使用jquery&#xff01;&#xff01;&#xff01; 【3】假…

(汇总)vue中在不同页面之间-4种传递参数的方式

Vue项目页面间传递参数和参数存储有很多种&#xff0c;常见的&#xff1a; &#xff08;参考链接&#xff1a;www.qinglite.cn/doc/4603647… url里加参数&#xff0c;比如&#xff1a;/find?idxxx&#xff0c;或/find/xxx&#xff0c;适合少量数据&#xff0c;优点是刷新页面…

大历史下的 tcp:恼人的 timewait

tcp timewait 是个恼人的状态&#xff0c;它的恶心自两类恶心的询问&#xff0c;oncall 和面试。大概诸如 “如何减少 timewait socket 数量”&#xff0c;“tw_reuse 和 tw_recycle …”&#xff0c;如果只为应用&#xff0c;用 reset 关连接就够了。 timewait 状态的根本目的…

4G+北斗太阳能定位终端:一键报警+倾覆报警 双重保障船舶安全

海上作业环境复杂多变&#xff0c;海上航行充满了各种不确定性和风险&#xff0c;安全事故时有发生&#xff0c;因此海上安全与应急响应一直是渔业和海运行业关注的重点。为了提高海上安全保障水平&#xff0c;4G北斗太阳能定位终端应运而生&#xff0c;它集成了一键报警和倾覆…

Edge浏览器新特性深度解析,写作ai免费软件

首先&#xff0c;这篇文章是基于笔尖AI写作进行文章创作的&#xff0c;喜欢的宝子&#xff0c;也可以去体验下&#xff0c;解放双手&#xff0c;上班直接摸鱼~ 按照惯例&#xff0c;先介绍下这款笔尖AI写作&#xff0c;宝子也可以直接下滑跳过看正文~ 笔尖Ai写作&#xff1a;…

Spring MVC系列之异步请求

概述 Spring MVC的本质其实就是一个Servlet。在理解Spring MVC如何支持异步请求之前&#xff0c;需要先知道Servlet3异步如何支持异步请求。参考Servlet系列之Servlet3异步。 Spring MVC对异步请求的支持主要从三个类来看&#xff1a; AsyncWebRequest&#xff1a;requestWe…

【数据结构】:链表的带环问题

&#x1f381;个人主页&#xff1a;我们的五年 &#x1f50d;系列专栏&#xff1a;数据结构 &#x1f337;追光的人&#xff0c;终会万丈光芒 前言&#xff1a; 链表的带环问题在链表中是一类比较难的问题&#xff0c;它对我们的思维有一个比较高的要求&#xff0c;但是这一类…

AI大模型探索之路-训练篇10:大语言模型Transformer库-Tokenizer组件实践

系列篇章&#x1f4a5; AI大模型探索之路-训练篇1&#xff1a;大语言模型微调基础认知 AI大模型探索之路-训练篇2&#xff1a;大语言模型预训练基础认知 AI大模型探索之路-训练篇3&#xff1a;大语言模型全景解读 AI大模型探索之路-训练篇4&#xff1a;大语言模型训练数据集概…

DS:顺序表、单链表的相关OJ题训练

欢迎各位来到 Harper.Lee 的学习小世界&#xff01; 博主主页传送门&#xff1a;Harper.Lee的博客主页 想要一起进步的uu可以来后台找我交流哦&#xff01; 在DS&#xff1a;单链表的实现 和 DS&#xff1a;顺序表的实现这两篇文章中&#xff0c;我详细介绍了顺序表和单链表的…

使用LinkAI创建AI智能体,并快速接入到微信/企微/公众号/钉钉/飞书

​ LinkAI 作为企业级一站式AI Agent 智能体搭建与接入平台&#xff0c;不仅为用户和客户提供能够快速搭建具备行业知识和个性化设定的 AI 智能体的能力&#xff1b;还基于企业级场景提供丰富的应用接入能力&#xff0c;让智能体不再是“玩具”&#xff0c;而是真正能够落地应用…

C/C++ 字符串与时间戳互相转换

//时间戳转string 1713175204 2024-04-15 18:00:04struct tm *ttime;time_t flag_time time(NULL);ttime localtime(&flag_time);char time_str[100];cout << flag_time <<endl;cout << mktime(ttime) <<endl;sprintf(time_str,"%04d-%02…