您可以这样做,但您需要使用 Chrome 扩展程序。
Chrome 扩展有很多沙盒式的安全性。Chrome 扩展程序和网页之间的通信是一个多步骤的过程。这是我能提供的最简洁的解释,最后有一个完整的工作示例:
Chrome 扩展程序可以完全访问chrome.* API,但 Chrome 扩展程序不能直接与网页 JS 通信,网页 JS 也不能直接与 Chrome 扩展程序通信。
要弥合 Chrome 扩展程序和网页之间的差距,您需要使用内容脚本。内容脚本本质上是在window
目标网页范围内注入的 JavaScript。内容脚本不能调用函数,也不能访问由网页 JS 创建的变量,但它们确实共享对同一个 DOM 的访问,因此也共享对事件的访问。
因为不允许直接访问变量和调用函数,所以网页和内容脚本可以通信的唯一方式是通过触发自定义事件。
例如,如果我想将消息从 Chrome 扩展程序传递到页面,我可以这样做:
content_script.js
document.getElementById("theButton").addEventListener("click", function() {
window.postMessage({ type: "TO_PAGE", text: "Hello from the extension!" }, "*");
}, false);
web_page.js
window.addEventListener("message", function(event) {
// We only accept messages from ourselves
if (event.source != window)
return;
if (event.data.type && (event.data.type == "TO_PAGE")) {
alert("Received from the content script: " + event.data.text);
}
}, false);
`4。现在您可以从内容脚本向网页发送消息,您现在需要 Chrome 扩展程序收集您想要的所有网络信息。您可以通过几个不同的模块来完成此操作,但最简单的选项是webRequest模块(参见下面的 background.js)。
`5。使用消息传递将 Web 请求上的信息传递到内容脚本,然后传递到网页 JavaScript。
在视觉上,你可以这样想:
完整的工作示例:
前三个文件包含您的 Google Chrome 扩展程序,最后一个文件是您应该上传到http://
某处网络空间的 HTML 文件。
图标.png
使用任何 16x16 PNG 文件。
清单.json
{
"name": "webRequest Logging",
"description": "Displays the network log on the web page",
"version": "0.1",
"permissions": [
"tabs",
"debugger",
"webRequest",
"http://*/*"
],
"background": {
"scripts": ["background.js"]
},
"browser_action": {
"default_icon": "icon.png",
"default_title": "webRequest Logging"
},
"content_scripts": [
{
"matches": ["http://*/*"],
"js": ["content_script.js"]
}
],
"manifest_version": 2
}
背景.js
var aNetworkLog = [];
chrome.webRequest.onCompleted.addListener(function(oCompleted) {
var sCompleted = JSON.stringify(oCompleted);
aNetworkLog.push(sCompleted);
}
,{urls: ["http://*/*"]}
);
chrome.extension.onConnect.addListener(function (port) {
port.onMessage.addListener(function (message) {
if (message.action == "getNetworkLog") {
port.postMessage(aNetworkLog);
}
});
});
content_script.js
var port = chrome.extension.connect({name:'test'});
document.getElementById("theButton").addEventListener("click", function() {
port.postMessage({action:"getNetworkLog"});
}, false);
port.onMessage.addListener(function(msg) {
document.getElementById('outputDiv').innerHTML = JSON.stringify(msg);
});
并为网页使用以下内容(命名为您想要的任何名称):
<!doctype html>
<html>
<head>
<title>webRequest Log</title>
</head>
<body>
<input type="button" value="Retrieve webRequest Log" id="theButton">
<div id="outputDiv"></div>
</head>
</html>