Saturday, April 18, 2020

Open Link in New Tab


All major browsers use popup blockers to prevent sites from opening new tabs. Popup blockers works in slightly different ways and block popups in different contexts.

First chapter gives short overview of popup blockers. The rest of article shows multiple ways how to open new tab and how to work around browsers limitations.

Table Of Contents

Popup Blockers

A browser does not distinguish between a new tab and a popup. Therefore popup blockers treat them the same way.
and in this article I use the terms "new tab" and "new window" interchangeably.

Popup blocker built inside the Firefox is willing to open new tab only from onclick hander. It prevents tab opening from mouse over event, network request response, and from inside script in the body. Instead of opening new tab, firefox will show yellow warning banner which says Firefox prevented this site from opening popup. It is possible to turn off the warning, but that requires user action.

Edge works similarly to Firefox, except that banner is white and show on bottom of the window.

Chrome always prevents new tabs from network request response. It mostly prevents also new tabs from on mouse over event and script inside the body. The last two are sometimes created, but I did not found when exactly. Chrome shows small icon in url bar when it refuses to open the new tab. User can click on it and allow popups manually.

Html Link

The easiest way to create a link that opens in a new tab is to add target="_blank" to it. It works in Chrome, Firefox and Edge.
<a href="http://gooogle.com" target="_blank">Normal Link</a>
This is how it renders: Normal Link

JavaScript

JavaScript can open new tab using the window.open(URL, name, specs, replace) function. The trick is to put '_blank' into name argument.
window.open('https://www.google.com', '_blank');
This works in most, but not all, situations. Most importantly, Edge and Firefox block new tab from network request response handler. When the url have to be loaded from backend, Firefox requires tricks to work.

This chapter has two sections. First section deals with situation when the frontend knows the url. Second section shows how to open link in new tab when the fronted needs to send network request.

When the Url is Known
In this chapter, we will try to open a new tab from mouse click, from timer, from mouse over and from a script inside the body.

From Click
Open new tab from onclick attribute of html tag works from Chrome, Firefox and Edge:
<a href="#" onclick="
    window.open('https://www.google.com', '_blank');
    return false;
">on click</a>
This is how it renders: on click

From Timer Inside Click
You can also start a timer while handling users onclick method and open a new tab later from the timer. It works in Chrome, Firefox and Edge:
<a href="#" onclick="
    setTimeout(() => window.open('https://www.google.com', '_blank'), 500);
    return false;
">click starts timer</a>
This is how it renders: click starts timer

From Mouse Over
Open new tab from onmouseover attribute of an html tag does not work. Firefox and Edge block it all the time. Chrome blocks it most of the time, although blocking is not perfect and the tab occasionally shows up:
<a href="#" onmouseover="
    window.open('https://www.google.com', '_blank');
    return false;
">on mouse over</a>
This is how it renders: on mouse over

From Timer Inside Mouse Over
Open new tab from timer started inside onmouseover does not work. Firefox and Edge block it all the time. Chrome blocks it most of the time, although blocking is not perfect and the tab shows up once in a while:
<a href="#" onmouseover="
setTimeout(function() {
 window.open('https://www.google.com', '_blank');
} ,500);
return false;
">timer on mouseover</a></br>
This is how it renders: timer on mouseover

From Body Onload
Opening new tab from script in body is blocked by all three browser. Add this inside the body tag to see it:
<script>
 console.log("installing");
 setTimeout(function() {
  console.log("running");
  window.open('https://www.google.com', '_blank');
 }, 500);
</script>

Fetching Url From Backend
More interesting and useful case is when the web application needs to fetch the url from backend. The straightforward solution does not work, Edge and Firefox block the new tab. However, this use case is too useful to be ignored, so we will build workaround.

From Request Response
Opening new tab from request response works only in Chrome. Edge and Firefox shows yellow warning and prevents new tab to open:
<script>
function fromHttpRequest() {
 const Http = new XMLHttpRequest();
 const url='https://jsonplaceholder.typicode.com/posts';
 Http.open("GET", url);
 Http.send();

 Http.onreadystatechange = (e) => {
   console.log(Http.responseText)
   window.open('https://www.google.com', '_blank');
 }
}
</script>
<a href="#" onclick="
    fromHttpRequest();
    return false;
">from http request</a></br>
This is how it renders: from http request

Starting timer from request response does not help. Chrome and Edge will open the tab, but Firefox will show warning instead. I have omitted the example, because it is long and almost the same as timers above.

Workaround 1
The workaround is to combine javascript interval started from user click, network request and let them communicate through variable.
  • Network request waits for response. Then it sets the common variable.
  • The interval periodically checks variable value. It opens new tab once the variable has the response. Then the interval removes itself.
<script>
function intervalListensForRequestResponse() {
 var iHaveTheResponse; // shared variable

 // send request
 const Http = new XMLHttpRequest();
 const url='https://jsonplaceholder.typicode.com/posts';
 Http.open("GET", url);
 Http.send();

 Http.onreadystatechange = (e) => {
   console.log(Http.responseText)
   iHaveTheResponse = 'https://www.google.com';
 }

 // periodically check the variable
 var refreshIntervalId = setInterval(function(){ 
    console.log('tick ' + iHaveTheResponse);
    if (iHaveTheResponse) {
     window.open(iHaveTheResponse, '_blank')
     clearInterval(refreshIntervalId);
    }
  }, 500);
 return false;
}
</script>
<a  href="#" onclick="
    return intervalListensForRequestResponse();
">interval listens for request response</a>
This is how it renders: interval listens for request response

Workaround 2
If the frontend knows for sure it will have to open new tab and just needs to acquire correct url from backend, you can:
  1. Open new window and keep reference to it.
  2. Send the request.
  3. Set url to newly opened window.

The disadvantage of this solution is that new window is opened before the response from backend came back. There is a blank window for few miliseconds. In addition, it is impossible to make backend decide whether the window will be needed or not.
<script>
function startByOpeningTheWindow() {
 var newTab = window.open("", '_blank');
 if (newTab==null) {
  return ;
 }


 // send request
 const Http = new XMLHttpRequest();
 const url='https://jsonplaceholder.typicode.com/posts';
 Http.open("GET", url);
 Http.send();

 Http.onreadystatechange = (e) => {
   console.log(Http.responseText);
   newTab.location.href = 'https://www.google.com';
 }
 return false;
}
</script>
<a href="#" 
      onclick="startByOpeningTheWindow();"
>first open the window, change url later</a></br>
This is how it renders: first open the window, change url later

Few Notes on Open Function
Communication between original window and new tab is possible if they have the same origin. If they show pages from different domains, the communication is blocked by the browser due to Same Origin Policy rules. It ends with Error: uncaught exception: Permission denied to get property error.

The window.open function returns reference to the tab that was just opened. The original page can use it to call functions inside newly opened tab. If the Firefox popup blocker blocked the popup, the function returns null. You can use this to check whether the new tab was blocked. This method works only for built-in popup blocker, it does not work for ad-blocking addons.

New tab has the opener property which can be used to call functions inside the main window. It also has the closed property. Main window can use it to check whether the child tab was open or not.

All Examples

All tested cases are on this page.

29 comments:

KM PRATHAP REDDY said...

This is very good information I like this blog keep it up

delhi escorts said...

This is a good article, according to me, everyone should read this article and comment on it. I come to all the articles and try to learn something new.
delhi escorts
indian escorts
call girl


Unknown said...

nice article
CA IN INDIA
IB IN INDIA

Unknown said...

After reading your article I was amazed. I know that you explain it very well
Android Training Institute in Coimbatore Best Android Training Institutes in Coimbatore | Android Training Course in Coimbatore | Mobile App Training Institute in Coimbatore | Android Training Institutes in Saravanampatti | Online Android Training Institutes in Coimbatore | Mobile Development Training Institute in Coimbatore

Unknown said...

Really useful information. Thank you so much for sharing

IOT Training in Coimbatore | Best IOT Training institute in Coimbatore | Internet of Things Course Training in Coimbatore | Best Institutes for IoT Internet of Things Training in Coimbatore | IOT Training Course in Coimbatore | IOT Training in saravanampatti

shanjeevani said...

Thank you so much for shearing this type of post.
This is very much helpful for me. Keep up for this type of good post.

Reyansh said...

Useful for me.

up police bharti
cbse 10 maths sample paper

Rakesh said...
This comment has been removed by the author.
Rakesh said...

imaginative.ilmedu.org

webseo said...

Is it showing connect Epson printer to WiFi? Just relax there is nothing to be tensed for, it is just a very common issue and can be fixed easily.

frasesparaenamorarz.com
fras-es.com
punaisesdelit.org
groupe-sanguine.fr
meilleur-gps.fr

Minnesota said...

Our team at Quickbooks Phone Number1833-244-5865 is responsible to make sure that particular issue should be discarded in the quickest time. Here you will receive permanent solutions to QuickBooks issues.

alexa jone said...

This is excellent information Thank you for sharing it is very helpful for .if you looking solution about accounting service then Dial at

:QuickBooks Customer Service +1 855-201-8294.our team always stand for help you at this difficult time

North Carolina said...

Fall back on a professional to solve quickbooks error 15215 for best service Quickbooks Phone Number 1 855-756-1077

Unknown said...

Reach to the customer service team via phone, emails, chat and get the best solution to the error occurred. Call us quickbooks customer service (888) 272-4881

Minnesota said...

If you have QuickBooks errors or problems that are slowing down your business? QuickBooks Customer Service Number is here to help. We have a team of experienced professionals who will be more than happy to solve any issue that you may have in the shortest time possible.
quickboks customer service(855) 742-7868.

emblixsolutions10 said...

EMBLIX is a leading Digital Marketing Company in Hyderabad offering a wide range of services including Digital Marketing, SEO, Social media marketing, Google AdWords, Facebook ads, and website designing. We offer comprehensive and customized services for our clients. Emblix as one of the best and top most service-oriented Digital Marketing Company in Hyderabad and India. One of the best SEO companies in Hyderabad, strive hard to provide all-encompassing digital marketing services along with web design and development. Emblix’s extensive market experience and expertise in Digital Marketing helps clients in successfully managing data as a strategic asset.

Emblix solutions said...

EMBLIX is a leading Digital Marketing Agency in Hyderabad offering a wide range of services including Digital Marketing, SEO, Social media marketing, Google AdWords, Facebook ads, and website designing. We offer comprehensive and customized services for our clients. Emblix as one of the best and top most service-oriented Digital Marketing Company in Hyderabad and India. One of the best SEO companies in Hyderabad, strive hard to provide all-encompassing digital marketing services along with web design and development. Emblix’s extensive market experience and expertise in Digital Marketing helps clients in successfully managing data as a strategic asset.

johnrick said...

News The technology sector changes rapidly. It seems like every day a new gadget is being made available to the public. For those "techies" interested in the latest and greatest technological information, a good tech news blog or website is a great way to stay informed.
Gaming In this contemporary world, it has become liable to access each and everything with modern technologies; therefore, gaming peripherals are the best gaming devices which comfort the gamers who love to play the ideal games with easy and accessible device to play their skills.
Your Business If you think about it you can see that the news media has been evolving for some time. Business news was once only available in a newspaper that changed when television arrived on the scene.
Techy It is very important to keep yourself updated as far as the technology is concerned. You should try to get your hands of the latest technology and gadgets as soon as they hit the market.
Out Reach Outreach Galaxy is a platform that merchandise guest posts only with no limitation to minimum guest posts or any SEO metrics. Further, there’s no evaluation for home page features or any other requirements
Cricket In the sports arena, peak performance in sports has always been a much sought after state by players and coaches of all levels. Whether the athletes are school boys soccer players or Olympians striving for their Gold medals, peak performance in sports has always attracted athletes and coaches alike.
Tutors Careme Tutor” is a web based platform founded in 2018 that connects an increasing number of teachers with students for private, home sessions in the Pakistan.

Jay said...

for best cbse board exam preparation, visit the following links...
cbse class 10 sample papers
cbse class 10 blueprint
cbse grading system

evoseedbox said...


excellent blog its really helps students for their assignments. its quite resourceful article.
for all students on here we have an all assignment service to help you guys to complete their assignment.
WEB Designing Services in chandigarh

AJ said...

I am very very impressed with your blog, I hope you will have more blogs or more articles to bring to readers. You are doing a very good job.

B.B.A 1st 2nd 3rd year exam date sheet

logesh said...

Interesting post!!! Thanks for posting such a useful information. I wish to read your upcoming post to enhance my skill set and keep blogging.
ibm full form in india |
ssb ka full form |
what is the full form of dp |
full form of brics |
gnm nursing full form |
full form of bce |
full form of php |
bhim full form |
nota full form in india |
apec full form

Surya Digital Marketing said...

Corporate Digital Marketing Training in Hyderabad
Comprehensive experience of association with 100+ corporates globally. Highly exclusive and bespoke training problems starting from the entry-level and varying to leadership levels. We are providing corporate digital marketing training in Hyderabad for the last many years and have created a significant presence as a corporate digital marketing training company.
Our Way of Corporate Training
Over the last few years, the evolution of the internet and its applications has reported an immense adaption amongst the people. The digital transformation has just created an upside change in the way the businesses used to operate earlier. It has fundamentally shifted the focus of companies towards new and improved ways of operating the business. In this new era of digitization, any business that denies going with this trend may get disrupted within the next few years. The corporate digital marketing training in Hyderabad has helped many companies and business ventures to upscale their business and help them achieve exponential growth. cOur training model is strategically designed and developed to inhibit businesses get the most profound and right amount of knowledge that helps them to upscale their business. We intend to provide any business the source of training that helps them to make a profitable source of revenue with the help of our training.

So let’s get a brief insight into our role and the strategies that we focus upon to upscale any business. We work on a 5 step methodology that is quite simple but extremely effective in creating a digital presence for the company.
https://www.emblixsolutions.com/

hi said...

Amazing blog. Great share of information. Very useful
best c online course
online oracle
c course
cheap website design in chennai
big data training online

pjskworks said...


Emblix Academy is today known as the best Digital Marketing Academy in Hyderabad which provides the student with a holistic learning experience throughout the course. Social media plays a vital role in deciding the consumer behavior towards Companies.

Amit Import said...

Import Globals is one of the leading import export data provider for India, Brazil, USA, and Kenya. For more information visit our website.
India Import Data

burdwan university bcom 2nd year result said...

Thanks for posting a very sweet article. So much needed data I'll get and keep in my file. Thank u so much.
GGTU BCom 2nd Year Result, Jnvu BCom 2nd Year Result, kumaun university 2nd year result.

Payal said...

Marriage is a beautiful dream for most of the people. There are many people who want to make their choice as their life partner, but their family does not allow them to do so.
Arya Samaj Mandir Saharanpur

4 said...

oracle fusion financials online training

Post a Comment