This repository has been archived by the owner on May 30, 2023. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 5.7k
/
webpage.cpp
1341 lines (1135 loc) · 40.3 KB
/
webpage.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/*
This file is part of the PhantomJS project from Ofi Labs.
Copyright (C) 2011 Ariya Hidayat <[email protected]>
Copyright (C) 2011 Ivan De Marino <[email protected]>
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in the
documentation and/or other materials provided with the distribution.
* Neither the name of the <organization> nor the
names of its contributors may be used to endorse or promote products
derived from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
ARE DISCLAIMED. IN NO EVENT SHALL <COPYRIGHT HOLDER> BE LIABLE FOR ANY
DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
(INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF
THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
#include "webpage.h"
#include <math.h>
#include <QApplication>
#include <QDesktopServices>
#include <QDateTime>
#include <QDir>
#include <QFileInfo>
#include <QKeyEvent>
#include <QMouseEvent>
#include <QNetworkAccessManager>
#include <QNetworkCookie>
#include <QNetworkRequest>
#include <QPainter>
#include <QPrinter>
#include <QWebElement>
#include <QWebFrame>
#include <QWebPage>
#include <QWebInspector>
#include <QMapIterator>
#include <QBuffer>
#include <QDebug>
#include <QImageWriter>
#include <gifwriter.h>
#include "phantom.h"
#include "networkaccessmanager.h"
#include "utils.h"
#include "config.h"
#include "consts.h"
#include "callback.h"
#include "cookiejar.h"
// Ensure we have at least head and body.
#define BLANK_HTML "<html><head></head><body></body></html>"
#define CALLBACKS_OBJECT_NAME "_phantom"
#define INPAGE_CALL_NAME "window.callPhantom"
#define CALLBACKS_OBJECT_INJECTION INPAGE_CALL_NAME" = function() { return window."CALLBACKS_OBJECT_NAME".call.call(_phantom, Array.prototype.splice.call(arguments, 0)); };"
/**
* @class CustomPage
*/
class CustomPage: public QWebPage
{
Q_OBJECT
public:
CustomPage(WebPage *parent = 0)
: QWebPage(parent)
, m_webPage(parent)
{
m_userAgent = QWebPage::userAgentForUrl(QUrl());
setForwardUnsupportedContent(true);
}
bool extension(Extension extension, const ExtensionOption* option, ExtensionReturn* output) {
Q_UNUSED(option);
if (extension == ChooseMultipleFilesExtension) {
static_cast<ChooseMultipleFilesExtensionReturn*>(output)->fileNames = QStringList(m_uploadFile);
return true;
} else {
return false;
}
}
public slots:
bool shouldInterruptJavaScript() {
QApplication::processEvents(QEventLoop::AllEvents, 42);
return false;
}
protected:
bool supportsExtension(Extension extension) const {
return extension == ChooseMultipleFilesExtension;
}
QString chooseFile(QWebFrame *originatingFrame, const QString &oldFile) {
Q_UNUSED(originatingFrame);
Q_UNUSED(oldFile);
return m_uploadFile;
}
void javaScriptAlert(QWebFrame *originatingFrame, const QString &msg) {
Q_UNUSED(originatingFrame);
emit m_webPage->javaScriptAlertSent(msg);
}
bool javaScriptConfirm(QWebFrame *originatingFrame, const QString &msg) {
Q_UNUSED(originatingFrame);
return m_webPage->javaScriptConfirm(msg);
}
bool javaScriptPrompt(QWebFrame *originatingFrame, const QString &msg, const QString &defaultValue, QString *result) {
Q_UNUSED(originatingFrame);
return m_webPage->javaScriptPrompt(msg, defaultValue, result);
}
void javaScriptConsoleMessage(const QString &message, int lineNumber, const QString &sourceID) {
Q_UNUSED(lineNumber);
Q_UNUSED(sourceID);
emit m_webPage->javaScriptConsoleMessageSent(message);
}
void javaScriptError(const QString &message, int lineNumber, const QString &sourceID, const QString &stack) {
Q_UNUSED(lineNumber);
Q_UNUSED(sourceID);
emit m_webPage->javaScriptErrorSent(message, stack);
}
QString userAgentForUrl(const QUrl &url) const {
Q_UNUSED(url);
return m_userAgent;
}
bool acceptNavigationRequest(QWebFrame *frame, const QNetworkRequest &request, QWebPage::NavigationType type) {
bool isMainFrame = (frame == m_webPage->m_mainFrame);
QString navigationType = "Undefined";
switch (type) {
case NavigationTypeLinkClicked:
navigationType = "LinkClicked";
break;
case NavigationTypeFormSubmitted:
navigationType = "FormSubmitted";
break;
case NavigationTypeBackOrForward:
navigationType = "BackOrForward";
break;
case NavigationTypeReload:
navigationType = "Reload";
break;
case NavigationTypeFormResubmitted:
navigationType = "FormResubmitted";
break;
case NavigationTypeOther:
navigationType = "Other";
break;
}
emit m_webPage->navigationRequested(
request.url(), //< Requested URL
navigationType, //< Navigation Type
!m_webPage->navigationLocked(), //< Is navigation locked?
isMainFrame); //< Is main frame?
return !m_webPage->navigationLocked();
}
QWebPage *createWindow (WebWindowType type) {
Q_UNUSED(type);
WebPage *newPage;
// Create a new "raw" WebPage object
if (m_webPage->ownsPages()) {
newPage = new WebPage(m_webPage);
} else {
newPage = new WebPage(Phantom::instance());
Phantom::instance()->m_pages.append(newPage);
}
// Apply default settings
newPage->applySettings(Phantom::instance()->defaultPageSettings());
// Signal JS shim to catch, decorate and store this new child page
emit m_webPage->rawPageCreated(newPage);
// Return the new QWebPage to the QWebKit backend
return newPage->m_customWebPage;
}
private:
WebPage *m_webPage;
QString m_userAgent;
QString m_uploadFile;
friend class WebPage;
};
/**
* Contains the Callback Objects used to regulate callback-traffic from the webpage internal context.
* It's directly exposed within the webpage JS context,
* and indirectly in the phantom JS context.
*
* @class WebPageCallbacks
*/
class WebpageCallbacks : public QObject
{
Q_OBJECT
public:
WebpageCallbacks(QObject *parent = 0)
: QObject(parent)
, m_genericCallback(NULL)
, m_jsConfirmCallback(NULL)
, m_jsPromptCallback(NULL)
{
}
QObject *getGenericCallback() {
if (!m_genericCallback) {
m_genericCallback = new Callback(this);
}
return m_genericCallback;
}
QObject *getJsConfirmCallback() {
if (!m_jsConfirmCallback) {
m_jsConfirmCallback = new Callback(this);
}
return m_jsConfirmCallback;
}
QObject *getJsPromptCallback() {
if (!m_jsPromptCallback) {
m_jsPromptCallback = new Callback(this);
}
return m_jsPromptCallback;
}
public slots:
QVariant call(const QVariantList &arguments) {
if (m_genericCallback) {
return m_genericCallback->call(arguments);
}
return QVariant();
}
private:
Callback *m_genericCallback;
Callback *m_jsConfirmCallback;
Callback *m_jsPromptCallback;
friend class WebPage;
};
WebPage::WebPage(QObject *parent, const QUrl &baseUrl)
: REPLCompletable(parent)
, m_callbacks(NULL)
, m_navigationLocked(false)
, m_mousePos(QPoint(0, 0))
, m_ownsPages(true)
{
setObjectName("WebPage");
m_customWebPage = new CustomPage(this);
m_mainFrame = m_customWebPage->mainFrame();
m_mainFrame->setHtml(BLANK_HTML, baseUrl);
changeCurrentFrame(m_mainFrame);
Config *phantomCfg = Phantom::instance()->config();
connect(m_mainFrame, SIGNAL(javaScriptWindowObjectCleared()), this, SLOT(handleJavaScriptWindowObjectCleared()));
connect(m_mainFrame, SIGNAL(javaScriptWindowObjectCleared()), SIGNAL(initialized()));
connect(m_mainFrame, SIGNAL(urlChanged(QUrl)), SIGNAL(urlChanged(QUrl)));
connect(m_customWebPage, SIGNAL(loadStarted()), SIGNAL(loadStarted()), Qt::QueuedConnection);
connect(m_customWebPage, SIGNAL(loadFinished(bool)), SLOT(finish(bool)), Qt::QueuedConnection);
connect(m_customWebPage, SIGNAL(windowCloseRequested()), this, SLOT(close()));
// Start with transparent background.
QPalette palette = m_customWebPage->palette();
palette.setBrush(QPalette::Base, Qt::transparent);
m_customWebPage->setPalette(palette);
// Set the page Library path
setLibraryPath(QFileInfo(phantomCfg->scriptFile()).dir().absolutePath());
// Page size does not need to take scrollbars into account.
m_mainFrame->setScrollBarPolicy(Qt::Horizontal, Qt::ScrollBarAlwaysOff);
m_mainFrame->setScrollBarPolicy(Qt::Vertical, Qt::ScrollBarAlwaysOff);
m_customWebPage->settings()->setAttribute(QWebSettings::OfflineStorageDatabaseEnabled, true);
if (phantomCfg->offlineStoragePath().isEmpty()) {
m_customWebPage->settings()->setOfflineStoragePath(QDesktopServices::storageLocation(QDesktopServices::DataLocation));
} else {
m_customWebPage->settings()->setOfflineStoragePath(phantomCfg->offlineStoragePath());
}
if (phantomCfg->offlineStorageDefaultQuota() > 0) {
m_customWebPage->settings()->setOfflineStorageDefaultQuota(phantomCfg->offlineStorageDefaultQuota());
}
m_customWebPage->settings()->setAttribute(QWebSettings::OfflineWebApplicationCacheEnabled, true);
m_customWebPage->settings()->setOfflineWebApplicationCachePath(QDesktopServices::storageLocation(QDesktopServices::DataLocation));
m_customWebPage->settings()->setAttribute(QWebSettings::FrameFlatteningEnabled, true);
m_customWebPage->settings()->setAttribute(QWebSettings::LocalStorageEnabled, true);
m_customWebPage->settings()->setLocalStoragePath(QDesktopServices::storageLocation(QDesktopServices::DataLocation));
// Custom network access manager to allow traffic monitoring.
m_networkAccessManager = new NetworkAccessManager(this, phantomCfg);
m_customWebPage->setNetworkAccessManager(m_networkAccessManager);
connect(m_networkAccessManager, SIGNAL(resourceRequested(QVariant)),
SIGNAL(resourceRequested(QVariant)));
connect(m_networkAccessManager, SIGNAL(resourceReceived(QVariant)),
SIGNAL(resourceReceived(QVariant)));
m_customWebPage->setViewportSize(QSize(400, 300));
}
WebPage::~WebPage()
{
emit closing(this);
}
QWebFrame *WebPage::mainFrame()
{
return m_mainFrame;
}
QString WebPage::content() const
{
return m_mainFrame->toHtml();
}
QString WebPage::frameContent() const
{
return m_currentFrame->toHtml();
}
void WebPage::setContent(const QString &content)
{
m_mainFrame->setHtml(content);
}
void WebPage::setFrameContent(const QString &content)
{
m_currentFrame->setHtml(content);
}
QString WebPage::url() const
{
return m_mainFrame->url().toString();
}
QString WebPage::frameUrl() const
{
return m_currentFrame->url().toString();
}
QString WebPage::plainText() const
{
return m_mainFrame->toPlainText();
}
QString WebPage::framePlainText() const
{
return m_currentFrame->toPlainText();
}
QString WebPage::libraryPath() const
{
return m_libraryPath;
}
void WebPage::setLibraryPath(const QString &libraryPath)
{
m_libraryPath = libraryPath;
}
QString WebPage::offlineStoragePath() const
{
return m_customWebPage->settings()->offlineStoragePath();
}
int WebPage::offlineStorageQuota() const
{
return m_customWebPage->settings()->offlineStorageDefaultQuota();
}
void WebPage::showInspector(const int port)
{
m_customWebPage->settings()->setAttribute(QWebSettings::DeveloperExtrasEnabled, true);
m_inspector = new QWebInspector;
m_inspector->setPage(m_customWebPage);
if (port == -1) {
m_inspector->setVisible(true);
} else {
m_customWebPage->setProperty("_q_webInspectorServerPort", port);
}
}
void WebPage::applySettings(const QVariantMap &def)
{
QWebSettings *opt = m_customWebPage->settings();
opt->setAttribute(QWebSettings::AutoLoadImages, def[PAGE_SETTINGS_LOAD_IMAGES].toBool());
opt->setAttribute(QWebSettings::JavascriptEnabled, def[PAGE_SETTINGS_JS_ENABLED].toBool());
opt->setAttribute(QWebSettings::XSSAuditingEnabled, def[PAGE_SETTINGS_XSS_AUDITING].toBool());
opt->setAttribute(QWebSettings::LocalContentCanAccessRemoteUrls, def[PAGE_SETTINGS_LOCAL_ACCESS_REMOTE].toBool());
opt->setAttribute(QWebSettings::WebSecurityEnabled, def[PAGE_SETTINGS_WEB_SECURITY_ENABLED].toBool());
opt->setAttribute(QWebSettings::JavascriptCanOpenWindows, def[PAGE_SETTINGS_JS_CAN_OPEN_WINDOWS].toBool());
opt->setAttribute(QWebSettings::JavascriptCanCloseWindows, def[PAGE_SETTINGS_JS_CAN_CLOSE_WINDOWS].toBool());
if (def.contains(PAGE_SETTINGS_USER_AGENT))
m_customWebPage->m_userAgent = def[PAGE_SETTINGS_USER_AGENT].toString();
if (def.contains(PAGE_SETTINGS_USERNAME))
m_networkAccessManager->setUserName(def[PAGE_SETTINGS_USERNAME].toString());
if (def.contains(PAGE_SETTINGS_PASSWORD))
m_networkAccessManager->setPassword(def[PAGE_SETTINGS_PASSWORD].toString());
}
QString WebPage::userAgent() const
{
return m_customWebPage->m_userAgent;
}
void WebPage::setNavigationLocked(bool lock)
{
m_navigationLocked = lock;;
}
bool WebPage::navigationLocked()
{
return m_navigationLocked;
}
void WebPage::setViewportSize(const QVariantMap &size)
{
int w = size.value("width").toInt();
int h = size.value("height").toInt();
if (w > 0 && h > 0)
m_customWebPage->setViewportSize(QSize(w, h));
}
QVariantMap WebPage::viewportSize() const
{
QVariantMap result;
QSize size = m_customWebPage->viewportSize();
result["width"] = size.width();
result["height"] = size.height();
return result;
}
void WebPage::setClipRect(const QVariantMap &size)
{
int w = size.value("width").toInt();
int h = size.value("height").toInt();
int top = size.value("top").toInt();
int left = size.value("left").toInt();
if (w >= 0 && h >= 0)
m_clipRect = QRect(left, top, w, h);
}
QVariantMap WebPage::clipRect() const
{
QVariantMap result;
result["width"] = m_clipRect.width();
result["height"] = m_clipRect.height();
result["top"] = m_clipRect.top();
result["left"] = m_clipRect.left();
return result;
}
void WebPage::setScrollPosition(const QVariantMap &size)
{
int top = size.value("top").toInt();
int left = size.value("left").toInt();
m_scrollPosition = QPoint(left,top);
m_mainFrame->setScrollPosition(m_scrollPosition);
}
QVariantMap WebPage::scrollPosition() const
{
QVariantMap result;
result["top"] = m_scrollPosition.y();
result["left"] = m_scrollPosition.x();
return result;
}
void WebPage::setPaperSize(const QVariantMap &size)
{
m_paperSize = size;
}
QVariantMap WebPage::paperSize() const
{
return m_paperSize;
}
QVariant WebPage::evaluateJavaScript(const QString &code)
{
QString function = "(" + code + ")()";
return m_currentFrame->evaluateJavaScript(
function,
QString("phantomjs://webpage.evaluate()"));
}
bool WebPage::javaScriptConfirm(const QString &msg)
{
if (m_callbacks->m_jsConfirmCallback) {
QVariant res = m_callbacks->m_jsConfirmCallback->call(QVariantList() << msg);
if (res.canConvert<bool>()) {
return res.toBool();
}
}
return false;
}
bool WebPage::javaScriptPrompt(const QString &msg, const QString &defaultValue, QString *result)
{
if (m_callbacks->m_jsPromptCallback) {
QVariant res = m_callbacks->m_jsPromptCallback->call(QVariantList() << msg << defaultValue);
if (!res.isNull() && res.canConvert<QString>()) {
result->append(res.toString());
return true;
}
}
return false;
}
void WebPage::finish(bool ok)
{
QString status = ok ? "success" : "fail";
emit loadFinished(status);
}
void WebPage::setCustomHeaders(const QVariantMap &headers)
{
m_networkAccessManager->setCustomHeaders(headers);
}
QVariantMap WebPage::customHeaders() const
{
return m_networkAccessManager->customHeaders();
}
bool WebPage::setCookies(const QVariantList &cookies)
{
// Delete all the cookies for this URL
CookieJar::instance()->deleteCookies(this->url());
// Add a new set of cookies foor this URL
return CookieJar::instance()->addCookiesFromMap(cookies, this->url());
}
QVariantList WebPage::cookies() const
{
// Return all the Cookies visible to this Page, as a list of Maps (aka JSON in JS space)
return CookieJar::instance()->cookiesToMap(this->url());
}
bool WebPage::addCookie(const QVariantMap &cookie)
{
return CookieJar::instance()->addCookieFromMap(cookie, this->url());
}
bool WebPage::deleteCookie(const QString &cookieName)
{
if (!cookieName.isEmpty()) {
return CookieJar::instance()->deleteCookie(cookieName, this->url());
}
return false;
}
bool WebPage::clearCookies()
{
return CookieJar::instance()->deleteCookies(this->url());
}
void WebPage::openUrl(const QString &address, const QVariant &op, const QVariantMap &settings)
{
QString operation;
QByteArray body;
QNetworkRequest request;
applySettings(settings);
m_customWebPage->triggerAction(QWebPage::Stop);
if (op.type() == QVariant::String)
operation = op.toString();
if (op.type() == QVariant::Map) {
operation = op.toMap().value("operation").toString();
body = op.toMap().value("data").toByteArray();
if (op.toMap().contains("headers")) {
QMapIterator<QString, QVariant> i(op.toMap().value("headers").toMap());
while (i.hasNext()) {
i.next();
request.setRawHeader(i.key().toUtf8(), i.value().toString().toUtf8());
}
}
}
if (operation.isEmpty())
operation = "get";
QNetworkAccessManager::Operation networkOp = QNetworkAccessManager::UnknownOperation;
operation = operation.toLower();
if (operation == "get")
networkOp = QNetworkAccessManager::GetOperation;
else if (operation == "head")
networkOp = QNetworkAccessManager::HeadOperation;
else if (operation == "put")
networkOp = QNetworkAccessManager::PutOperation;
else if (operation == "post")
networkOp = QNetworkAccessManager::PostOperation;
else if (operation == "delete")
networkOp = QNetworkAccessManager::DeleteOperation;
if (networkOp == QNetworkAccessManager::UnknownOperation) {
m_mainFrame->evaluateJavaScript("console.error('Unknown network operation: " + operation + "');", QString());
return;
}
if (address == "about:blank") {
m_mainFrame->setHtml(BLANK_HTML);
} else {
QUrl url = QUrl::fromEncoded(QByteArray(address.toAscii()));
#if QT_VERSION == QT_VERSION_CHECK(4, 8, 0)
// Assume local file if scheme is empty
if (url.scheme().isEmpty()) {
url.setPath(QFileInfo(url.toString()).absoluteFilePath().prepend("/"));
url.setScheme("file");
}
#endif
request.setUrl(url);
m_mainFrame->load(request, networkOp, body);
}
}
void WebPage::release()
{
close();
}
void WebPage::close() {
deleteLater();
}
bool WebPage::render(const QString &fileName)
{
if (m_mainFrame->contentsSize().isEmpty())
return false;
QFileInfo fileInfo(fileName);
QDir dir;
dir.mkpath(fileInfo.absolutePath());
if (fileName.endsWith(".pdf", Qt::CaseInsensitive))
return renderPdf(fileName);
QImage buffer = renderImage();
if (fileName.toLower().endsWith(".gif")) {
return exportGif(buffer, fileName);
}
return buffer.save(fileName);
}
QString WebPage::renderBase64(const QByteArray &format)
{
QByteArray nformat = format.toLower();
// Check if the given format is supported
if (QImageWriter::supportedImageFormats().contains(nformat)) {
QImage rawPageRendering = renderImage();
// Prepare buffer for writing
QByteArray bytes;
QBuffer buffer(&bytes);
buffer.open(QIODevice::WriteOnly);
// Writing image to the buffer, using PNG encoding
rawPageRendering.save(&buffer, nformat);
return bytes.toBase64();
}
// Return an empty string in case an unsupported format was provided
return "";
}
QImage WebPage::renderImage()
{
QSize contentsSize = m_mainFrame->contentsSize();
contentsSize -= QSize(m_scrollPosition.x(), m_scrollPosition.y());
QRect frameRect = QRect(QPoint(0, 0), contentsSize);
if (!m_clipRect.isNull())
frameRect = m_clipRect;
QSize viewportSize = m_customWebPage->viewportSize();
m_customWebPage->setViewportSize(contentsSize);
#ifdef Q_OS_WIN32
QImage::Format format = QImage::Format_ARGB32_Premultiplied;
#else
QImage::Format format = QImage::Format_ARGB32;
#endif
QImage buffer(frameRect.size(), format);
buffer.fill(qRgba(255, 255, 255, 0));
QPainter painter;
// We use tiling approach to work-around Qt software rasterizer bug
// when dealing with very large paint device.
// See http://code.google.com/p/phantomjs/issues/detail?id=54.
const int tileSize = 4096;
int htiles = (buffer.width() + tileSize - 1) / tileSize;
int vtiles = (buffer.height() + tileSize - 1) / tileSize;
for (int x = 0; x < htiles; ++x) {
for (int y = 0; y < vtiles; ++y) {
QImage tileBuffer(tileSize, tileSize, format);
tileBuffer.fill(qRgba(255, 255, 255, 0));
// Render the web page onto the small tile first
painter.begin(&tileBuffer);
painter.setRenderHint(QPainter::Antialiasing, true);
painter.setRenderHint(QPainter::TextAntialiasing, true);
painter.setRenderHint(QPainter::SmoothPixmapTransform, true);
painter.translate(-frameRect.left(), -frameRect.top());
painter.translate(-x * tileSize, -y * tileSize);
m_mainFrame->render(&painter, QRegion(frameRect));
painter.end();
// Copy the tile to the main buffer
painter.begin(&buffer);
painter.setCompositionMode(QPainter::CompositionMode_Source);
painter.drawImage(x * tileSize, y * tileSize, tileBuffer);
painter.end();
}
}
m_customWebPage->setViewportSize(viewportSize);
return buffer;
}
#define PHANTOMJS_PDF_DPI 72 // Different defaults. OSX: 72, X11: 75(?), Windows: 96
qreal stringToPointSize(const QString &string)
{
static const struct {
QString unit;
qreal factor;
} units[] = {
{ "mm", 72 / 25.4 },
{ "cm", 72 / 2.54 },
{ "in", 72 },
{ "px", 72.0 / PHANTOMJS_PDF_DPI / 2.54 },
{ "", 72.0 / PHANTOMJS_PDF_DPI / 2.54 }
};
for (uint i = 0; i < sizeof(units) / sizeof(units[0]); ++i) {
if (string.endsWith(units[i].unit)) {
QString value = string;
value.chop(units[i].unit.length());
return value.toDouble() * units[i].factor;
}
}
return 0;
}
qreal printMargin(const QVariantMap &map, const QString &key)
{
const QVariant margin = map.value(key);
if (margin.isValid() && margin.canConvert(QVariant::String)) {
return stringToPointSize(margin.toString());
} else {
return 0;
}
}
bool WebPage::renderPdf(const QString &fileName)
{
QPrinter printer;
printer.setOutputFormat(QPrinter::PdfFormat);
printer.setOutputFileName(fileName);
printer.setResolution(PHANTOMJS_PDF_DPI);
QVariantMap paperSize = m_paperSize;
if (paperSize.isEmpty()) {
const QSize pageSize = m_mainFrame->contentsSize();
paperSize.insert("width", QString::number(pageSize.width()) + "px");
paperSize.insert("height", QString::number(pageSize.height()) + "px");
paperSize.insert("margin", "0px");
}
if (paperSize.contains("width") && paperSize.contains("height")) {
const QSizeF sizePt(ceil(stringToPointSize(paperSize.value("width").toString())),
ceil(stringToPointSize(paperSize.value("height").toString())));
printer.setPaperSize(sizePt, QPrinter::Point);
} else if (paperSize.contains("format")) {
const QPrinter::Orientation orientation = paperSize.contains("orientation")
&& paperSize.value("orientation").toString().compare("landscape", Qt::CaseInsensitive) == 0 ?
QPrinter::Landscape : QPrinter::Portrait;
printer.setOrientation(orientation);
static const struct {
QString format;
QPrinter::PaperSize paperSize;
} formats[] = {
{ "A0", QPrinter::A0 },
{ "A1", QPrinter::A1 },
{ "A2", QPrinter::A2 },
{ "A3", QPrinter::A3 },
{ "A4", QPrinter::A4 },
{ "A5", QPrinter::A5 },
{ "A6", QPrinter::A6 },
{ "A7", QPrinter::A7 },
{ "A8", QPrinter::A8 },
{ "A9", QPrinter::A9 },
{ "B0", QPrinter::B0 },
{ "B1", QPrinter::B1 },
{ "B2", QPrinter::B2 },
{ "B3", QPrinter::B3 },
{ "B4", QPrinter::B4 },
{ "B5", QPrinter::B5 },
{ "B6", QPrinter::B6 },
{ "B7", QPrinter::B7 },
{ "B8", QPrinter::B8 },
{ "B9", QPrinter::B9 },
{ "B10", QPrinter::B10 },
{ "C5E", QPrinter::C5E },
{ "Comm10E", QPrinter::Comm10E },
{ "DLE", QPrinter::DLE },
{ "Executive", QPrinter::Executive },
{ "Folio", QPrinter::Folio },
{ "Ledger", QPrinter::Ledger },
{ "Legal", QPrinter::Legal },
{ "Letter", QPrinter::Letter },
{ "Tabloid", QPrinter::Tabloid }
};
printer.setPaperSize(QPrinter::A4); // Fallback
for (uint i = 0; i < sizeof(formats) / sizeof(formats[0]); ++i) {
if (paperSize.value("format").toString().compare(formats[i].format, Qt::CaseInsensitive) == 0) {
printer.setPaperSize(formats[i].paperSize);
break;
}
}
} else {
return false;
}
if (paperSize.contains("border") && !paperSize.contains("margin")) {
// backwards compatibility
paperSize["margin"] = paperSize["border"];
}
qreal marginLeft = 0;
qreal marginTop = 0;
qreal marginRight = 0;
qreal marginBottom = 0;
if (paperSize.contains("margin")) {
const QVariant margins = paperSize["margin"];
if (margins.canConvert(QVariant::Map)) {
const QVariantMap map = margins.toMap();
marginLeft = printMargin(map, "left");
marginTop = printMargin(map, "top");
marginRight = printMargin(map, "right");
marginBottom = printMargin(map, "bottom");
} else if (margins.canConvert(QVariant::String)) {
const qreal margin = stringToPointSize(margins.toString());
marginLeft = margin;
marginTop = margin;
marginRight = margin;
marginBottom = margin;
}
}
printer.setPageMargins(marginLeft, marginTop, marginRight, marginBottom, QPrinter::Point);
m_mainFrame->print(&printer, this);
return true;
}
void WebPage::setZoomFactor(qreal zoom)
{
m_mainFrame->setZoomFactor(zoom);
}
qreal WebPage::zoomFactor() const
{
return m_mainFrame->zoomFactor();
}
QString WebPage::windowName() const
{
return m_mainFrame->evaluateJavaScript("window.name;").toString();
}
qreal getHeight(const QVariantMap &map, const QString &key)
{
QVariant footer = map.value(key);
if (!footer.canConvert(QVariant::Map)) {
return 0;
}
QVariant height = footer.toMap().value("height");
if (!height.canConvert(QVariant::String)) {
return 0;
}
return stringToPointSize(height.toString());
}
qreal WebPage::footerHeight() const
{
return getHeight(m_paperSize, "footer");
}
qreal WebPage::headerHeight() const
{
return getHeight(m_paperSize, "header");
}
QString getHeaderFooter(const QVariantMap &map, const QString &key, QWebFrame *frame, int page, int numPages)
{
QVariant header = map.value(key);
if (!header.canConvert(QVariant::Map)) {
return QString();
}
QVariant callback = header.toMap().value("contents");
if (callback.canConvert<QObject*>()) {
Callback* caller = qobject_cast<Callback*>(callback.value<QObject*>());
if (caller) {
QVariant ret = caller->call(QVariantList() << page << numPages);
if (ret.canConvert(QVariant::String)) {
return ret.toString();
}
}
}
frame->evaluateJavaScript("console.error('Bad header callback given, use phantom.callback);", QString());
return QString();
}
QString WebPage::header(int page, int numPages)
{
return getHeaderFooter(m_paperSize, "header", m_mainFrame, page, numPages);
}
QString WebPage::footer(int page, int numPages)
{
return getHeaderFooter(m_paperSize, "footer", m_mainFrame, page, numPages);
}
void WebPage::uploadFile(const QString &selector, const QString &fileName)
{
QWebElement el = m_currentFrame->findFirstElement(selector);
if (el.isNull())
return;
m_customWebPage->m_uploadFile = fileName;
el.evaluateJavaScript(JS_ELEMENT_CLICK);
}
bool WebPage::injectJs(const QString &jsFilePath) {
return Utils::injectJsInFrame(jsFilePath, m_libraryPath, m_currentFrame);
}
void WebPage::_appendScriptElement(const QString &scriptUrl) {
m_currentFrame->evaluateJavaScript(QString(JS_APPEND_SCRIPT_ELEMENT).arg(scriptUrl), scriptUrl);
}
QObject *WebPage::_getGenericCallback() {
if (!m_callbacks) {
m_callbacks = new WebpageCallbacks(this);
}
return m_callbacks->getGenericCallback();
}
QObject *WebPage::_getJsConfirmCallback() {
if (!m_callbacks) {