How can I detect if a browser is blocking a popup?

JavascriptHtmlPopup

Javascript Problem Overview


Occasionally, I've come across a webpage that tries to pop open a new window (for user input, or something important), but the popup blocker prevents this from happening.

What methods can the calling window use to make sure the new window launched properly?

Javascript Solutions


Solution 1 - Javascript

If you use JavaScript to open the popup, you can use something like this:

var newWin = window.open(url);             
            
if(!newWin || newWin.closed || typeof newWin.closed=='undefined') 
{ 
    //POPUP BLOCKED
}

Solution 2 - Javascript

I tried a number of the examples above, but I could not get them to work with Chrome. This simple approach seems to work with Chrome 39, Firefox 34, Safari 5.1.7, and IE 11. Here is the snippet of code from our JS library.

openPopUp: function(urlToOpen) {
    var popup_window=window.open(urlToOpen,"myWindow","toolbar=no, location=no, directories=no, status=no, menubar=no, scrollbars=yes, resizable=yes, copyhistory=yes, width=400, height=400");            
    try {
        popup_window.focus();	
    } catch (e) {
        alert("Pop-up Blocker is enabled! Please add this site to your exception list.");
    }
}

Solution 3 - Javascript

Update: Popups exist from really ancient times. The initial idea was to show another content without closing the main window. As of now, there are other ways to do that: JavaScript is able to send requests for server, so popups are rarely used. But sometimes they are still handy.

In the past evil sites abused popups a lot. A bad page could open tons of popup windows with ads. So now most browsers try to block popups and protect the user.

Most browsers block popups if they are called outside of user-triggered event handlers like onclick.

If you think about it, that’s a bit tricky. If the code is directly in an onclick handler, then that’s easy. But what is the popup opens in setTimeout?

Try this code:

 // open after 3 seconds
setTimeout(() => window.open('http://google.com'), 3000);

The popup opens in Chrome, but gets blocked in Firefox.

…And this works in Firefox too:

 // open after 1 seconds
setTimeout(() => window.open('http://google.com'), 1000);

The difference is that Firefox treats a timeout of 2000ms or less are acceptable, but after it – removes the “trust”, assuming that now it’s “outside of the user action”. So the first one is blocked, and the second one is not.


Original answer which was current 2012:

> This solution for popup blocker checking has been tested in FF (v11), > Safari (v6), Chrome (v23.0.127.95) & IE (v7 & v9). Update the > displayError function to handle the error message as you see fit. >
> var popupBlockerChecker = { > check: function(popup_window){ > var scope = this; > if (popup_window) { > if(/chrome/.test(navigator.userAgent.toLowerCase())){ > setTimeout(function () { > scope.is_popup_blocked(scope, popup_window); > },200); > }else{ > popup_window.onload = function () { > scope.is_popup_blocked(scope, popup_window); > }; > } > } else { > scope.displayError(); > } > }, > is_popup_blocked: function(scope, popup_window){ > if ((popup_window.innerHeight > 0)==false){ > scope.displayError(); > } > }, > displayError: function(){ > alert("Popup Blocker is enabled! Please add this site to your exception list."); > } > }; > > Usage: > > var popup = window.open("http://www.google.ca";, '_blank'); > popupBlockerChecker.check(popup);

Hope this helps! :)

Solution 4 - Javascript

One "solution" that will always work regardless of browser company or version is to simply put a warning message on the screen, somewhere close to the control that will create a pop-up, that politely warns the user that the action requires a pop-up and to please enable them for the site.

I know it's not fancy or anything, but it can't get any simpler and only requires about 5 minutes testing, then you can move on to other nightmares.

Once the user has allowed pop-ups for your site, it would also be considerate if you don't overdo the pop-ups. The last thing you want to do is annoy your visitors.

Solution 5 - Javascript

I combined @Kevin B and @DanielB's solutions.
This is much simpler.

var isPopupBlockerActivated = function(popupWindow) {
    if (popupWindow) {
        if (/chrome/.test(navigator.userAgent.toLowerCase())) {
            try {
                popupWindow.focus();
            } catch (e) {
                return true;
            }
        } else {
            popupWindow.onload = function() {
                return (popupWindow.innerHeight > 0) === false;
            };
        }
    } else {
        return true;
    }
    return false;
};

Usage:

var popup = window.open('https://www.google.com', '_blank');
if (isPopupBlockerActivated(popup)) {
    // Do what you want.
}

Solution 6 - Javascript

I've tried lots of solutions, but the only one I could come up with that also worked with uBlock Origin, was by utilising a timeout to check the closed status of the popup.

function popup (url, width, height) {
    const left = (window.screen.width / 2) - (width / 2)
    const top = (window.screen.height / 2) - (height / 2)
    let opener = window.open(url, '', `menubar=no, toolbar=no, status=no, resizable=yes, scrollbars=yes, width=${width},height=${height},top=${top},left=${left}`)

    window.setTimeout(() => {
        if (!opener || opener.closed || typeof opener.closed === 'undefined') {
            console.log('Not allowed...') // Do something here.
        }
    }, 1000)
}

Obviously this is a hack; like all solutions to this problem.

You need to provide enough time in your setTimeout to account for the initial opening and closing, so it's never going to be thoroughly accurate. It will be a position of trial and error.

Add this to your list of attempts.

Solution 7 - Javascript

A simple approach if you own the child code as well, would be to create a simple variable in its html as below:

    <script>
        var magicNumber = 49;
    </script>

And then check its existence from parent something similar to following:

    // Create the window with login URL.
    let openedWindow = window.open(URL_HERE);

    // Check this magic number after some time, if it exists then your window exists
    setTimeout(() => {
        if (openedWindow["magicNumber"] !== 32) {
            console.error("Window open was blocked");
        }
    }, 1500);

We wait for some time to make sure that webpage has been loaded, and check its existence. Obviously, if the window did not load after 1500ms then the variable would still be undefined.

Solution 8 - Javascript

By using onbeforeunload event we can check as follows

    function popup()
    {
        var chk=false;
        var win1=window.open();
        win1.onbeforeunload=()=>{
            var win2=window.open();
            win2.onbeforeunload=()=>{
                chk=true;
            };
        win2.close();
        };
        win1.close();
        return chk;
    }

it will open 2 black windows in background

the function returns boolean value.

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionNathan BedfordView Question on Stackoverflow
Solution 1 - JavascriptomarView Answer on Stackoverflow
Solution 2 - JavascriptDanielBView Answer on Stackoverflow
Solution 3 - JavascriptKevin BView Answer on Stackoverflow
Solution 4 - JavascriptUncaAlbyView Answer on Stackoverflow
Solution 5 - JavascriptwonsucView Answer on Stackoverflow
Solution 6 - JavascriptMichael Giovanni PumoView Answer on Stackoverflow
Solution 7 - JavascriptLalit UmbarkarView Answer on Stackoverflow
Solution 8 - JavascriptYash BoraView Answer on Stackoverflow