Javascript:迭代URL数组并打开,然后以定义的间隔关闭

时间:2014-05-16 18:11:35

标签: javascript settimeout window.open

我有一系列网址需要循环并在新窗口中打开。但是,我需要能够在每个窗口的打开和关闭之间设置超时。换句话说,窗口应该只在设定的时间间隔内保持打开状态,然后转到数组中的下一个URL。

以下代码打开窗口,但只关闭第一个窗口。

        (function X() {
            document.getElementById("target").onclick = function () {

                var urlList = ['http://www.google.com', 'http://www.msn.com', 'http://www.yahoo.com'];
                var wnd;

                for (var i = 0; i < urlList.length; i++) {
                   wnd = window.open(urlList[i], '', '');

                    setTimeout(function () {
                        wnd.close();
                    }, 2000);

                }

            };
            return true;
        }
        )();

想法?

1 个答案:

答案 0 :(得分:1)

你的for loop一次有效地运行所有内容,因此你的代码会立即打开所有窗口,然后你的关闭超时都会在2秒后启动(所有这些都在同一时间)。

您需要在每次迭代之间都有一个超时。

这是一种方法:

var urlList = ['http://www.google.com', 'http://www.msn.com', 'http://www.yahoo.com'];
var wnd;
var curIndex = 0; // a var to hold the current index of the current url

function openWindow(){
    wnd = window.open(urlList[curIndex], '', '');
    setTimeout(function () {
         wnd.close(); //close current window
         curIndex++; //increment the index
         if(curIndex < urlList.length) openWindow(); //open the next window if the array isn't at the end
    }, 2000);
}

openWindow();