Phantomjs не ждет "полной" загрузки страницы
Я использую PhantomJS v1.4.1 для загрузки некоторых веб-страниц. У меня нет доступа к их серверной стороне, я просто получаю ссылки, указывающие на них. Я использую устаревшую версию Phantom, потому что мне нужно поддерживать Adobe Flash на этих веб-страницах.
Проблема заключается в том, что многие веб-сайты загружают свой асинхронный контент, и поэтому Phantom onLoadFinished callback (аналог для onLoad в HTML) запускается слишком рано, когда не все загружено. Может ли кто-нибудь предложить, как я могу ждать полной загрузки веб-страницы, например, скриншота со всем динамическим контентом, таким как реклама?
Ответы
Ответ 1
Другой подход заключается в том, чтобы просто попросить PhantomJS подождать немного после загрузки страницы перед выполнением рендеринга в соответствии с обычным примером rasterize.js, но с более длинный тайм-аут, чтобы позволить JavaScript завершить загрузку дополнительных ресурсов:
page.open(address, function (status) {
if (status !== 'success') {
console.log('Unable to load the address!');
phantom.exit();
} else {
window.setTimeout(function () {
page.render(output);
phantom.exit();
}, 1000); // Change timeout as required to allow sufficient time
}
});
Ответ 2
Я бы предпочел периодически проверять статус document.readyState
(https://developer.mozilla.org/en-US/docs/Web/API/document.readyState). Хотя этот подход немного неуклюж, вы можете быть уверены, что внутри функции onPageReady
вы используете полностью загруженный документ.
var page = require("webpage").create(),
url = "http://example.com/index.html";
function onPageReady() {
var htmlContent = page.evaluate(function () {
return document.documentElement.outerHTML;
});
console.log(htmlContent);
phantom.exit();
}
page.open(url, function (status) {
function checkReadyState() {
setTimeout(function () {
var readyState = page.evaluate(function () {
return document.readyState;
});
if ("complete" === readyState) {
onPageReady();
} else {
checkReadyState();
}
});
}
checkReadyState();
});
Дополнительное объяснение:
Использование вложенного setTimeout
вместо setInterval
предотвращает checkReadyState
от "перекрытия" и условий гонки, когда его выполнение продлевается по некоторым случайным причинам. setTimeout
имеет задержку по умолчанию 4 мс (fooobar.com/questions/8476/...), поэтому активный опрос не окажет существенного влияния на производительность программы.
document.readyState === "complete"
означает, что документ полностью загружен всеми ресурсами (https://html.spec.whatwg.org/multipage/dom.html#current-document-readiness).
Ответ 3
Вы можете попробовать комбинацию примеров waitfor и rasterize:
/**
* See https://github.com/ariya/phantomjs/blob/master/examples/waitfor.js
*
* Wait until the test condition is true or a timeout occurs. Useful for waiting
* on a server response or for a ui change (fadeIn, etc.) to occur.
*
* @param testFx javascript condition that evaluates to a boolean,
* it can be passed in as a string (e.g.: "1 == 1" or "$('#bar').is(':visible')" or
* as a callback function.
* @param onReady what to do when testFx condition is fulfilled,
* it can be passed in as a string (e.g.: "1 == 1" or "$('#bar').is(':visible')" or
* as a callback function.
* @param timeOutMillis the max amount of time to wait. If not specified, 3 sec is used.
*/
function waitFor(testFx, onReady, timeOutMillis) {
var maxtimeOutMillis = timeOutMillis ? timeOutMillis : 3000, //< Default Max Timout is 3s
start = new Date().getTime(),
condition = (typeof(testFx) === "string" ? eval(testFx) : testFx()), //< defensive code
interval = setInterval(function() {
if ( (new Date().getTime() - start < maxtimeOutMillis) && !condition ) {
// If not time-out yet and condition not yet fulfilled
condition = (typeof(testFx) === "string" ? eval(testFx) : testFx()); //< defensive code
} else {
if(!condition) {
// If condition still not fulfilled (timeout but condition is 'false')
console.log("'waitFor()' timeout");
phantom.exit(1);
} else {
// Condition fulfilled (timeout and/or condition is 'true')
console.log("'waitFor()' finished in " + (new Date().getTime() - start) + "ms.");
typeof(onReady) === "string" ? eval(onReady) : onReady(); //< Do what it supposed to do once the condition is fulfilled
clearInterval(interval); //< Stop this interval
}
}
}, 250); //< repeat check every 250ms
};
var page = require('webpage').create(), system = require('system'), address, output, size;
if (system.args.length < 3 || system.args.length > 5) {
console.log('Usage: rasterize.js URL filename [paperwidth*paperheight|paperformat] [zoom]');
console.log(' paper (pdf output) examples: "5in*7.5in", "10cm*20cm", "A4", "Letter"');
phantom.exit(1);
} else {
address = system.args[1];
output = system.args[2];
if (system.args.length > 3 && system.args[2].substr(-4) === ".pdf") {
size = system.args[3].split('*');
page.paperSize = size.length === 2 ? {
width : size[0],
height : size[1],
margin : '0px'
} : {
format : system.args[3],
orientation : 'portrait',
margin : {
left : "5mm",
top : "8mm",
right : "5mm",
bottom : "9mm"
}
};
}
if (system.args.length > 4) {
page.zoomFactor = system.args[4];
}
var resources = [];
page.onResourceRequested = function(request) {
resources[request.id] = request.stage;
};
page.onResourceReceived = function(response) {
resources[response.id] = response.stage;
};
page.open(address, function(status) {
if (status !== 'success') {
console.log('Unable to load the address!');
phantom.exit();
} else {
waitFor(function() {
// Check in the page if a specific element is now visible
for ( var i = 1; i < resources.length; ++i) {
if (resources[i] != 'end') {
return false;
}
}
return true;
}, function() {
page.render(output);
phantom.exit();
}, 10000);
}
});
}
Ответ 4
В моей программе я использую некоторую логику, чтобы судить, была ли она загружена: наблюдая за сетевым запросом, если не было нового запроса на прошлые 200 мс, я обрабатываю его при загрузке.
Используйте это, после onLoadFinish().
function onLoadComplete(page, callback){
var waiting = []; // request id
var interval = 200; //ms time waiting new request
var timer = setTimeout( timeout, interval);
var max_retry = 3; //
var counter_retry = 0;
function timeout(){
if(waiting.length && counter_retry < max_retry){
timer = setTimeout( timeout, interval);
counter_retry++;
return;
}else{
try{
callback(null, page);
}catch(e){}
}
}
//for debug, log time cost
var tlogger = {};
bindEvent(page, 'request', function(req){
waiting.push(req.id);
});
bindEvent(page, 'receive', function (res) {
var cT = res.contentType;
if(!cT){
console.log('[contentType] ', cT, ' [url] ', res.url);
}
if(!cT) return remove(res.id);
if(cT.indexOf('application') * cT.indexOf('text') != 0) return remove(res.id);
if (res.stage === 'start') {
console.log('!!received start: ', res.id);
//console.log( JSON.stringify(res) );
tlogger[res.id] = new Date();
}else if (res.stage === 'end') {
console.log('!!received end: ', res.id, (new Date() - tlogger[res.id]) );
//console.log( JSON.stringify(res) );
remove(res.id);
clearTimeout(timer);
timer = setTimeout(timeout, interval);
}
});
bindEvent(page, 'error', function(err){
remove(err.id);
if(waiting.length === 0){
counter_retry = 0;
}
});
function remove(id){
var i = waiting.indexOf( id );
if(i < 0){
return;
}else{
waiting.splice(i,1);
}
}
function bindEvent(page, evt, cb){
switch(evt){
case 'request':
page.onResourceRequested = cb;
break;
case 'receive':
page.onResourceReceived = cb;
break;
case 'error':
page.onResourceError = cb;
break;
case 'timeout':
page.onResourceTimeout = cb;
break;
}
}
}
Ответ 5
Возможно, вы можете использовать onResourceRequested
и onResourceReceived
обратные вызовы для обнаружения асинхронной загрузки. Вот пример использования этих обратных вызовов из их документации:
var page = require('webpage').create();
page.onResourceRequested = function (request) {
console.log('Request ' + JSON.stringify(request, undefined, 4));
};
page.onResourceReceived = function (response) {
console.log('Receive ' + JSON.stringify(response, undefined, 4));
};
page.open(url);
Кроме того, вы можете посмотреть examples/netsniff.js
для рабочего примера.
Ответ 6
Вот решение, ожидающее завершения всех запросов ресурсов. После этого он будет записывать содержимое страницы в консоль и создавать скриншот отображаемой страницы.
Хотя это решение может служить хорошей отправной точкой, я заметил, что он не работает, поэтому он определенно не является полным решением!
Мне не повезло с помощью document.readyState
.
На меня повлиял waitfor.js пример, найденный на страница примеров phantomjs.
var system = require('system');
var webPage = require('webpage');
var page = webPage.create();
var url = system.args[1];
page.viewportSize = {
width: 1280,
height: 720
};
var requestsArray = [];
page.onResourceRequested = function(requestData, networkRequest) {
requestsArray.push(requestData.id);
};
page.onResourceReceived = function(response) {
var index = requestsArray.indexOf(response.id);
requestsArray.splice(index, 1);
};
page.open(url, function(status) {
var interval = setInterval(function () {
if (requestsArray.length === 0) {
clearInterval(interval);
var content = page.content;
console.log(content);
page.render('yourLoadedPage.png');
phantom.exit();
}
}, 500);
});
Ответ 7
Я нашел этот подход полезным в некоторых случаях:
page.onConsoleMessage(function(msg) {
// do something e.g. page.render
});
Затем, если вы владеете страницей, введите script внутри:
<script>
window.onload = function(){
console.log('page loaded');
}
</script>
Ответ 8
Я нашел это решение полезным в приложении NodeJS.
Я использую его только в отчаянных случаях, потому что он запускает тайм-аут, чтобы дождаться полной загрузки страницы.
Второй аргумент - это функция обратного вызова, которая будет вызываться после того, как ответ будет готов.
phantom = require('phantom');
var fullLoad = function(anUrl, callbackDone) {
phantom.create(function (ph) {
ph.createPage(function (page) {
page.open(anUrl, function (status) {
if (status !== 'success') {
console.error("pahtom: error opening " + anUrl, status);
ph.exit();
} else {
// timeOut
global.setTimeout(function () {
page.evaluate(function () {
return document.documentElement.innerHTML;
}, function (result) {
ph.exit(); // EXTREMLY IMPORTANT
callbackDone(result); // callback
});
}, 5000);
}
});
});
});
}
var callback = function(htmlBody) {
// do smth with the htmlBody
}
fullLoad('your/url/', callback);
Ответ 9
Это реализация ответа Supr. Также он использует setTimeout вместо setInterval, как предположил Матеуш Чарытонюк.
Phantomjs выйдет через 1000 мс, если нет никакого запроса или ответа.
// load the module
var webpage = require('webpage');
// get timestamp
function getTimestamp(){
// or use Date.now()
return new Date().getTime();
}
var lastTimestamp = getTimestamp();
var page = webpage.create();
page.onResourceRequested = function(request) {
// update the timestamp when there is a request
lastTimestamp = getTimestamp();
};
page.onResourceReceived = function(response) {
// update the timestamp when there is a response
lastTimestamp = getTimestamp();
};
page.open(html, function(status) {
if (status !== 'success') {
// exit if it fails to load the page
phantom.exit(1);
}
else{
// do something here
}
});
function checkReadyState() {
setTimeout(function () {
var curentTimestamp = getTimestamp();
if(curentTimestamp-lastTimestamp>1000){
// exit if there isn't request or response in 1000ms
phantom.exit();
}
else{
checkReadyState();
}
}, 100);
}
checkReadyState();
Ответ 10
Этот код, который я использую:
var system = require('system');
var page = require('webpage').create();
page.open('http://....', function(){
console.log(page.content);
var k = 0;
var loop = setInterval(function(){
var qrcode = page.evaluate(function(s) {
return document.querySelector(s).src;
}, '.qrcode img');
k++;
if (qrcode){
console.log('dataURI:', qrcode);
clearInterval(loop);
phantom.exit();
}
if (k === 50) phantom.exit(); // 10 sec timeout
}, 200);
});
В основном, учитывая тот факт, что вы должны знать, что страница полностью загружена, когда данный элемент отображается в DOM. Таким образом, script будет ждать, пока это не произойдет.
Ответ 11
Это старый вопрос, но поскольку я искал полную загрузку страницы, но для Spookyjs (который использует casperjs и phantomjs) и не нашел моего решения, я сделал для этого свой script, с тем же подходом как пользователь deemstone.
То, что делает этот подход, заключается в том, что за определенное количество времени, если страница не получила или не начала какой-либо запрос, она закончит выполнение.
В файле casper.js(если вы установили его глобально, путь будет похож на /usr/local/lib/ node_modules/casperjs/modules/casper.js), добавьте следующие строки:
В верхней части файла со всеми глобальными vars:
var waitResponseInterval = 500
var reqResInterval = null
var reqResFinished = false
var resetTimeout = function() {}
Затем внутри функции "createPage (casper)" сразу после "var page = require ('webpage'). create();" добавьте следующий код:
resetTimeout = function() {
if(reqResInterval)
clearTimeout(reqResInterval)
reqResInterval = setTimeout(function(){
reqResFinished = true
page.onLoadFinished("success")
},waitResponseInterval)
}
resetTimeout()
Затем внутри "page.onResourceReceived = function onResourceReceived (ресурс) {" в первой строке добавьте:
resetTimeout()
Сделайте то же самое для "page.onResourceRequested = function onResourceRequested (requestData, request) {"
Наконец, на странице "page.onLoadFinished = function onLoadFinished (status) {" в первой строке добавьте:
if(!reqResFinished)
{
return
}
reqResFinished = false
И что это, надеюсь, что это помогает кому-то в беде, как я. Это решение для casperjs, но работает непосредственно для Spooky.
Удачи!
Ответ 12
Я использую персональную смесь фантомов waitfor.js
example.
Это мой файл main.js
:
'use strict';
var wasSuccessful = phantom.injectJs('./lib/waitFor.js');
var page = require('webpage').create();
page.open('http://foo.com', function(status) {
if (status === 'success') {
page.includeJs('https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.1/jquery.min.js', function() {
waitFor(function() {
return page.evaluate(function() {
if ('complete' === document.readyState) {
return true;
}
return false;
});
}, function() {
var fooText = page.evaluate(function() {
return $('#foo').text();
});
phantom.exit();
});
});
} else {
console.log('error');
phantom.exit(1);
}
});
И файл lib/waitFor.js
(который является всего лишь копией и вставкой функции waifFor()
из фантома waitfor.js
example)
function waitFor(testFx, onReady, timeOutMillis) {
var maxtimeOutMillis = timeOutMillis ? timeOutMillis : 3000, //< Default Max Timout is 3s
start = new Date().getTime(),
condition = false,
interval = setInterval(function() {
if ( (new Date().getTime() - start < maxtimeOutMillis) && !condition ) {
// If not time-out yet and condition not yet fulfilled
condition = (typeof(testFx) === "string" ? eval(testFx) : testFx()); //< defensive code
} else {
if(!condition) {
// If condition still not fulfilled (timeout but condition is 'false')
console.log("'waitFor()' timeout");
phantom.exit(1);
} else {
// Condition fulfilled (timeout and/or condition is 'true')
// console.log("'waitFor()' finished in " + (new Date().getTime() - start) + "ms.");
typeof(onReady) === "string" ? eval(onReady) : onReady(); //< Do what it supposed to do once the condi>
clearInterval(interval); //< Stop this interval
}
}
}, 250); //< repeat check every 250ms
}
Этот метод не является асинхронным, но, по крайней мере, я уверен, что все ресурсы были загружены до того, как я попытаюсь их использовать.
Ответ 13
это мое решение, которое сработало для меня.
page.onConsoleMessage = function(msg, lineNum, sourceId) {
if(msg=='hey lets take screenshot')
{
window.setInterval(function(){
try
{
var sta= page.evaluateJavaScript("function(){ return jQuery.active;}");
if(sta == 0)
{
window.setTimeout(function(){
page.render('test.png');
clearInterval();
phantom.exit();
},1000);
}
}
catch(error)
{
console.log(error);
phantom.exit(1);
}
},1000);
}
};
page.open(address, function (status) {
if (status !== "success") {
console.log('Unable to load url');
phantom.exit();
} else {
page.setContent(page.content.replace('</body>','<script>window.onload = function(){console.log(\'hey lets take screenshot\');}</script></body>'), address);
}
});