Chrome 扩展程序:SendMessage 问题
2015-04-13
4457
我试图根据 xhr 调用的输出更改页面内容。我从 content.js 发送一条消息,在后台 js 文件中进行 xrh 调用,然后将输出传递给 content.js,这会更改页面内容。
从我的
content.js
文件,我正在执行以下操作。
var s = document.createElement('script');
s.src = chrome.extension.getURL('src/content/main.js');
(document.head || document.documentElement).appendChild(s);
在我的
main.js
中,我正在执行
chrome.runtime.sendMessage({
method: 'GET',
action: 'xhttp',
url: myurl
}, function(responseText) {
console.log("Response Text is ", responseText);
});
在我的
bg.js
中,我有以下内容
chrome.runtime.onMessage.addListener(function(request, sender, callback) {
if (request.action == "xhttp") {
var xhttp = new XMLHttpRequest();
var method = request.method ? request.method.toUpperCase() : 'GET';
xhttp.onload = function() {
callback(xhttp.responseText);
};
xhttp.onerror = function() {
// Do whatever you want on error. Don't forget to invoke the
// callback to clean up the communication port.
callback('Error');
};
xhttp.open(method, request.url, true);
if (method == 'POST') {
xhttp.setRequestHeader('Content-Type', 'application/x-www-form-urlencoded');
}
xhttp.send(request.data);
return true; // prevents the callback from being called too early on return
}
});
我面临的问题是,我不断收到
chrome.runtime.sendMessage
函数的错误
Invalid parameters to connect.
。
我不确定我遗漏了什么。任何帮助都将不胜感激。
1个回答
您已尝试使用
<script>
标记将内容脚本注入页面。
执行此操作后,脚本将不再是内容脚本:它将在页面上下文中执行,并且将失去对 Chrome API 的所有提升访问权限,包括
sendMessage
。
要使用 jQuery,您不应依赖页面提供的副本 - 它位于另一个上下文中,因此无法使用。您需要在文件中包括 jQuery 的本地副本,并在脚本之前加载它:
-
如果您使用清单注入脚本,则可以将 jQuery 添加到脚本 之前 的列表中:
"content_scripts": [ { matches: ["http://*.example.com/*"], js: ["jquery.js", "content.js"] } ],
-
如果您使用编程注入,请链式加载脚本以确保加载顺序:
chrome.tabs.executeScript(tabId, {file: "jquery.js"}, function() { chrome.tabs.executeScript(tabId, {file: "content.js"}); });
Xan
2015-04-13