1

我正在开发一种用于生成代表评估结果的 PDF 文档的工具。这些文档的结构和一些文本和图像是由非技术用户定义的(这就是为什么不能选择 Apache FOP 和 XSL 的原因之一)。

OpenPDF 似乎是一个很有前途的库(除了 Apache PDFBox,它太低级了)。但是,生成的文档必须包含目录。
预期的文档结构是这样的:

 1. Cover
 2. Abstract
 3. Table of Contents
 4. Chapter 1 .. n

由于我不知道文档最终将有多少页或不同章节将从哪一页开始,因此我无法在将每个章节添加到文档之前定义目录。
由于 OpenPDF 直接将元素写入文档,因此似乎不可能保留示例性目录元素的引用并在添加所有章节后添加其内容。

4

1 回答 1

0

我通过使用以下reorderPages(int[])方法找到了一个适用于预期结构的解决方案com.lowagie.text.pdf.PdfWriter

首先,我保留了目录的第一页(摘要后的第一页):

int intendedTocFirstPage = pdfWriter.getCurrentPageNumber() - 1; // - 1 because of a necessary `document.newPage();` before that

将所有章节添加到文档后,我最后添加目录并保留它的第一页和最后一页(因为可能需要多页,具体取决于章节和子章节的数量):

int tocFirstPage = pdfWriter.getCurrentPageNumber();
document.add(new Paragraph("TBA: Actual Table of Contents")); // TODO replace with the table of contents based on the existing chapters and sections
document.newPage();
int tocLastpage = pdfWriter.getCurrentPageNumber();

然后我正在创建一个数组,该数组表示基于三个int变量的页面的新顺序:

private int[] getReorderedPagesForTableOfContents(int intendedTocFirstPage, int tocFirstPage, int tocLastpage) {
    int[] pages = IntStream
            .range(1, tocLastpage)
            .toArray();

    /*
     * Reorder the pages array by placing the toc page numbers at
     * the indexes starting from targetedTocFirstPage (should be
     * the page directly after the summary)
     */
    int numberOfTocPages = tocLastpage - tocFirstPage;
    if (numberOfTocPages >= 0) {
        System.arraycopy(pages, tocFirstPage - 1, pages, intendedTocFirstPage, numberOfTocPages);
    }

    /* Shift the page numbers of all pages after the last toc page */
    for (int i = intendedTocFirstPage + numberOfTocPages; i < pages.length; i++) {
        pages[i] = i - numberOfTocPages + 1; // `+ 1` because page numbers start with 1 not 0
    }

    return pages;
}

最后,我正在重新排序文档的页面:

int[] reorderedPages = getReorderedPagesForTableOfContents(targetedTocFirstPage, tocFirstPage, tocLastpage);
pdfWriter.reorderPages(reorderedPages);

这可行,但它产生了另一个问题:
使用页脚显示页码将不再正常工作,因为重新排序之前的数字将被保留。
一个可能的解决方案是首先创建完整的文档,包括重新排序页面,然后使用 PdfReader 添加页码,如本答案所述:https ://stackoverflow.com/a/759972/10551549

如果有人有更好的解决方案,我会很高兴听到它(因为我认为这个有点混乱)。:)

于 2020-05-15T09:16:44.690 回答