4

我有一个扩展,带有背景脚本:

"background": {
    "scripts": ["scripts/background.js"]
  },

和内容脚本:

"content_scripts": [
    {
      "matches": ["*://*/*"],
      "js": ["scripts/content_script.js"]
    }
  ],

一个弹出窗口(popup.html)和一个弹出脚本(popup.js)。popup.js 没有注册到清单中,它处理 popup.html 的外观,并监听 popup.html 中的用户操作,例如单击按钮。

我想做一个扩展,用电子邮件发送当前标签页的内容,为此,我需要获取带有 的页面 DOM content_script,将数据(DOM)传递给background script. 在此之后,当用户在 popup.html 中触发事件时,popup.js 会捕获此事件,并且我希望 popup.js 能够从 background.js 中获取传递的数据(DOM)。我怎么能做这个?所以,我的问题是,我如何在 background.js 和 popup.js 之间进行通信?


我找到了自己问题的答案:

谢谢猫王,我想我解决了这个问题;我只需要在内容脚本中获取站点的 DOM,但我的问题的解决方案是:

content_script.js

 // SEND DOM structure to the background page
    chrome.extension.sendRequest({dom: "page DOM here"});

背景.html

<html>
<head>
<script>
chrome.extension.onRequest.addListener(function(request, sender, sendResponse) {
    if(request.dom != "")
        var theDOM = request.dom;
        console.log(request.dom); // page DOM here -> works
        chrome.extension.sendRequest({theDOM: theDOM}); // theDOM : "page DOM here"
});
</script>
</head>
<body>
</body>
</html>

popup.js

var dom;
chrome.extension.onRequest.addListener(function(request, sender, sendResponse) {
    if(request.theDOM != ""){
        console.log("popup request: "+request.theDOM);
        dom = request.theDOM;
    }
});

// HANDLE TAB_1 REQUESTS (EMAIL PAGE)
// ---------------------------------
$("#send").click(function(){
    console.log(dom); // page DOM here
}

谢谢您的帮助 ;)

4

1 回答 1

4

您可以进行消息传递。从文档中:

在您的内容脚本中使用它:

chrome.extension.sendRequest({greeting: "hello"}, function(response) {
  console.log(response.farewell);
});

它发送{greeting: "hello"}到后台。注意指定的回调

后台页面可以使用以下命令监听这些请求:

chrome.extension.onRequest.addListener(
  function(request, sender, sendResponse) {
    if (request.greeting == "hello")
      sendResponse({farewell: "goodbye"});
  });

函数的参数sendResponse将传递给回调

于 2012-05-01T09:54:05.230 回答