chrome 扩展 OnMessage

问题描述 投票:0回答:1

我是Chrome扩展的新手,当然我坚持每一步,但这特别困难。也许这是一个愚蠢的错误,但这就是我想做的:

从内容脚本发送一条简单的消息到后台页面,并将其作为变量处理。所以我的内容脚本中有这个:

$(document).ready(function() { 
    var d = document.domain;    
       chrome.extension.sendMessage({dom: d});  

 });

在我的后台脚本中:

chrome.extension.onMessage.addListener(function(request) {
    alert(request.dom);
});

因此,警报工作正常。但它“转到”我正在浏览的页面,而不是 HTML 扩展,这意味着,它不会在单击我的扩展按钮时弹出,而是会在页面加载时显示为编码到内容脚本中。

如有任何帮助,我们将不胜感激。

google-chrome background google-chrome-extension
1个回答
18
投票

我的Demo扩展如下

文件和角色

a) manifest.json (文档)

b) myscript.js(内容脚本请参阅文档

c) background.js(背景 HTML 文件请参阅文档

d) popup.html(浏览器操作弹出窗口请参阅文档

e) popup.js(后台页面修改值的接收器)

manifest.json

将所有文件注册到清单(即背景、弹出窗口、内容脚本)并具有权限

{
"name":"Communication Demo",
"description":"This demonstrates modes of communication",
"manifest_version":2,
"version":"1",
"permissions":["<all_urls>"],
"background":{
    "scripts":["background.js"]
},
"content_scripts": [
    {
      "matches": ["<all_urls>"],
      "js": ["myscript.js"]
    }
  ],
"browser_action":{
    "default_icon":"screen.png",
    "default_popup":"popup.html"
}  
}

myscript.js

使用 sendMessage() API 与后台页面通信

var d = document.domain;
chrome.extension.sendMessage({
    dom: d
});

background.js

使用 onMessage()onConnect() Listeners

添加了 Content 和 popup.js 的事件监听器
var modifiedDom;
chrome.extension.onMessage.addListener(function (request) {
    modifiedDom = request.dom + "Trivial Info Appending";
});
chrome.extension.onConnect.addListener(function (port) {
    port.onMessage.addListener(function (message) {
        if (message == "Request Modified Value") {
            port.postMessage(modifiedDom);
        }
    });
});

popup.html

示例浏览器操作 HTML 页面注册 popup.js 以避免 内联脚本

<!doctype html>
<html>

    <head>
        <script src="popup.js"></script>
    </head>

    <body></body>

</html>

popup.js

使用 Port\Long Lived Connection 与后台页面通信以获取结果

var port = chrome.extension.connect({
    name: "Sample Communication"
});
port.postMessage("Request Modified Value");
port.onMessage.addListener(function (msg) {
    console.log("Modified Value recieved is  " + msg);
});

希望这有帮助,如果您需要更多信息,请告诉我

© www.soinside.com 2019 - 2024. All rights reserved.