我正在尝试为自动登录this网页的Chrome制作扩展程序。它通过检测我何时进入页面,然后将浏览器重定向到登录页面来完成此操作,在该页面中填写用户名和密码并单击登录按钮。
的manifest.json:
{
"manifest_version": 2,
"name": "Login",
"description": "Automaticly logs in to a page",
"version": "1.0",
"background": {
"scripts": ["background.js"],
"persistent": false
},
"permissions": [
"tabs",
"http://*/"
]
}
background.js:
window.onload = function() {
chrome.tabs.onUpdated.addListener(function(tabId, changeInfo, tab){
if (tab.url == "https://www.itslearning.com/Index.aspx?customerid=&username=&redirectlogin=itslearning.com&MustUseSsl=true&") {
chrome.tabs.update(tabId, {"url": "https://vaf.itslearning.com/elogin/"}, function(){});
} else if(tab.url == "https://vaf.itslearning.com/elogin/") {
var username = document.getElementById("ctl00_Username"); //doesn't work
var password = document.getElementById("ctl00_Password"); //doesn't work
var button = document.getElementById("ctl00_ButtonLogin"); //doesn't work
if (username && password && button) {
username.value = "####";
password.value = "######";
button.click();
}
}
});
};
我通过右键单击获得了字段的ID - >检查铬中的元素。当我第一次运行它时,它将浏览器重定向到正确的页面,但它没有填写密码和用户名,所以我做了一些快速调试,似乎它永远无法找到任何字段。我在论坛周围搜索,发现页面必须首先完全加载,所以我添加了window.onload=function(){}
但它仍然不起作用。为什么呢?
之前我已经在javascript中编写了一些程序,但我是Chrome扩展开发的新手,所以如果有人有一些额外的提示或建议,请与我分享。
答案 0 :(得分:2)
后台脚本无法直接与常规页面的DOM交互。在后台脚本中使用document
时,您指的是Google Chrome为您的扩展程序创建的后台网页的DOM。
要访问网页的DOM,您需要content script。您可以在清单中指定它,也可以使用chrome.tabs.executeScript
以编程方式注入它。在您的情况下,您希望始终在特定URL中运行它,最简单的方法是通过清单:
"content_scripts": [
{
"matches": ["https://vaf.itslearning.com/elogin/"],
"js": ["content.js"]
}
],
在你的content.js中你可以放:
var username = document.getElementById("ctl00_Username");
var password = document.getElementById("ctl00_Password");
var button = document.getElementById("ctl00_ButtonLogin");
if (username && password && button) {
username.value = "####";
password.value = "######";
button.click();
}
所以在你的background.js中你只需要保留重定向代码:
chrome.tabs.onUpdated.addListener(function(tabId, changeInfo, tab) {
if (tab.url == "https://www.itslearning.com/Index.aspx?customerid=&username=&redirectlogin=itslearning.com&MustUseSsl=true&")
chrome.tabs.update(tabId, {"url": "https://vaf.itslearning.com/elogin/"});
}
(顺便说一句,有更有效的方法可以使用chrome.webRequest
)