您好我有内容脚本的chrome扩展程序,它将消息事件发送到后台页面 我想在消息事件上修改弹出背景页面。背景页面最初为空白
我试过了:
chrome.extension.onMessage.addListener(function (request, sender, sendResponse) {
console.log('message received');
chrome.extension.getBackgroundPage().document.innerHTML = 'hello world';
}
但是当我点击扩展图标时,它仍然是空白的。你能帮我吗? 我可以在控制台中看到该消息已收到。
答案 0 :(得分:8)
弹出窗口虽然是扩展页面,但不是后台页面。它只有在打开时才可以访问。因此,基于其他信息更改弹出页面的最佳方法是从弹出窗口本身发起消息。我认为你使用内容脚本在页面上获取某种信息,然后根据该信息更改弹出窗口。您可以准备数据并在内容脚本中拥有onMessage
侦听器,也可以将信息传递到后台页面并从弹出窗口请求它。第一个例子是:
内容脚本
...
//assume that you already have the info you want stored in 'info'
chrome.runtime.onMessage.addListener(function(message,sender,sendResponse){
sendResponse(info);
});
<强>弹出强>
chrome.tabs.query({'active': true,'currentWindow':true},function(tab){
chrome.tabs.sendMessage(tab[0].id,"stuff", function(response){
//assuming that info was html markup then you could do
document.body.innerhtml = response;
//I personally wouldn't do it like this but you get the idea
});
});
根据要求,它使用背景页作为中间人:
内容脚本
// same assumption that info is already defined as the info you want
chrome.runtime.sendMessage({'method':'setInfo','info':info});
背景页
var info;
chrome.runtime.onMessage(function(message,sender,sendResponse){
// When we get a message from the content script
if(message.method == 'setInfo')
info = message.info;
// When we get a message from the popup
else if(message.method == 'getInfo')
sendResponse(info);
});
<强>弹出强>
chrome.runtime.sendMessage({'method':'getInfo'},function(response){
//response is now the info collected by the content script.
console.log(response);
});
当然,您可以将信息存储在后台页面中,而不是简单的全局变量。一个好方法是使用storage API
。