我需要有关使用phantomjs将多个页面呈现为pdf文件的帮助。一旦phantomjs呈现一个页面,就不能调用另一个实例,直到它完成前一次执行。我相信它需要某种回调和递归方法。
下面是呈现单个页面的代码:

someUrl = "https://www.google.com/";

var phantom = require('phantom');
phantom.create(function(ph){
    ph.createPage(function(page) {
        page.open(someUrl, function(){
            page.render('google.pdf'); //needs to wait for this to finish
            ph.exit();                 //to call itself for the next url
        });
    });
});

最佳答案

递归需要两件事:
停止递归的条件(列表中剩余的url减为0)和
建立或减少的值(列表中的url在每次“迭代”时被取出)。
代码:

var urls = ["http://domain1.tld", "http://domain2.tld/path"];

var phantom = require('phantom');
phantom.create(function(ph){
    ph.createPage(function(page) {
        function render(urls, callback) {
            if (urls.length == 0) {
                console.log("Exiting...");
                ph.exit();
                if (callback) callback();
                return;
            }
            var url = urls[0];
            page.open(url, function(){
                page.render('screen_'+url.replace(/[\/:]/g, "_")+'.pdf');
                render(urls.slice(1), callback);
            });
        }
        render(urls); // TODO: use a callback if you need to
    });
});

10-07 14:41