使用Java使用iText将多个图像添加到单个pdf文件中

我有以下代码,但此代码仅将最后一张图像添加到pdf中。

    try {

filePath = (filePath != null && filePath.endsWith(".pdf")) ? filePath

: filePath + ".pdf";

Document document = new Document();

PdfWriter writer = PdfWriter.getInstance(document,

new FileOutputStream(filePath));

document.open();

// document.add(new Paragraph("Image Example"));

for (String imageIpath : imagePathsList) {

// Add Image

Image image1 = Image.getInstance(imageIpath);

// Fixed Positioning

image1.setAbsolutePosition(10f, 10f);

// Scale to new height and new width of image

image1.scaleAbsolute(600, 800);

// image1.scalePercent(0.5f);

// Add to document

document.add(image1);

//document.bottom();

}

writer.close();

} catch (Exception e) {

LOGGER.error(e.getMessage());

}

您能否给我一些有关如何更新代码以便将所有图像添加到导出的pdf中的提示?imagePathsList包含要添加到单个pdf中的图像的所有路径。

最好的问候,奥雷利亚

回答:

看一下MultipleImages示例,您将发现代码中存在两个错误:

  1. 您创建一个页面的大小为595 x 842用户单位,并将每个图像添加到该页面,而不管图像的尺寸如何。
  2. 您声称只添加了一张图片,但这不是事实。您要在 同一页面 上将 所有 图像叠加 在一起 。最后一个图像覆盖了所有先前的图像。 __

看一下我的代码:

public void createPdf(String dest) throws IOException, DocumentException {

Image img = Image.getInstance(IMAGES[0]);

Document document = new Document(img);

PdfWriter.getInstance(document, new FileOutputStream(dest));

document.open();

for (String image : IMAGES) {

img = Image.getInstance(image);

document.setPageSize(img);

document.newPage();

img.setAbsolutePosition(0, 0);

document.add(img);

}

document.close();

}

Document使用第一个图像的大小创建一个实例。然后,我遍历图像数组,然后 触发newPage()之前

将下一页的页面大小设置为每个图像的大小。然后,我将图像添加到坐标0、0处,因为现在图像的大小将与每个页面的大小匹配。

newPage()方法仅在向当前页面添加了内容时才有效。第一次执行循环时,尚未添加任何内容,因此没有任何反应。这就是为什么在创建Document实例时需要将页面大小设置为第一张图像的大小的原因。

以上是 使用Java使用iText将多个图像添加到单个pdf文件中 的全部内容, 来源链接: utcz.com/qa/434987.html

回到顶部