在PhantomJS中等待一段时间在页面上下文

时间:2016-03-20 16:39:51

标签: javascript asynchronous phantomjs

我需要在PhantomJS中等一段时间。我搜索了很多,但没有找到答案。我在page.open内尝试此代码,但它不起作用。

var interval = window.setInterval(function(){ 
    console.log("works");
    clearInterval(interval); 
}, 3000);

我也试过setTimeout,但也没有帮助

window.setTimeout(function(){ 
    console.log("works");
}, 3000);

等待几秒钟的解决方案是什么?

我需要在日志之间等待3秒:jquery includedworks。但这些日志同时出现在控制台中。

var page = require("webpage").create();
var url = "https://www.youtube.com";

page.open(url, function(status) {
    if (status == "success"){
        console.log(status);
        if (page.injectJs("jquery.min.js")){
            console.log("jquery included");
            page.evaluate(function(){
                setTimeout(function(){       
                }, 3000);
            });
            console.log("works");
            phantom.exit();
        }       
    }
    else{
        console.log(status);
        phantom.exit();
    }
});

1 个答案:

答案 0 :(得分:6)

这是错误的集合:

  • JavaScript没有像其他语言一样的睡眠功能,因为它是单线程的。这意味着睡眠将有效地停止所有其他处理。所以,你不能使用

    console.log("1");
    setTimeout(function(){}, 5000);
    console.log("2");
    

    并期望在2后5秒打印12后会立即打印1。您需要使用JavaScript的异步特性:

    console.log("1");
    setTimeout(function(){
        console.log("2");
    }, 5000);
    
  • 完成脚本后,必须调用
  • phantom.exit()。这意味着您需要通过setTimeout回调来调用它。

  • page.evaluate是沙盒页面上下文。您不能使用外部定义的变量。因此,您无法在phantom.exit()内使用page.evaluate(),但您可以使用window.callPhantom/page.onCallback pair从页面上下文中获取消息。

  • 如果您想从页面上下文接收控制台消息,则需要提供onConsoleMessage event handler

完整脚本:

var page = require("webpage").create();
var url = "https://www.youtube.com";

page.onCallback = function(data){
    if (data.type === "exit") {
        phantom.exit();
    }
};
page.onConsoleMessage = function(msg){
    console.log("remote: " + msg);
};
page.open(url, function(status) {
    if (status == "success"){
        console.log(status);
        if (page.injectJs("jquery.min.js")){
            console.log("jquery included");
            page.evaluate(function(){
                setTimeout(function(){
                    console.log("works");
                    window.callPhantom({type: "exit"});
                }, 3000);
            });
        }       
    }
    else{
        console.log(status);
        phantom.exit();
    }
});