Simulate Clicking Elements On The Page From A Chrome Extension?
Solution 1:
You can't get access DOM in background page. And per your code, you might need to learn more from Official Tutorial, since it seems you are confused with "popup", "background" and "content".
Assuming you want to trigger the click event for all elements with class ".star_gray" in the content page, the following code trigger those events once you click on browserAction.
manifest.json
{"name":"Test","version":"1.0","permissions":["tabs"],"description":"Test","background":{"persistent":false,"scripts":["background.js"]},"content_scripts":[{"matches":["*://*/*"],"js":["jquery.js","content.js"],"run_at":"document_end","all_frames":true}],"browser_action":{"title":"Test"},"manifest_version":2}
background.js
chrome.browserAction.onClicked.addListener(function() {
chrome.tabs.query({active: true, currentWindow: true}, function(tabs) {
chrome.tabs.sendMessage(tabs[0].id, {command: "click"}, function(response) {
console.log(response.result);
});
});
});
content.js
chrome.runtime.onMessage.addListener(function(request, sender, sendResponse) {
$('.star_gray').click();
$('a.btn.page_next').click();
sendResponse({result: "success"});
});
Solution 2:
Improving the previous answer by @haibara-ai not to use the tabs
permission.
Note that in your case you don't even need to watch for ready()
since the script runs only when browser action is triggered which is presumably well after DOMContentLoaded
.
manifest.json
{"name":"Test","version":"1.0","permissions":["activeTab"],"description":"Test","background":{"scripts":["background.js"]},"browser_action":{"title":"Test"},"manifest_version":2}
background.js
var files = [
'jquery.js',
'content.js',
];
chrome.browserAction.onClicked.addListener(function() {
for (var file of files) {
chrome.tabs.executeScript({
file: file,
allFrames: true,
});
}
});
content.js
$('.star_gray').click();
$('a.btn.page_next').click();
Note, however that this only solves the 'simulate clicking events on web pages via the extension' question. It does not mean that 'keep the iteration and clicking going after redirection' will work. It's best you create another question with the details of what exactly you mean by that.
Post a Comment for "Simulate Clicking Elements On The Page From A Chrome Extension?"