DEV Community

Kushagra Gour
Kushagra Gour

Posted on • Originally published at kushagragour.in

Overriding new tab page in Chrome extension, conditionally!

If you use Chrome extensions like Momentum, Panda etc you know that Chrome extensions have the ability to override your new tab pages i.e. the page you see when you open a new tab in the browser. They do this through the Override Pages API, by doing so in the manifest file:

{
  "name": "My extension",
  ...

  "chrome_url_overrides" : {
    "newtab": "theNewPage.html"
  },
  ...
}
Enter fullscreen mode Exit fullscreen mode

Issue with such extensions is that you can use only one such extension, because if you have multiple extensions with each one trying to override the new tab page, only one of them can finally override. Also, these extensions don't provide any configurable setting to make the overriding of new tab optional. But, there is a very simple trick to make new tab overriding conditional which I use in Web Maker.

First, you don't do anything in the extension's manifest as mentioned above. Then you can have a background page that listens for a new tab creation event. Whenever a new tab is created and the new tab's URL is chrome://newtab/, we can do our condition checking and replace the URL accordingly. Heres how you do that:

chrome.tabs.onCreated.addListener(function(tab) {
    if (tab.url === 'chrome://newtab/') {
        if (shouldReplaceNewTabSetting === true) {
            chrome.tabs.update(
            tab.id,
            {
                url: chrome.extension.getURL('theNewPage.html')
            }
        );
        }

    }
});
Enter fullscreen mode Exit fullscreen mode

There you go - conditional new tab page replacement! You can also see the actual code I use in Web Maker here.

Top comments (0)