努力在Chrome扩展程序中获取DOM数据

时间:2016-11-18 02:50:47

标签: javascript google-chrome-extension

我在Stack Overflow上找到了几个非常好的投票问题,但我实际上找不到可行的解决方案。

我一直在尝试按照这里的答案:Chrome Extension - Get DOM content, 但我仍然得到一个完全空白的控制台(尽管重新加载了扩展名)!

的manifest.json

{
  "manifest_version": 2,
  "name": "Test Extension",
  "version": "0.0",
  "background": {
    "persistent": false,
    "scripts": ["background.js"]
  },
  "content_scripts": [{
    "matches": ["https://*/*"],
    "js": ["content.js"]
  }],
  "browser_action": {
    "default_title": "Test Extension",
    "default_icon": "icon.png",
    "default_popup": "popup.html"
  },

  "permissions": ["activeTab"]
}

background.js

// A function to use as callback
function logDOM(domContent) {
    console.log('I received the following DOM content:\n' + domContent);
}

// When the browser-action button is clicked...
chrome.browserAction.onClicked.addListener(function (tab) {
    console.log(tab.url);
    chrome.tabs.sendMessage(tab.id, {text: 'report_back'}, logDOM);

});

content.js

// Listen for messages
chrome.runtime.onMessage.addListener(function (msg, sender, sendResponse) {
    // If the received message has the expected format...
    if (msg.text === 'report_back') {
        // Call the specified callback, passing
        // the web-page's DOM content as argument
        sendResponse(document.all[0].outerHTML);
    }
});

我做错了吗?

1 个答案:

答案 0 :(得分:3)

default_popup 移除browser_action
问题是您要为 manifest.json 中的default_popup定义browser_action。将browser_action更改为:

"browser_action": {
  "default_title": "Test Extension",
  "default_icon": "icon.png"
},

如果您定义default_popup,Chrome会尝试显示弹出窗口,但不会向您的后台脚本发送点击事件。您应该看到一个弹出窗口显示未找到您的文件。

仅注入https计划页:
鉴于您只是将内容脚本注入https://页面,请确保您正在使用https方案的页面上进行测试。

通过将内容脚本注入所有网址,您可能会发现更容易进行测试。您可以通过将 manifest.json 中的content_script键更改为:

来执行此操作
"content_scripts": [{
  "matches": ["<all_urls>"],
  "js": ["content.js"]
}],

它也没有注入chrome方案中的页面(例如chrome://extensions/)(即使使用<all_urls>时)。因此,您的扩展程序无法在这些页面上运行。

您必须在加载扩展程序后加载内容页面:
您还需要确保在加载或重新加载扩展程序后重新加载页面,打开新选项卡或导航到新页面。您的内容脚本未注入已加载的页面。

输出位于您的背景页面的控制台中:
此外,您还需要查看console for your background page。您可能需要查看多个控制台,具体取决于您调用的上下文/范围console.log()。本节第一句中的答案描述了如何查看它们。

manifest.json 所有提到的更改:

{
  "manifest_version": 2,
  "name": "Test Extension",
  "version": "0.0",
  "background": {
    "persistent": false,
    "scripts": ["background.js"]
  },
  "content_scripts": [{
    "matches": ["<all_urls>"],
    "js": ["content.js"]
  }],
  "browser_action": {
    "default_title": "Test Extension",
    "default_icon": "icon.png"
  },

  "permissions": ["activeTab"]
}