pdfbox java,在使用PDFBox的java中,如何使用文本创建可见的数字签名-程序员宅基地

技术标签: pdfbox java  

Digital text with text and background imageI am trying to digitally sign pdf file using PDFBox in Java with visible text to appear on page similar to one that gets created when manually created in Acrobat. As shown in the image (one with only snap shot I am looking for and another with details of digital signature too), this example shows signing using image file. How to do that?

7roNi.jpg

解决方案

This code will be included among the samples in the upcoming 2.0.9 release of PDFBox. See also the discussion in PDFBOX-3198. It is more flexible and can include both text and images, or only one of the two, or vector graphics, whatever you want.

/**

* This is a second example for visual signing a pdf. It doesn't use the "design pattern" influenced

* PDVisibleSignDesigner, and doesn't create its complex multilevel forms described in the Adobe

* document

* Digital

* Signature Appearances, because this isn't required by the PDF specification. See the

* discussion in December 2017 in PDFBOX-3198.

*

* @author Vakhtang Koroghlishvili

* @author Tilman Hausherr

*/

public class CreateVisibleSignature2 extends CreateSignatureBase

{

private SignatureOptions signatureOptions;

private boolean lateExternalSigning = false;

private File imageFile;

/**

* Initialize the signature creator with a keystore (pkcs12) and pin that

* should be used for the signature.

*

* @param keystore is a pkcs12 keystore.

* @param pin is the pin for the keystore / private key

* @throws KeyStoreException if the keystore has not been initialized (loaded)

* @throws NoSuchAlgorithmException if the algorithm for recovering the key cannot be found

* @throws UnrecoverableKeyException if the given password is wrong

* @throws CertificateException if the certificate is not valid as signing time

* @throws IOException if no certificate could be found

*/

public CreateVisibleSignature2(KeyStore keystore, char[] pin)

throws KeyStoreException, UnrecoverableKeyException, NoSuchAlgorithmException, IOException, CertificateException

{

super(keystore, pin);

}

public File getImageFile()

{

return imageFile;

}

public void setImageFile(File imageFile)

{

this.imageFile = imageFile;

}

public boolean isLateExternalSigning()

{

return lateExternalSigning;

}

/**

* Set late external signing. Enable this if you want to activate the demo code where the

* signature is kept and added in an extra step without using PDFBox methods. This is disabled

* by default.

*

* @param lateExternalSigning

*/

public void setLateExternalSigning(boolean lateExternalSigning)

{

this.lateExternalSigning = lateExternalSigning;

}

/**

* Sign pdf file and create new file that ends with "_signed.pdf".

*

* @param inputFile The source pdf document file.

* @param signedFile The file to be signed.

* @param humanRect rectangle from a human viewpoint (coordinates start at top left)

* @param tsaUrl optional TSA url

* @throws IOException

*/

public void signPDF(File inputFile, File signedFile, Rectangle2D humanRect, String tsaUrl) throws IOException

{

this.signPDF(inputFile, signedFile, humanRect, tsaUrl, null);

}

/**

* Sign pdf file and create new file that ends with "_signed.pdf".

*

* @param inputFile The source pdf document file.

* @param signedFile The file to be signed.

* @param humanRect rectangle from a human viewpoint (coordinates start at top left)

* @param tsaUrl optional TSA url

* @param signatureFieldName optional name of an existing (unsigned) signature field

* @throws IOException

*/

public void signPDF(File inputFile, File signedFile, Rectangle2D humanRect, String tsaUrl, String signatureFieldName) throws IOException

{

if (inputFile == null || !inputFile.exists())

{

throw new IOException("Document for signing does not exist");

}

setTsaUrl(tsaUrl);

// creating output document and prepare the IO streams.

FileOutputStream fos = new FileOutputStream(signedFile);

try (PDDocument doc = PDDocument.load(inputFile))

{

int accessPermissions = SigUtils.getMDPPermission(doc);

if (accessPermissions == 1)

{

throw new IllegalStateException("No changes to the document are permitted due to DocMDP transform parameters dictionary");

}

// Note that PDFBox has a bug that visual signing on certified files with permission 2

// doesn't work properly, see PDFBOX-3699. As long as this issue is open, you may want to

// be careful with such files.

PDSignature signature = null;

PDAcroForm acroForm = doc.getDocumentCatalog().getAcroForm();

PDRectangle rect = null;

// sign a PDF with an existing empty signature, as created by the CreateEmptySignatureForm example.

if (acroForm != null)

{

signature = findExistingSignature(acroForm, signatureFieldName);

if (signature != null)

{

rect = acroForm.getField(signatureFieldName).getWidgets().get(0).getRectangle();

}

}

if (signature == null)

{

// create signature dictionary

signature = new PDSignature();

}

if (rect == null)

{

rect = createSignatureRectangle(doc, humanRect);

}

// Optional: certify

// can be done only if version is at least 1.5 and if not already set

// doing this on a PDF/A-1b file fails validation by Adobe preflight (PDFBOX-3821)

// PDF/A-1b requires PDF version 1.4 max, so don't increase the version on such files.

if (doc.getVersion() >= 1.5f && accessPermissions == 0)

{

SigUtils.setMDPPermission(doc, signature, 2);

}

if (acroForm != null && acroForm.getNeedAppearances())

{

// PDFBOX-3738 NeedAppearances true results in visible signature becoming invisible

// with Adobe Reader

if (acroForm.getFields().isEmpty())

{

// we can safely delete it if there are no fields

acroForm.getCOSObject().removeItem(COSName.NEED_APPEARANCES);

// note that if you've set MDP permissions, the removal of this item

// may result in Adobe Reader claiming that the document has been changed.

// and/or that field content won't be displayed properly.

// ==> decide what you prefer and adjust your code accordingly.

}

else

{

System.out.println("/NeedAppearances is set, signature may be ignored by Adobe Reader");

}

}

// default filter

signature.setFilter(PDSignature.FILTER_ADOBE_PPKLITE);

// subfilter for basic and PAdES Part 2 signatures

signature.setSubFilter(PDSignature.SUBFILTER_ADBE_PKCS7_DETACHED);

signature.setName("Name");

signature.setLocation("Location");

signature.setReason("Reason");

// the signing date, needed for valid signature

signature.setSignDate(Calendar.getInstance());

// do not set SignatureInterface instance, if external signing used

SignatureInterface signatureInterface = isExternalSigning() ? null : this;

// register signature dictionary and sign interface

signatureOptions = new SignatureOptions();

signatureOptions.setVisualSignature(createVisualSignatureTemplate(doc, 0, rect));

signatureOptions.setPage(0);

doc.addSignature(signature, signatureInterface, signatureOptions);

if (isExternalSigning())

{

System.out.println("Signing externally " + signedFile.getName());

ExternalSigningSupport externalSigning = doc.saveIncrementalForExternalSigning(fos);

// invoke external signature service

byte[] cmsSignature = sign(externalSigning.getContent());

// Explanation of late external signing (off by default):

// If you want to add the signature in a separate step, then set an empty byte array

// and call signature.getByteRange() and remember the offset signature.getByteRange()[1]+1.

// you can write the ascii hex signature at a later time even if you don't have this

// PDDocument object anymore, with classic java file random access methods.

// If you can't remember the offset value from ByteRange because your context has changed,

// then open the file with PDFBox, find the field with findExistingSignature() or

// PODDocument.getLastSignatureDictionary() and get the ByteRange from there.

// Close the file and then write the signature as explained earlier in this comment.

if (isLateExternalSigning())

{

// this saves the file with a 0 signature

externalSigning.setSignature(new byte[0]);

// remember the offset (add 1 because of "

int offset = signature.getByteRange()[1] + 1;

// now write the signature at the correct offset without any PDFBox methods

try (RandomAccessFile raf = new RandomAccessFile(signedFile, "rw"))

{

raf.seek(offset);

raf.write(Hex.getBytes(cmsSignature));

}

}

else

{

// set signature bytes received from the service and save the file

externalSigning.setSignature(cmsSignature);

}

}

else

{

// write incremental (only for signing purpose)

doc.saveIncremental(fos);

}

}

// Do not close signatureOptions before saving, because some COSStream objects within

// are transferred to the signed document.

// Do not allow signatureOptions get out of scope before saving, because then the COSDocument

// in signature options might by closed by gc, which would close COSStream objects prematurely.

// See https://issues.apache.org/jira/browse/PDFBOX-3743

IOUtils.closeQuietly(signatureOptions);

}

private PDRectangle createSignatureRectangle(PDDocument doc, Rectangle2D humanRect)

{

float x = (float) humanRect.getX();

float y = (float) humanRect.getY();

float width = (float) humanRect.getWidth();

float height = (float) humanRect.getHeight();

PDPage page = doc.getPage(0);

PDRectangle pageRect = page.getCropBox();

PDRectangle rect = new PDRectangle();

// signing should be at the same position regardless of page rotation.

switch (page.getRotation())

{

case 90:

rect.setLowerLeftY(x);

rect.setUpperRightY(x + width);

rect.setLowerLeftX(y);

rect.setUpperRightX(y + height);

break;

case 180:

rect.setUpperRightX(pageRect.getWidth() - x);

rect.setLowerLeftX(pageRect.getWidth() - x - width);

rect.setLowerLeftY(y);

rect.setUpperRightY(y + height);

break;

case 270:

rect.setLowerLeftY(pageRect.getHeight() - x - width);

rect.setUpperRightY(pageRect.getHeight() - x);

rect.setLowerLeftX(pageRect.getWidth() - y - height);

rect.setUpperRightX(pageRect.getWidth() - y);

break;

case 0:

default:

rect.setLowerLeftX(x);

rect.setUpperRightX(x + width);

rect.setLowerLeftY(pageRect.getHeight() - y - height);

rect.setUpperRightY(pageRect.getHeight() - y);

break;

}

return rect;

}

// create a template PDF document with empty signature and return it as a stream.

private InputStream createVisualSignatureTemplate(PDDocument srcDoc, int pageNum, PDRectangle rect) throws IOException

{

try (PDDocument doc = new PDDocument())

{

PDPage page = new PDPage(srcDoc.getPage(pageNum).getMediaBox());

doc.addPage(page);

PDAcroForm acroForm = new PDAcroForm(doc);

doc.getDocumentCatalog().setAcroForm(acroForm);

PDSignatureField signatureField = new PDSignatureField(acroForm);

PDAnnotationWidget widget = signatureField.getWidgets().get(0);

List acroFormFields = acroForm.getFields();

acroForm.setSignaturesExist(true);

acroForm.setAppendOnly(true);

acroForm.getCOSObject().setDirect(true);

acroFormFields.add(signatureField);

widget.setRectangle(rect);

// from PDVisualSigBuilder.createHolderForm()

PDStream stream = new PDStream(doc);

PDFormXObject form = new PDFormXObject(stream);

PDResources res = new PDResources();

form.setResources(res);

form.setFormType(1);

PDRectangle bbox = new PDRectangle(rect.getWidth(), rect.getHeight());

float height = bbox.getHeight();

Matrix initialScale = null;

switch (srcDoc.getPage(pageNum).getRotation())

{

case 90:

form.setMatrix(AffineTransform.getQuadrantRotateInstance(1));

initialScale = Matrix.getScaleInstance(bbox.getWidth() / bbox.getHeight(), bbox.getHeight() / bbox.getWidth());

height = bbox.getWidth();

break;

case 180:

form.setMatrix(AffineTransform.getQuadrantRotateInstance(2));

break;

case 270:

form.setMatrix(AffineTransform.getQuadrantRotateInstance(3));

initialScale = Matrix.getScaleInstance(bbox.getWidth() / bbox.getHeight(), bbox.getHeight() / bbox.getWidth());

height = bbox.getWidth();

break;

case 0:

default:

break;

}

form.setBBox(bbox);

PDFont font = PDType1Font.HELVETICA_BOLD;

// from PDVisualSigBuilder.createAppearanceDictionary()

PDAppearanceDictionary appearance = new PDAppearanceDictionary();

appearance.getCOSObject().setDirect(true);

PDAppearanceStream appearanceStream = new PDAppearanceStream(form.getCOSObject());

appearance.setNormalAppearance(appearanceStream);

widget.setAppearance(appearance);

try (PDPageContentStream cs = new PDPageContentStream(doc, appearanceStream))

{

// for 90° and 270° scale ratio of width / height

// not really sure about this

// why does scale have no effect when done in the form matrix???

if (initialScale != null)

{

cs.transform(initialScale);

}

// show background (just for debugging, to see the rect size + position)

cs.setNonStrokingColor(Color.yellow);

cs.addRect(-5000, -5000, 10000, 10000);

cs.fill();

// show background image

// save and restore graphics if the image is too large and needs to be scaled

cs.saveGraphicsState();

cs.transform(Matrix.getScaleInstance(0.25f, 0.25f));

PDImageXObject img = PDImageXObject.createFromFileByExtension(imageFile, doc);

cs.drawImage(img, 0, 0);

cs.restoreGraphicsState();

// show text

float fontSize = 10;

float leading = fontSize * 1.5f;

cs.beginText();

cs.setFont(font, fontSize);

cs.setNonStrokingColor(Color.black);

cs.newLineAtOffset(fontSize, height - leading);

cs.setLeading(leading);

cs.showText("(Signature very wide line 1)");

cs.newLine();

cs.showText("(Signature very wide line 2)");

cs.newLine();

cs.showText("(Signature very wide line 3)");

cs.endText();

}

// no need to set annotations and /P entry

ByteArrayOutputStream baos = new ByteArrayOutputStream();

doc.save(baos);

return new ByteArrayInputStream(baos.toByteArray());

}

}

// Find an existing signature (assumed to be empty). You will usually not need this.

private PDSignature findExistingSignature(PDAcroForm acroForm, String sigFieldName)

{

PDSignature signature = null;

PDSignatureField signatureField;

if (acroForm != null)

{

signatureField = (PDSignatureField) acroForm.getField(sigFieldName);

if (signatureField != null)

{

// retrieve signature dictionary

signature = signatureField.getSignature();

if (signature == null)

{

signature = new PDSignature();

// after solving PDFBOX-3524

// signatureField.setValue(signature)

// until then:

signatureField.getCOSObject().setItem(COSName.V, signature);

}

else

{

throw new IllegalStateException("The signature field " + sigFieldName + " is already signed.");

}

}

}

return signature;

}

/**

* Arguments are

* [0] key store

* [1] pin

* [2] document that will be signed

* [3] image of visible signature

*

* @param args

* @throws java.security.KeyStoreException

* @throws java.security.cert.CertificateException

* @throws java.io.IOException

* @throws java.security.NoSuchAlgorithmException

* @throws java.security.UnrecoverableKeyException

*/

public static void main(String[] args) throws KeyStoreException, CertificateException,

IOException, NoSuchAlgorithmException, UnrecoverableKeyException

{

// generate with

// keytool -storepass 123456 -storetype PKCS12 -keystore file.p12 -genkey -alias client -keyalg RSA

if (args.length < 4)

{

usage();

System.exit(1);

}

String tsaUrl = null;

// External signing is needed if you are using an external signing service, e.g. to sign

// several files at once.

boolean externalSig = false;

for (int i = 0; i < args.length; i++)

{

if (args[i].equals("-tsa"))

{

i++;

if (i >= args.length)

{

usage();

System.exit(1);

}

tsaUrl = args[i];

}

if (args[i].equals("-e"))

{

externalSig = true;

}

}

File ksFile = new File(args[0]);

KeyStore keystore = KeyStore.getInstance("PKCS12");

char[] pin = args[1].toCharArray();

keystore.load(new FileInputStream(ksFile), pin);

File documentFile = new File(args[2]);

CreateVisibleSignature2 signing = new CreateVisibleSignature2(keystore, pin.clone());

signing.setImageFile(new File(args[3]));

File signedDocumentFile;

String name = documentFile.getName();

String substring = name.substring(0, name.lastIndexOf('.'));

signedDocumentFile = new File(documentFile.getParent(), substring + "_signed.pdf");

signing.setExternalSigning(externalSig);

// Set the signature rectangle

// Although PDF coordinates start from the bottom, humans start from the top.

// So a human would want to position a signature (x,y) units from the

// top left of the displayed page, and the field has a horizontal width and a vertical height

// regardless of page rotation.

Rectangle2D humanRect = new Rectangle2D.Float(100, 200, 150, 50);

signing.signPDF(documentFile, signedDocumentFile, humanRect, tsaUrl, "Signature1");

}

/**

* This will print the usage for this program.

*/

private static void usage()

{

System.err.println("Usage: java " + CreateVisibleSignature2.class.getName()

+ " \n" + "" +

"options:\n" +

" -tsa sign timestamp using the given TSA server\n"+

" -e sign using external signature creation scenario");

}

}

版权声明:本文为博主原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://blog.csdn.net/weixin_39553904/article/details/118831165

智能推荐

c# 调用c++ lib静态库_c#调用lib-程序员宅基地

文章浏览阅读2w次,点赞7次,收藏51次。四个步骤1.创建C++ Win32项目动态库dll 2.在Win32项目动态库中添加 外部依赖项 lib头文件和lib库3.导出C接口4.c#调用c++动态库开始你的表演...①创建一个空白的解决方案,在解决方案中添加 Visual C++ , Win32 项目空白解决方案的创建:添加Visual C++ , Win32 项目这......_c#调用lib

deepin/ubuntu安装苹方字体-程序员宅基地

文章浏览阅读4.6k次。苹方字体是苹果系统上的黑体,挺好看的。注重颜值的网站都会使用,例如知乎:font-family: -apple-system, BlinkMacSystemFont, Helvetica Neue, PingFang SC, Microsoft YaHei, Source Han Sans SC, Noto Sans CJK SC, W..._ubuntu pingfang

html表单常见操作汇总_html表单的处理程序有那些-程序员宅基地

文章浏览阅读159次。表单表单概述表单标签表单域按钮控件demo表单标签表单标签基本语法结构<form action="处理数据程序的url地址“ method=”get|post“ name="表单名称”></form><!--action,当提交表单时,向何处发送表单中的数据,地址可以是相对地址也可以是绝对地址--><!--method将表单中的数据传送给服务器处理,get方式直接显示在url地址中,数据可以被缓存,且长度有限制;而post方式数据隐藏传输,_html表单的处理程序有那些

PHP设置谷歌验证器(Google Authenticator)实现操作二步验证_php otp 验证器-程序员宅基地

文章浏览阅读1.2k次。使用说明:开启Google的登陆二步验证(即Google Authenticator服务)后用户登陆时需要输入额外由手机客户端生成的一次性密码。实现Google Authenticator功能需要服务器端和客户端的支持。服务器端负责密钥的生成、验证一次性密码是否正确。客户端记录密钥后生成一次性密码。下载谷歌验证类库文件放到项目合适位置(我这边放在项目Vender下面)https://github.com/PHPGangsta/GoogleAuthenticatorPHP代码示例://引入谷_php otp 验证器

【Python】matplotlib.plot画图横坐标混乱及间隔处理_matplotlib更改横轴间距-程序员宅基地

文章浏览阅读4.3k次,点赞5次,收藏11次。matplotlib.plot画图横坐标混乱及间隔处理_matplotlib更改横轴间距

docker — 容器存储_docker 保存容器-程序员宅基地

文章浏览阅读2.2k次。①Storage driver 处理各镜像层及容器层的处理细节,实现了多层数据的堆叠,为用户 提供了多层数据合并后的统一视图②所有 Storage driver 都使用可堆叠图像层和写时复制(CoW)策略③docker info 命令可查看当系统上的 storage driver主要用于测试目的,不建议用于生成环境。_docker 保存容器

随便推点

网络拓扑结构_网络拓扑csdn-程序员宅基地

文章浏览阅读834次,点赞27次,收藏13次。网络拓扑结构是指计算机网络中各组件(如计算机、服务器、打印机、路由器、交换机等设备)及其连接线路在物理布局或逻辑构型上的排列形式。这种布局不仅描述了设备间的实际物理连接方式,也决定了数据在网络中流动的路径和方式。不同的网络拓扑结构影响着网络的性能、可靠性、可扩展性及管理维护的难易程度。_网络拓扑csdn

JS重写Date函数,兼容IOS系统_date.prototype 将所有 ios-程序员宅基地

文章浏览阅读1.8k次,点赞5次,收藏8次。IOS系统Date的坑要创建一个指定时间的new Date对象时,通常的做法是:new Date("2020-09-21 11:11:00")这行代码在 PC 端和安卓端都是正常的,而在 iOS 端则会提示 Invalid Date 无效日期。在IOS年月日中间的横岗许换成斜杠,也就是new Date("2020/09/21 11:11:00")通常为了兼容IOS的这个坑,需要做一些额外的特殊处理,笔者在开发的时候经常会忘了兼容IOS系统。所以就想试着重写Date函数,一劳永逸,避免每次ne_date.prototype 将所有 ios

如何将EXCEL表导入plsql数据库中-程序员宅基地

文章浏览阅读5.3k次。方法一:用PLSQL Developer工具。 1 在PLSQL Developer的sql window里输入select * from test for update; 2 按F8执行 3 打开锁, 再按一下加号. 鼠标点到第一列的列头,使全列成选中状态,然后粘贴,最后commit提交即可。(前提..._excel导入pl/sql

Git常用命令速查手册-程序员宅基地

文章浏览阅读83次。Git常用命令速查手册1、初始化仓库git init2、将文件添加到仓库git add 文件名 # 将工作区的某个文件添加到暂存区 git add -u # 添加所有被tracked文件中被修改或删除的文件信息到暂存区,不处理untracked的文件git add -A # 添加所有被tracked文件中被修改或删除的文件信息到暂存区,包括untracked的文件...

分享119个ASP.NET源码总有一个是你想要的_千博二手车源码v2023 build 1120-程序员宅基地

文章浏览阅读202次。分享119个ASP.NET源码总有一个是你想要的_千博二手车源码v2023 build 1120

【C++缺省函数】 空类默认产生的6个类成员函数_空类默认产生哪些类成员函数-程序员宅基地

文章浏览阅读1.8k次。版权声明:转载请注明出处 http://blog.csdn.net/irean_lau。目录(?)[+]1、缺省构造函数。2、缺省拷贝构造函数。3、 缺省析构函数。4、缺省赋值运算符。5、缺省取址运算符。6、 缺省取址运算符 const。[cpp] view plain copy_空类默认产生哪些类成员函数

推荐文章

热门文章

相关标签