Skip to content Skip to sidebar Skip to footer

Delay After Opening A New Tab Using Window.open();?

I am looking for javascript code which will open new tabs(windows) automatically after specific interval of time. Once first url is executed, setTimeout()/setIntervals()'s are igno

Solution 1:

First of all, you don't want to use setInterval for this, setInterval:

Calls a function or executes a code snippet repeatedly, with a fixed time delay between each call to that function.

You want to use setTimeout which:

Calls a function or executes a code snippet after a specified delay.

The next problem is that setTimeout wants a function as its first argument but window.open returns a reference to a window object. You want to wrap those window.open calls inside functions:

functionopen_win() {
    setTimeout(function() { window.open("http://www.google.com") }, 1000);
    setTimeout(function() { window.open("http://www.yahoo.com")  }, 1000);
    setTimeout(function() { window.open("http://www.bing.com")   }, 1000);
}

Your version would open the Google tab because the window.open("http://www.google.com") call would be executed while building the argument list for the first setInterval call. Presumably you're getting an exception or something from setInterval when you pass it a window reference so the rest of them aren't even reached.

Post a Comment for "Delay After Opening A New Tab Using Window.open();?"