springboot基础(79):通过pdf模板生成文件

文章目录

  • 前言
  • 通过pdf模板生成文件
    • 一 . 制作模板
    • 二、编辑代码实现模板生成pdf文件
    • 三、pdf在线预览和文件下载
  • 扩展问题
  • 遇到的问题
    • 1. 更换字体为宋体常规
    • 2. 下载时中文文件名乱码问题

前言

通过pdf模板生成文件。
支持文本,图片,勾选框。

在这里插入图片描述
在这里插入图片描述

本章代码已分享至Gitee: https://gitee.com/lengcz/pdfdemo01

通过pdf模板生成文件

一 . 制作模板

  1. 先使用wps软件制作一个docx文档
    在这里插入图片描述

  2. 将文件另存为pdf文件
    在这里插入图片描述

  3. 使用pdf编辑器,编辑表单,(例如福昕PDF阅读器、Adobe Acrobat DC)

不同的pdf编辑器使用方式不同,建议自行学习如何使用pdf编辑器编辑表单

在这里插入图片描述
在这里插入图片描述

  1. 将修改后的文件保存为template1.pdf文件。

二、编辑代码实现模板生成pdf文件

  1. 引入依赖
 <dependency><groupId>com.itextpdf</groupId><artifactId>itextpdf</artifactId><version>5.5.13.3</version></dependency>
  1. 编写pdf工具类和相关工具
package com.it2.pdfdemo01.util;import com.itextpdf.text.BadElementException;
import com.itextpdf.text.DocumentException;
import com.itextpdf.text.Image;
import com.itextpdf.text.Rectangle;
import com.itextpdf.text.pdf.*;import java.io.*;
import java.util.List;
import java.util.Map;/*** pdf 工具*/
public class PdfUtil {/*** 通过pdf模板输出到流** @param templateFile 模板* @param dataMap      input数据* @param picData      image图片* @param checkboxMap  checkbox勾选框* @param outputStream 输出流*/public static void output(String templateFile, Map<String, Object> dataMap, Map<String, byte[]> picData, Map<String, String> checkboxMap, OutputStream outputStream) {OutputStream os = null;PdfStamper ps = null;PdfReader reader = null;try {reader = new PdfReader(templateFile);ps = new PdfStamper(reader, outputStream);AcroFields form = ps.getAcroFields();BaseFont bf = BaseFont.createFont("Font/SIMYOU.TTF", BaseFont.IDENTITY_H, BaseFont.NOT_EMBEDDED);form.addSubstitutionFont(bf);if (null != dataMap) {for (String key : dataMap.keySet()) {form.setField(key, dataMap.get(key).toString());}}ps.setFormFlattening(true);if (null != checkboxMap) {for (String key : checkboxMap.keySet()) {form.setField(key, checkboxMap.get(key), true);}}PdfStamper stamper = ps;if (null != picData) {picData.forEach((filedName, imgSrc) -> {List<AcroFields.FieldPosition> fieldPositions = form.getFieldPositions(filedName);for (AcroFields.FieldPosition fieldPosition : fieldPositions) {int pageno = fieldPosition.page;Rectangle signrect = fieldPosition.position;float x = signrect.getLeft();float y = signrect.getBottom();byte[] byteArray = imgSrc;try {Image image = Image.getInstance(byteArray);PdfContentByte under = stamper.getOverContent(pageno);image.scaleToFit(signrect.getWidth(), signrect.getHeight());image.setAbsolutePosition(x, y);under.addImage(image);} catch (BadElementException e) {e.printStackTrace();} catch (IOException e) {e.printStackTrace();} catch (DocumentException e) {e.printStackTrace();}}});}} catch (Exception e) {e.printStackTrace();} finally {try {ps.close();reader.close();} catch (Exception e) {e.printStackTrace();}}}/*** 通过pdf模板输出到文件** @param templateFile 模板* @param dataMap      input数据* @param picData      image图片* @param checkboxMap  checkbox勾选框* @param outputFile   输出流*/public static void output(String templateFile, Map<String, Object> dataMap, Map<String, byte[]> picData, Map<String, String> checkboxMap, File outputFile) throws IOException {FileOutputStream fos = new FileOutputStream(outputFile);try {output(templateFile, dataMap, picData, checkboxMap, fos);} finally {fos.close();}}/*** 通过pdf模板输出到文件** @param templateFile 模板* @param dataMap      input数据* @param picData      image图片* @param checkboxMap  checkbox勾选框* @param filePath     路径* @param fileName     文件名*/public static void output(String templateFile, Map<String, Object> dataMap, Map<String, byte[]> picData, Map<String, String> checkboxMap, String filePath, String fileName) throws IOException {File file = new File(filePath + File.separator + fileName);output(templateFile, dataMap, picData, checkboxMap, file);}}
package com.it2.pdfdemo01.util;import javax.imageio.ImageIO;
import java.awt.image.BufferedImage;
import java.io.ByteArrayOutputStream;
import java.io.File;
import java.io.IOException;/*** 图片工具*/
public class ImageUtil {/*** 通过图片路径获取byte数组** @param url 路径* @return*/public static byte[] imageToBytes(String url) {ByteArrayOutputStream byteOutput = new ByteArrayOutputStream();BufferedImage bufferedImage = null;try {bufferedImage = ImageIO.read(new File(url));ImageIO.write(bufferedImage, "jpg", byteOutput);return byteOutput.toByteArray();} catch (IOException e) {e.printStackTrace();} finally {try {if (byteOutput != null)byteOutput.close();} catch (IOException e) {e.printStackTrace();}}return null;}
}

用到的字体文件(幼圆常规,C盘Windows/Fonts目录下

在这里插入图片描述

  1. 测试用例并执行,生成了pdf文件。
 @Testpublic void testPdf() throws IOException {String templateFile = "D:\\test3\\template1.pdf";Map<String, Object> dataMap = new HashMap<>();dataMap.put("username", "王小鱼");dataMap.put("age", "11");dataMap.put("address", "深圳市宝安区和林大道");Map<String, byte[]> picMap = new HashMap<>();byte[] imageToBytes = ImageUtil.imageToBytes("D:\\test3\\dog3.png");picMap.put("head", imageToBytes);Map<String, String> checkboxMap = new HashMap<>();checkboxMap.put("apple", "Yes");checkboxMap.put("orange", "Yes");checkboxMap.put("peach", "No");PdfUtil.output(templateFile, dataMap, picMap, checkboxMap, "D:\\test3", "test1.pdf");System.out.println("-------通过模板生成文件结束-------");}

在这里插入图片描述

三、pdf在线预览和文件下载

package com.it2.pdfdemo01.controller;import com.it2.pdfdemo01.util.ImageUtil;
import com.it2.pdfdemo01.util.PdfUtil;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.HashMap;
import java.util.Map;@RestController
@RequestMapping("/pdftest")
public class MyPdfController {/*** 在线预览pdf** @param request* @param response* @throws IOException*/@GetMapping("/previewPdf")public void previewPdf(HttpServletRequest request, HttpServletResponse response) throws IOException {String templateFile = "D:\\test3\\template1.pdf";Map<String, Object> dataMap = new HashMap<>();dataMap.put("username", "王小鱼");dataMap.put("age", "11");dataMap.put("address", "深圳市宝安区和林大道");Map<String, byte[]> picMap = new HashMap<>();byte[] imageToBytes = ImageUtil.imageToBytes("D:\\test3\\dog3.png");picMap.put("head", imageToBytes);Map<String, String> checkboxMap = new HashMap<>();checkboxMap.put("apple", "Yes");checkboxMap.put("orange", "Yes");checkboxMap.put("peach", "No");response.setCharacterEncoding("utf-8");response.setContentType("application/pdf");String fileName = new String("测试预览pdf文件".getBytes(), "ISO-8859-1");//避免中文乱码response.setHeader("Content-Disposition", "inline;filename=".concat(String.valueOf(fileName) + ".pdf"));PdfUtil.output(templateFile, dataMap, picMap, checkboxMap, response.getOutputStream());}/*** 下载pdf** @param request* @param response* @throws IOException*/@GetMapping("/downloadPdf")public void downloadPdf(HttpServletRequest request, HttpServletResponse response) throws IOException {String templateFile = "D:\\test3\\template1.pdf";Map<String, Object> dataMap = new HashMap<>();dataMap.put("username", "王小鱼");dataMap.put("age", "11");dataMap.put("address", "深圳市宝安区和林大道");Map<String, byte[]> picMap = new HashMap<>();byte[] imageToBytes = ImageUtil.imageToBytes("D:\\test3\\dog3.png");picMap.put("head", imageToBytes);Map<String, String> checkboxMap = new HashMap<>();checkboxMap.put("apple", "Yes");checkboxMap.put("orange", "Yes");checkboxMap.put("peach", "No");response.setCharacterEncoding("utf-8");response.setContentType("application/pdf");String fileName = new String("测试预览pdf文件".getBytes(), "ISO-8859-1");//避免中文乱码response.setHeader("Content-Disposition", "attachment;filename=".concat(String.valueOf(fileName) + ".pdf"));PdfUtil.output(templateFile, dataMap, picMap, checkboxMap, response.getOutputStream());}
}

启动服务器测试

  • 预览,访问 http://localhost:8080/pdftest/previewPdf
    在这里插入图片描述
  • 下载 访问 http://localhost:8080/pdftest/downloadPdf
    在这里插入图片描述

预览和下载的区别,只有细微区别。
在这里插入图片描述

扩展问题

android手机浏览器不能在线预览pdf文件,pc浏览器和ios浏览器可以在线预览pdf文件。
解决方案请见: https://lengcz.blog.csdn.net/article/details/132604135

遇到的问题

1. 更换字体为宋体常规

在这里插入图片描述

只能是下面这种写法

//            BaseFont bf = BaseFont.createFont("Font/SIMYOU.TTF", BaseFont.IDENTITY_H, BaseFont.NOT_EMBEDDED); //幼圆常规String srcFilePath = PdfUtil.class.getResource("/")+ "Font/simsun.ttc"; //宋体常规String templatePath = srcFilePath.substring("file:/".length())+",0";BaseFont bf = BaseFont.createFont(templatePath, BaseFont.IDENTITY_H, BaseFont.NOT_EMBEDDED);

2. 下载时中文文件名乱码问题

String fileName = new String("测试预览pdf文件".getBytes(), "ISO-8859-1");//避免中文乱码response.setHeader("Content-Disposition", "attachment;filename=".concat(String.valueOf(fileName) + ".pdf"));

点击下载
在这里插入图片描述

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

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

相关文章

17.Oauth2-微服务认证

1.Oauth2 OAuth 2.0授权框架支持第三方支持访问有限的HTTP服务&#xff0c;通过在资源所有者和HTTP服务之间进行一个批准交互来代表资源者去访问这些资源&#xff0c;或者通过允许第三方应用程序以自己的名义获取访问权限。 为了方便理解&#xff0c;可以想象OAuth2.0就是在用…

实现 Entity实例生命周期和vue组件生命周期融合

场景解决方案实现方案index.vue方案解决效果 场景 ceisum中Entity实例的生成和销毁&#xff0c;大部分逻辑和vue代码分离&#xff0c;导致不好阅读和维护 解决方案 ceisum 中实例 Entity 的生命周期&#xff0c;和vue的生命周期’相似’&#xff0c;把两个生命周期结合(把en…

使用Python的requests库与chatGPT进行通信

前言 在人工智能领域&#xff0c;自然语言处理模型如OpenAI GPT-3.5 Turbo具有广泛的应用。虽然官方提供了Python库来与这些模型进行交互&#xff0c;但也有一些人更喜欢使用requests库来自定义请求和处理响应&#xff0c;比如现在很多第三方LLM都提供了与chatGPT类似的http请…

Jmete+Grafana+Prometheus+Influxdb+Nginx+Docker架构搭建压测体系/监控体系/实时压测数据展示平台+遇到问题总结

背景 需要大批量压测时&#xff0c;单机发出的压力能力有限&#xff0c;需要多台jmeter来同时进行压测&#xff1b;发压机资源不够&#xff0c;被压测系统没到瓶颈之前&#xff0c;发压机难免先发生资源不足的情形&#xff1b;反复压测时候也需要在不同机器中启动压测脚本&…

比较opencv,pillow,matplotlib,skimage读取图像的速度比

上面这些库都被广泛用于图像处理和计算机视觉任务&#xff1b; 不同的图像读取库&#xff08;OpenCV&#xff0c;Pillow&#xff0c;matplotlib和skimage&#xff09;的读取速度&#xff0c;是怎么样的一个情况&#xff1f; 下面分别从读取速度&#xff0c;以及转换到RGB通道…

《虚拟仿真实验教学平台》三项团体标准启动会在 ALVA 举办

8 月 11 日&#xff0c;《虚拟仿真实验教学平台》三项团体标准启动会&#xff08;下以“启动会”简称&#xff09;以线下线上相结合的会议形式在 ALVA Systems 北京总部举办。 启动会上&#xff0c;ALVA 与专家组、编写组成员和企业代表围绕《虚拟仿真实验教学平台建设指南》、…

不同写法的性能差异

“ 达到相同目的,可以有多种写法,每种写法有性能、可读性方面的区别,本文旨在探讨不同写法之间的性能差异 len(str) vs str "" 本部分参考自: [问个 Go 问题&#xff0c;字符串 len 0 和 字符串 "" &#xff0c;有啥区别&#xff1f;](https://segmentf…

18 Linux之Python定制篇-Python开发平台Ubuntu

18 Linux之Python定制篇-Python开发平台Ubuntu 文章目录 18 Linux之Python定制篇-Python开发平台Ubuntu18.1 安装Ubuntu虚拟机18.4 Ubuntu的root用户18.5 Ubuntu下开发Python 学习视频来自于B站【小白入门 通俗易懂】2021韩顺平 一周学会Linux。可能会用到的资料有如下所示&…

使用iOS应用程序进行数据采集:从入门到实践

随着移动互联网的普及&#xff0c;越来越多的数据产生于移动设备。为了更好地了解用户行为、优化产品体验&#xff0c;我们需要在iOS应用程序中进行数据采集。本文将指导您如何在iOS应用中实现数据采集&#xff0c;从基本概念到实际操作。 数据采集的基本概念与方法 a. 数据采集…

docker内部ip与内网其它ip网段冲突导致无法访问的解决方法

现象&#xff1a; 宿主机和docker内部能互相访问非常正常&#xff0c;但docker内部访问外部网络内网其中一个网段172.18.0.x则无法访问。 排查 由于docker是精简过的系统&#xff0c;需另外安装网络相关命令 首先更新apt-get&#xff0c;否则在apt-get install 命令时会报E:…

剑指 Offer 10- I. 斐波那契数列

剑指 Offer 10- I. 斐波那契数列 方法一 class Solution {int mod (int) 1e9 7;public int fib(int n) {if(n < 1) return n;int[] dp new int[n 1];dp[1] 1;for(int i 2; i < n; i){dp[i] (dp[i - 1] dp[i - 2]) % mod;}return dp[n];} }方法二 对方法一进行…

景区洗手间生活污水处理设备厂家电话

诸城市鑫淼环保小编带大家了解一下景区洗手间生活污水处理设备厂家电话 MBR生活污水处理设备构造介绍&#xff1a; mbr一体化污水处理的设计主要是对生活污水和相类似的工业有机污水的处理&#xff0c;其主要处理手段是采用目前较为成熟的生化处理技术接触氧化法&#xff0c;水…

el-table滚动加载、懒加载(自定义指令)

我们在实际工作中会遇到这样的问题&#xff1a; 应客户要求&#xff0c;某一个列表不允许分页。但是不分页的话&#xff0c;如果遇到大量的数据加载&#xff0c;不但后端响应速度变慢&#xff0c;前端的渲染效率也会降低&#xff0c;页面出现明显的卡顿。 那如何解决这个问题…

基础算法-递推算法-学习

现象&#xff1a; 基础算法-递推算法-学习 方法&#xff1a; 这就是一种递推的算法思想。递推思想的核心就是从已知条件出发&#xff0c;逐步推算出问题的解 最常见案例&#xff1a; 一&#xff1a;正向递推案例&#xff1a; 弹力球回弹问题&#xff1a; * 弹力球从100米高…

OpenLayers7官方文档翻译,OpenLayers7中文文档,OpenLayers快速入门

快速入门 这个入门文档向您展示如何放一张地图在web网页上。 开发设置使用 NodeJS&#xff08;至少需要Nodejs 14 或更高版本&#xff09;&#xff0c;并要求安装 git。 设置新项目 开始使用OpenLayers构建项目的最简单方法是运行&#xff1a;npm create ol-app npm create…

在ubuntu下远程链接仓库gitte/github

后期适当加点图片&#xff0c;提高可读性。 本教程是最基础的连接教程&#xff0c;设计git的操作也仅仅局限于push/pull&#xff0c;如果想全面了解&#xff0c;可以参考廖雪峰git教程 在Ubuntu上初始化本地Git仓库并链接到远程Gitee仓库(github同理)&#xff0c;需要按照以下步…

Go 面向对象(匿名字段)

概述 严格意义上说&#xff0c;GO语言中没有类(class)的概念,但是我们可以将结构体比作为类&#xff0c;因为在结构体中可以添加属性&#xff08;成员&#xff09;&#xff0c;方法&#xff08;函数&#xff09;。 面向对象编程的好处比较多&#xff0c;我们先来说一下“继承…

音视频 ffmpeg命令提取PCM数据

提取PCM ffmpeg -i buweishui.mp3 -ar 48000 -ac 2 -f s16le 48000_2_s16le ffmpeg -i buweishui.mp3 -ar 48000 -ac 2 -sample_fmt s16 out_s16.wav ffmpeg -i buweishui.mp3 -ar 48000 -ac 2 -codec:a pcm_s16le out2_s16le.wav ffmpeg -i buweishui.mp3 -ar 48000 -ac 2 -f…

QWidget的ui界面绘制成图片

文章目录 源文件源码解释效果修复图片清晰度 源文件 #include "widget.h" #include "ui_widget.h"#include <QPixmap> #include <QDir>Widget::Widget(QWidget *parent): QWidget(parent), ui(new Ui::Widget) {ui->setupUi(this);// 构造…

Pinely Round 2 (Div. 1 + Div. 2) G. Swaps(组合计数)

题目 给定一个长度为n(n<1e6)的序列&#xff0c;第i个数ai(1<ai<n)&#xff0c; 操作&#xff1a;你可以将当前i位置的数和a[i]位置的数交换 交换可以操作任意次&#xff0c;求所有本质不同的数组的数量&#xff0c;答案对1e97取模 思路来源 力扣群 潼神 心得 感…