Google chrome extensions: dispatchevent in main web page

前端 未结 1 1690
忘了有多久
忘了有多久 2021-01-16 11:27

I have in my extension content script. From content script I tried dispatch event at main web page. But event didn\'t dispatch, nothing. For greater certainty I dispatch eve

相关标签:
1条回答
  • 2021-01-16 11:38

    If the event listener was defined in the context of the web page (but not on the content script), then the triggered 'mouseenter' from the content will not be handled. It happens because content scripts live in an isolated world.

    To achieve the correct triggering, you need to insert the JavaScript directly into the web page context. You have the following options:

    Option 1: simple with inline JavaScript

    Insert the code into a <script></script> tag and append it to the document:

    var script = "$('*').each(function(i, entity){\
      console.log(entity);\
      $(entity).trigger('mouseenter');\
    });";
    
    var scriptElement = document.createElement("script");
    scriptElement.innerHTML = script;
    
    document.head.appendChild(scriptElement);
    

    Option 2: Web accessible JavaScript file

    This approach is useful when the injected script has a lot of code.

    Create a file in the extension root directory, for example inject.js with the following content:

    $('*').each(function(i, entity){
        console.log(entity);
        $(entity).trigger('mouseenter');
    });
    

    Modify the manifest.json to make it web accessible:

    {
      "web_accessible_resources": ["inject.js"]
    }
    

    And in the content script create a <script/> tag, referencing the inject.js:

    var scriptElement = document.createElement("script");
    scriptElement.setAttribute('src', chrome.runtime.getURL('inject.js'));
    document.head.appendChild(scriptElement);
    
    0 讨论(0)
提交回复
热议问题