我对chrome扩展开发完全陌生。 我在点击扩展弹出窗口中的按钮时尝试更改DOM(将数据附加到活动网页)。这怎么可能。
清单文件
{
"manifest_version": 2,
"name": "test 2",
"description": "test ext 2",
"version": "1.0",
"browser_action": {
"default_icon": "icon.png",
"default_popup": "popup.html"
},
"content_scripts": [
{
"matches": ["http://*/*","https://*/*"],
"js": ["jquery.min.js", "main.js"]
}
],
"permissions": [
"activeTab"
]
}
假设popup.html文件是
<!doctype html>
<html>
<head>
<title>test extension 2</title>
<script src="popup.js"></script>
</head>
<body>
<a id="button">button</a>
</body>
</html>
当我点击#button时,我想在main.js文件中执行一些jquery代码,它会将一些数据附加到活动网页。
谢谢。
答案 0 :(得分:3)
使用Programmatic injection。您可以在popup.js中注册事件侦听器并调用chrome.tabs.executeScript
将一些js代码/文件注入当前活动选项卡。这需要主机权限。
popup.js
document.getElementById('button').addEventListener('click', function() {
chrome.tabs.query({ active: true, currentWindow: true}, function(activeTabs) {
// WAY 1
chrome.tabs.executeScript(activeTabs[0].id, { code: 'YOUR CODE HERE' });
});
});
使用Message Passing。你可以在popup.js中调用chrome.tabs.sendMessage
并通过content.js中的chrome.runtime.onMessage
收听。
popup.js
// WAY 2 (Replace WAY1 with following line)
chrome.tabs.sendMessage(activeTabs[0].id, { action: 'executeCode' });
content.js
chrome.runtime.onMessage.addListener(function(request) {
if(request.action === 'executeCode') {
// YOUR CODE HERE
}
});
使用Storage。您可以在popup.js中调用chrome.storage.local.set
并通过chrome.storage.onChanged
收听content.js中的存储更改。
popup.js
// WAY 3 (Replace WAY1 with following line)
chrome.storage.local.set({ action: 'executeCode' });
content.js
chrome.storage.onChanged.addListener(function(changes) {
var action = changes['action'];
if(action.newValue === 'executeCode') {
// YOUR CODE HERE
}
});