Reputation: 103
From here, I know that I can use QWebEngineView::render
, passing in a pointer to my QPrinter object to programmatically print a web page.
But if the print request was invoked by javascript (from the window.print()
javascript function for instance), I don't know how to catch that request to then hand off to my print function.
Upvotes: 0
Views: 1996
Reputation: 103
Two years later I finally came up with a solution to this problem.
Qt 5.8 does support printing, however chooses to completely ignore javascript invoked window.print() requests.
The solution is to inject some javascript to override the window.print() function:
class JavascriptInvokedPrintComm : public QWebChannel
{
Q_OBJECT
public:
JavascriptInvokedPrintComm(QObject *parent) : QWebChannel(parent)
{
registerObject("webEngineViewBridge", this);
}
public slots:
void print()
{
emit printRequest();
}
signals:
void printRequest();
};
class MyWebEngineView : public QWebEngineView
{
Q_OBJECT
public:
MyWebEngineView(QWdidget *parent) : QWebEngineView(parent)
{
// Inject qwebchannel.js so that we can handle javascript invoked printing
QWebEngineScript webChannelJs;
webChannelJs.setInjectionPoint(QWebEngineScript::DocumentCreation);
webChannelJs.setWorldId(QWebEngineScript::MainWorld);
webChannelJs.setName("qwebchannel.js");
webChannelJs.setRunsOnSubFrames(true);
{
QFile webChannelJsFile(":/qtwebchannel/qwebchannel.js");
webChannelJsFile.open(QFile::ReadOnly);
webChannelJs.setSourceCode(webChannelJsFile.readAll());
}
page()->scripts().insert(webChannelJs);
// Inject some javascript to override the window.print() function so that we can actually catch and handle
// javascript invoked print requests
QWebEngineScript overrideJsPrint;
overrideJsPrint.setInjectionPoint(QWebEngineScript::DocumentCreation);
overrideJsPrint.setWorldId(QWebEngineScript::MainWorld);
overrideJsPrint.setName("overridejsprint.js");
overrideJsPrint.setRunsOnSubFrames(true);
overrideJsPrint.setSourceCode(
"window.print = function() { "
" new QWebChannel(qt.webChannelTransport, function(channel) { "
" var webEngineViewBridge = channel.objects.webEngineViewBridge; "
" webEngineViewBridge.print(); "
" });"
"};"
);
page()->scripts().insert(overrideJsPrint);
JavascriptInvokedPrintComm *jsInvokedPrintComm = new JavascriptInvokedPrintComm(this);
connect(jsInvokedPrintComm, &JavascriptInvokedPrintComm::printRequest, [this]()
{
QPrintDialog *prntDlg = new QPrintDialog(this);
if(!prntDlg->exec())
{
prntDlg->deleteLater();
return;
}
page()->print(prntDlg->printer(),
[prntDlg](bool ok)
{
Q_UNUSED(ok);
prntDlg->deleteLater();
}
);
});
}
}
*Not compile tested, but conceptual this should work
Upvotes: 2
Reputation: 1
Which version of Qt do you use? Currently printing is not supported under version 5.6.
See the plan: https://trello.com/c/JE5kosmC/72-printing-support
Upvotes: 0