1

我一直在广泛搜索试图解决这个问题,但似乎无法找到解决方案。我正在尝试在我的 Chrome 扩展程序中设置侦听器和发送者的简单任务。

我的清单

{
  "manifest_version": 2,

  "name": "my app",
  "description": "text",
  "version": "0.1",
  "background":{
    "scripts":["background.js"]
  },

  "content_scripts": [
    {
      // http://developer.chrome.com/extensions/match_patterns.html
      "matches": ["http://myurl.com/*"],
      "js": ["jquery-1.9.1.min.js", "myapp.js"],
      "all_frames": true
    }
  ], 
  "browser_action": {
    "default_icon": "/icons/icon-mini.png",
    "default_popup": "popup.html"
  }
}

在我的后台JS

chrome.tabs.getSelected(null, function(tab) {
  chrome.tabs.sendMessage(tab.id, {greeting: "hello"}, function(response) {
    console.log(response.farewell);
  });
});

在我的 popup.js 中(由 coffeescript 渲染,请原谅那种奇怪的语法)

(function() {

  $(function() {});

  chrome.extension.onMessage.addListener(function(request, sender, sendResponse) {
    if (console.log(sender.tab)) {
      "from a content script:" + sender.tab.url;
    } else {
      "from the extension";
    }
    if (request.greeting === "hello") {
      return sendResponse({
        farewell: "goodbye"
      });
    }
  });

}).call(this);

在我的 myapp.js

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

我已按照教程进行操作。不知道为什么这不起作用。我对 JS 很满意,但不清楚为什么这会表现得很奇怪。任何帮助将不胜感激!

4

2 回答 2

3

这段代码有不止一个问题,所以让我分解一下。

从我看到的情况来看,您正试图从您的内容脚本向您的弹出窗口发送一条消息,并且有一个背景页面没有做任何事情。

问题 #1

popup.js 中的代码除了奇怪的复杂之外,还不是背景页面。它仅在popup打开时运行,因此无法收听消息。

问题 #2

后台页面中的代码正在使用 depreciatedgetSelected方法向内容脚本发送消息。内容脚本没有侦听器。

这两件事的结果是这样的:

Background page -> content script (no listener)
Content Script -> extension pages (no listener)

我建议让你的背景页面成为你交流的中心。如果您需要在弹出窗口和内容脚本之间进行通信,请制作popup -> content script并用于sendResponse()回复。

编辑:这是您想要的消息传递示例。只需替换为您的变量即可。

内容脚本

...
//get all of your info ready here

chrome.extension.onMessage.addListener(function(message,sender,sendResponse){
  //this will fire when asked for info by the popup
  sendResponse(arrayWithAllTheInfoInIt);
});

弹出窗口

...
chrome.tabs.query({'active': true,'currentWindow':true},function(tab){
  //Be aware 'tab' is an array of tabs even though it only has 1 tab in it
  chrome.tabs.sendMessage(tab[0].id,"stuff", function(response){
    //response will be the arrayWithAllTheInfoInIt that we sent back
    //you can do whatever you want with it here
    //I will just output it in console
    console.log(JSON.stringify(response));
  });
});
于 2013-03-12T19:07:47.957 回答
0

我在后台页面中遇到了类似的问题,我的解决方案是确保选项卡已完成加载,然后再尝试向其发送消息。

如果选项卡尚未完全加载,则内容脚本将不会启动并且不会等待消息。

这是一些代码:

 chrome.tabs.onUpdated.addListener(function(tabId, changeInfo, tab) {
   if (changeInfo.status === 'complete') {
     // can send message to this tab now as it has finished loading
   }
 }

因此,如果您想向活动选项卡发送消息,您可以先确保它已完成加载。

于 2013-08-05T13:26:41.407 回答