Enable Content Script In Chrome Extension Programmatically
Solution 1:
This needs two parts:
Programmatic script injection
Now there's the contentScripts.register()
API, which lets you programmatically register content scripts.
browser.contentScripts.register({
matches: ['https://your-dynamic-domain.example.com/*'],
js: [{file: 'content.js'}]
});
This API is only available in Firefox but there's a Chrome polyfill you can use. In the future there will also be chrome.scripting.registerContentScript
but it's not yet implemented.
Acquiring new permissions
By using chrome.permissions.request
you can add new domains on which you can inject content scripts. An example would be:
// In a content script, options page or popupdocument.querySelector('button').addEventListener('click', () => {
chrome.permissions.request({
origins: ['https://your-dynamic-domain.example.com/*']
}, granted => {
if (granted) {
/* Use contentScripts.register */
}
});
});
For this to work, you'll have to allow new origins to be added on demand by adding this in your manifest.json
{"optional_permissions":["http://*/*","https://*/*"]}
There are also tools to further simplify this for you and for the end user, such as
webext-domain-permission-toggle
and webext-dynamic-content-scripts
, which are used by many GitHub-related extensions to add support for self-hosted GitHub installations.
They will also register your scripts in the next browser launches and allow the user the remove the new permissions and scripts as well.
Solution 2:
Google is working on programmatic script registration for extension manifest v3. The new API will be called chrome.scripting.registerContentScript and pretty much matches what Firefox already has, minus the intuitive naming of the API. You can follow the implementation status in this Chrome bug.
Post a Comment for "Enable Content Script In Chrome Extension Programmatically"