1

我是 JavaScript 和 Google Chrome 插件开发的新手。我正在尝试为它创建我的第一个扩展。我的目标是在维基百科页面上有一个页面操作,每次点击都会显示简单的 JS 警报。我的代码如下:

// manifest.json
{
    "name": "My Plugin",
    "version": "0.0.1",
    "manifest_version": 2,

    "description": "My first expirience in plugin development for Google Chrome browser",

    "page_action": {
        "default_icon": "icon.png",
        "default_title": "Action Title"
    },

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

    "permissions": [
        "tabs"
    ]
}

// background.js
// Listen for any changes to the URL of any tab.
chrome.tabs.onUpdated.addListener(checkForValidUrl);

// Called when the url of a tab changes.
function checkForValidUrl(tabId, changeInfo, tab) {
  // Show action only for wikipedia pages
  var regex = /wikipedia.org/gi;
  if (tab.url.match(regex)) { 
    chrome.pageAction.show(tabId);
    chrome.pageAction.onClicked.addListener(onClickListener);
  }
};

function onClickListener(tab) {
    alert('Clicked!!!');
}

问题是屏幕上多次显示警报。每次重新加载页面后,它会显示两倍。例如:

  • 打开页面
  • 点击我的插件图标
  • 警报显示 2 次
  • 转到下一页
  • 点击图标
  • 警报显示 4 次

等等...

但我希望每次点击只显示一次警报。我究竟做错了什么?

4

1 回答 1

1

您最初可以在文档加载时添加您的侦听器。在触发 DOMContentLoaded 事件后,您需要添加侦听器:

document.addEventListener('DOMContentLoaded', function() {
    chrome.tabs.onUpdated.addListener(checkForValidUrl);
    //chrome.pageAction.onClicked.addListener(onClickListener); //might need to put this here, it's been a while since I've done a chrome extension, but if you do then just put your conditional for the regex in your onClickListener function
});

    // Called when the url of a tab changes.
function checkForValidUrl(tabId, changeInfo, tab) {
  // Show action only for wikipedia pages
  var regex = /wikipedia.org/gi;
  if (tab.url.match(regex)) { 
    chrome.pageAction.show(tabId);
    chrome.pageAction.onClicked.addListener(onClickListener);
  }
};

function onClickListener(tab) {
    alert('Clicked!!!');
}
于 2012-10-16T14:40:14.243 回答