如何将 QTextBrowser 的多个实例打印到一个 PDF 文件中?

How to print multiple instances of QTextBrowser into one PDF file?

我正在开发的 QT 应用程序附带了一个教程。每章都是一个独立的 HTML 文件,每个文件可以跨越多个页面。现在我想将它们打印成一个 PDF 文件(带页码)。

我的幼稚做法是这样的,但这是错误的:

#include <QApplication>
#include <QPrinter>
#include <QTextBrowser>
#include <QUrl>

int main(int argc, char *argv[])
{
  QApplication app(argc, argv);

  QPrinter printer;
  printer.setOutputFormat(QPrinter::PdfFormat);
  printer.setOutputFileName("/tmp/test.pdf");

  QTextBrowser *tp = new QTextBrowser();

  tp->setSource(QUrl("qrc:///help/tutorial_item_1.html"));
  tp->print(&printer);

  tp->setSource(QUrl("qrc:///help/tutorial_item_2.html"));
  tp->print(&printer);

  tp->setSource(QUrl("qrc:///help/tutorial_item_3.html"));
  tp->print(&printer);

  // etc...
}

但是,这将在每次 print() 调用时重新启动打印机,从一个新的 PDF 文件开始,覆盖旧文件。

使用 QT 将所有 HTML 打印到一个 PDF 文件中的简单解决方案是什么?

您可以通过在 QPainter object linked to the QPrinter 设备上呈现您的内容来实现此目的

// Sample code ahead ~>
QPrinter printer;
printer.setOutputFormat(QPrinter::PdfFormat);
printer.setOutputFileName("C:\test.pdf");
printer.setFullPage(true);
printer.setPageSize(QPrinter::A4);
QTextBrowser tb;

QPainter painter;
painter.begin(&printer);

QRect rect = printer.pageRect();
tb.resize(rect.width(), rect.height());

{
  QFile file("C:\test1.html");
  if(file.open(QIODevice::ReadOnly)) {
    QTextStream ts(&file);
    tb.setHtml(ts.readAll());
    file.close();
    tb.render(&painter, QPoint(0,0));
  }
}

if(printer.newPage() == false)
  qDebug() << "ERROR";

{
  QFile file("C:\test2.html");
  if(file.open(QIODevice::ReadOnly)) {
    QTextStream ts(&file);
    tb.setHtml(ts.readAll());
    file.close();
    tb.render(&painter, QPoint(0,0));
  }
}
painter.end();

在您的 "naive approach" 上开发,我可以通过将几页附加到父 QTextEdit 来打印串联的 html 文件。它可能也可以使用第二个 QTextBrowser 来代替。

  // ...
  QTextBrowser *tp = new QTextBrowser();
  QTextEdit te;

  tp->setSource(QUrl("qrc:///help/tutorial_item_1.html"));
  te.append(tp->toHtml());

  tp->setSource(QUrl("qrc:///help/tutorial_item_2.html"));
  te.append(tp->toHtml());

  te.print(&printer);

  // ...