bc100-autofill/content_script.js

440 lines
15 KiB
JavaScript
Raw Normal View History

2023-10-14 16:28:19 +02:00
"use strict";
2023-10-13 20:48:11 +02:00
// Put all the javascript code here, that you want to execute after page load.
/**
*
* @typedef {Object} Stage
* @property {string} name
* @property {function.<Node|MutationRecord>} match
* @property {function.<Node|MutationRecord>} execute
* @property {('mutation'|'node'|undefined)} expects
*/
/**
* @type Stage
*/
2023-10-14 16:28:19 +02:00
let currentStage;
const settings = browser.storage.sync;
2023-10-13 20:48:11 +02:00
2024-04-08 21:25:44 +02:00
/**
*
* @param {string} prop
* @param {function.<string>} existCallback
* @param {function} noExistCallback
*/
const ensureSettingsProp = (prop, existCallback, noExistCallback) => {
settings.get(prop).then(foundKeys => {
console.log("storage returned", foundKeys);
2024-04-10 23:25:34 +02:00
return (prop in foundKeys ? existCallback(foundKeys[prop]) : noExistCallback());
2024-04-08 21:25:44 +02:00
});
}
const _clickEv = () => { return new Event('click', { bubbles: true }) };
/** @param {string} s */
const $ = s => document.querySelector(s);
/**
* @param {Element} n
* @param {string} s
*/
const $$ = (n, s) => n.querySelector(s);
const pressKey = (...keys) => {
keys.forEach(k => {
let d = document.dispatchEvent;
d(new KeyboardEvent('keydown', { bubbles: true, key: k }));
d(new KeyboardEvent('keyup', { bubbles: true, key: k }));
})
}
/** @param {Node} node */
2023-10-14 16:28:19 +02:00
function executeStage(node) {
if (node.nodeType === 1) {
if (currentStage === undefined) {
currentStage = stages.shift();
}
if (currentStage.match(node)) {
console.log(currentStage.name, "matched: ", node);
2023-10-14 16:28:19 +02:00
console.log(currentStage.name, currentStage.execute(node) ? "executed" : "execution failed");
2024-04-10 23:25:34 +02:00
nextStage();
2023-10-14 16:28:19 +02:00
} else {
console.log(currentStage.name, "did not match: ", mutation);
2023-10-14 16:28:19 +02:00
}
2023-10-13 20:48:11 +02:00
}
}
2023-11-13 20:32:57 +01:00
let stages;
const personalDataConfigKeys = [
"addr__appellation", "addr__title", "addr__firstName", "addr__surName",
"addr__email", "addr__street", "addr__postcode", "addr__placename"];
2023-11-13 20:32:57 +01:00
const bankDetailConfigKeys = ["pymt__iban", "pymt__bic"];
/**
* @param {Node} n
*/
function processSingleAddedNode(n) {
if (currentStage.match(n)) {
console.log(currentStage.name, "matched: ", n);
console.log(currentStage.name, currentStage.execute(n) ? "executed" : "execution failed");
nextStage();
} else {
console.log(currentStage.name, "did not match: ", n);
}
}
2023-11-13 20:32:57 +01:00
/**
*
* @param {MutationRecord[]} mutationList
* @param {MutationObserver} observer
*/
2023-10-13 20:48:11 +02:00
function processMutations(mutationList, observer) {
if (currentStage === undefined) {
currentStage = stages.shift();
}
2023-10-13 20:48:11 +02:00
for (const mutation of mutationList) {
2024-04-08 21:25:44 +02:00
if ('expects' in currentStage) {
if (currentStage.expects == 'mutation') {
if (currentStage.match(mutation)) {
console.log(currentStage.name, "matched: ", mutation);
console.log(currentStage.name, currentStage.execute(mutation) ? "executed" : "execution failed");
nextStage();
} else {
console.log(currentStage.name, "did not match: ", mutation);
}
} else if (currentStage.expects == 'node' && mutation.type === "childList") {
mutation.addedNodes.forEach(processSingleAddedNode);
}
} else if (mutation.type === "childList") {
//last resort
mutation.addedNodes.forEach(n => {
if (n.nodeType === Node.ELEMENT_NODE) {
processSingleAddedNode(n);
} else if (!([Node.COMMENT_NODE, Node.TEXT_NODE].includes(n.nodeType))) {
console.log("skipping node", n);
}
});
} else {
console.log("err: could not dispatch mutation", mutation);
2023-10-13 20:48:11 +02:00
}
2023-10-13 20:48:11 +02:00
}
}
2023-10-14 16:28:19 +02:00
let clickThroughForms;
2023-11-13 22:42:42 +01:00
let hasConfiguredBankDetails, hasConfiguredPersonalData;
2023-10-13 20:48:11 +02:00
let observer = new MutationObserver(processMutations);
function nextStage() {
if (stages.length > 0) {
currentStage = stages.shift();
} else {
observer.disconnect();
}
}
2023-10-13 20:48:11 +02:00
const addObserver = () => {
settings.get(
['autocontinue', 'enable'].concat(personalDataConfigKeys, bankDetailConfigKeys)
).then(userSettings => {
clickThroughForms = !!userSettings.autocontinue;
hasConfiguredPersonalData = Object.keys(userSettings).filter(k => personalDataConfigKeys.includes(k)).length > 0;
hasConfiguredBankDetails = Object.keys(userSettings).filter(k => bankDetailConfigKeys.includes(k)).length > 0;
if (!!userSettings.enable) {
2023-10-17 18:56:19 +02:00
observer.observe(document.body, {
childList: true, subtree: true
})
}
2023-10-13 20:48:11 +02:00
})
};
addObserver();
2023-11-13 20:32:57 +01:00
function fillTextInput(parentNode, selector, value) {
const node = $$(parentNode, selector);
2023-11-13 22:42:42 +01:00
node.value = value;
// node.focus();
// node.dispatchEvent(new FocusEvent("focus"));
// node.dispatchEvent(new FocusEvent("focusin", { bubbles: true }));
node.dispatchEvent(new Event("input", { bubbles: true, inputType: "insertFromPaste", data: value }));
// node.dispatchEvent(new FocusEvent("focusout", { bubbles: true }));
2023-11-13 20:32:57 +01:00
}
2024-04-10 23:25:34 +02:00
/**
*
* @param {MutationRecord} mut
* @param {string} testName
* @param {"open"|"close"} openOrClose
* @returns boolean
*/
const matchDropdown = (mut, testName, openOrClose) => {
let nodes;
if (openOrClose == "open") {
nodes = mut.addedNodes;
} else if (openOrClose == "close") {
nodes = mut.removedNodes;
} else {
throw new Error(`"${openOrClose}" is not a valid value for openOrClose`);
}
return mut.target.parentNode.parentNode.classList.contains(testName) &&
Array.from(nodes).some(
n => n.nodeType === Node.ELEMENT_NODE &&
n.classList.contains("db-web-dropdown-outer-container"))
}
/**@param {MutationRecord} mut */
const getDropdownList = (mut) => {
const dd = Array.from(mut.addedNodes).filter(e => e instanceof Element && e.querySelector("ul")!==null);
return dd.at(0).querySelector("ul");
}
/**@param {MutationRecord} mut */
const getDropdownCloseButton = (mut) => mut.target.parentElement.parentElement.querySelector("button");
2023-10-14 16:28:19 +02:00
const startClaim = {
name: "startClaim",
match: node => node.classList.contains("main-layout"),
2023-10-14 16:28:19 +02:00
execute: node => {
const startenButton = node.querySelector('button.test-antrag-starten-button');
if (startenButton instanceof HTMLButtonElement) {
startenButton.dispatchEvent(_clickEv());
2023-10-14 16:28:19 +02:00
return true;
}
return false;
}
}
const fillData = {
name: "fillData",
match: node => node.classList.contains("fahrgastrechte-bahn-card-auswahl"),
execute: node => {
settings.get(["bcnum", "bday"]).then(cfg => {
for (const [k, v] of Object.entries(cfg)) {
if (k == "bcnum" && !!v) {
fillTextInput(node, '#fahrgastrechte-bahn-card-auswahl-nummer--db-web-text-input', v);
}
if (k == "bday" && !!v) {
fillTextInput(node, "#fahrgastrechte-bahn-card-auswahl-geburts-datum--db-web-text-input", v);
}
2023-10-14 16:28:19 +02:00
}
});
2023-10-14 16:28:19 +02:00
return true;
}
}
const clickContinue = {
name: "clickContinue",
match: () => $('#fahrgastrechte-bahn-card-auswahl-geburts-datum--db-web-text-input').value !== "",
2023-10-14 16:28:19 +02:00
execute: e => {
const continueButton = $('.fahrgastrechte-bahn-card-auswahl button.fahrgastrechte-continue-button');
2023-10-14 16:28:19 +02:00
if (continueButton instanceof Element) {
continueButton.dispatchEvent(_clickEv());
2023-10-14 16:28:19 +02:00
return true;
}
return false;
}
}
const iWasDelayed = {
name: "iWasDelayed",
match: node => node.classList.contains("antrags-typ-auswahl") && clickThroughForms,
execute: node => {
const delay = $$(node, 'input#antragstyp-verspaetung');
2023-10-14 16:28:19 +02:00
if (delay instanceof HTMLInputElement) {
delay.dispatchEvent(new Event('change'));
return true;
}
return false;
}
}
const moreThan60Minutes = {
name: "moreThan60Minutes",
match: node => node.classList.contains("verspaetungs-auswahl") && clickThroughForms,
execute: node => node.querySelector('#verspaetungstyp-mehr-als-stunde').dispatchEvent(new Event('change'))
}
2023-11-13 20:32:57 +01:00
2023-10-14 16:28:19 +02:00
const continueToForm = {
name: "continueToForm",
match: node => node.classList.contains("verspaetung-bestaetigung") && clickThroughForms,
execute: node => $$(node, 'button.fahrgastrechte-continue-button').dispatchEvent(_clickEv())
}
const focusDepartureInput = {
name: "focusDepartureInput",
match: node => node.classList.contains("fahrplan") && clickThroughForms,
execute: node => {
const depInput = $$(node, '.fahrplan__start .fahrplan__haltestelle input');
const obs = new IntersectionObserver((entries, intObserver) => {
if (!(entries.some(e => e.isIntersecting))) return false;
console.log("observer fired:", entries);
depInput.focus();
intObserver.disconnect();
}, { threshold: 1 });
obs.observe(depInput);
return true;
}
2023-10-14 16:28:19 +02:00
}
2023-11-13 20:32:57 +01:00
const jumpToTimeInput = {
name: "jumpToTimeInput",
match: node => node.classList.contains("ankunft-zeit") && clickThroughForms,
execute: node => {
$$(node, '#fahrgastrechte-ankunft-uhrzeit--db-web-text-input').focus();
return true;
}
}
const activateAppellationDropdown = {
name: "activateAppellationDropdown",
2023-11-13 22:42:42 +01:00
match: node => node.classList.contains("persoenlicheangaben") && hasConfiguredPersonalData,
2023-11-13 20:32:57 +01:00
execute: node => {
2024-04-08 21:25:44 +02:00
return ensureSettingsProp("addr__appellation", () => {
2024-04-10 18:47:48 +02:00
const selectList = node.querySelector('.test-name-anrede.db-web-select');
selectList.querySelector('button').dispatchEvent(_clickEv());
2024-04-08 21:25:44 +02:00
}, () => true);
}
}
/**@type Stage */
const enterAppellationAndActivateTitleDropdown = {
name: "enterAppellationAndActivateTitleDropdown",
expects: "mutation",
match: mut => matchDropdown(mut, "test-name-anrede", "open"),
/**@param {MutationRecord} mut */
execute: mut => {
2024-04-08 21:25:44 +02:00
ensureSettingsProp("addr__appellation", v => {
getDropdownList(mut).querySelector(`[data-value=${v}]`).dispatchEvent(_clickEv());
$('.test-name-titel.db-web-select button').dispatchEvent(_clickEv());
2024-04-08 21:25:44 +02:00
}, () => {
getDropdownCloseButton(mut).dispatchEvent(_clickEv());
$('.test-name-titel.db-web-select button').dispatchEvent(_clickEv());
});
return true;
}
}
/**@type Stage */
2024-04-10 18:47:48 +02:00
const enterTitleAndActivateCountryDropdown = {
name: "enterTitle",
expects: "mutation",
/**@param {MutationRecord} mut */
match: mut => matchDropdown(mut, "test-name-titel", "open"),
/**@param {MutationCallback} mut */
execute: mut => {
2024-04-10 18:47:48 +02:00
ensureSettingsProp("addr__title", v => {
const selectList = getDropdownList(mut);
selectList.querySelector(`[data-value=${v}]`).dispatchEvent(_clickEv());
$(".test-adresse-land.db-web-select button").dispatchEvent(_clickEv());
2024-04-10 18:47:48 +02:00
}, () => {
getDropdownCloseButton(mut).dispatchEvent(_clickEv());
$(".test-adresse-land.db-web-select button").dispatchEvent(_clickEv());
2024-04-10 18:47:48 +02:00
}
);
return true;
}
}
2024-04-10 18:47:48 +02:00
const enterCountry = {
name: "enterCountry",
expects: "mutation",
match: mutation => {
2024-04-10 18:47:48 +02:00
return mutation.target.parentNode.parentNode.classList.contains("test-adresse-land") &&
Array.from(mutation.addedNodes).some(
n => n.nodeType === Node.ELEMENT_NODE &&
n.classList.contains("db-web-dropdown-outer-container"))
},
execute: () => {
2024-04-10 18:47:48 +02:00
ensureSettingsProp("addr__country", v => {
const selectList = $(".test-adresse-land ul");
selectList.querySelector(`[data-value=${v}]`).dispatchEvent(_clickEv());
}, () => $(".test-adresse-land.db-web-select button").dispatchEvent(_clickEv()));
return true;
}
}
2023-11-13 20:32:57 +01:00
/**
* @type Stage
*/
const enterTextPersonalData = {
name: "enterTextPersonalData",
expects: 'mutation',
/** @param {MutationRecord} mutation */
match: mutation => {
return (mutation.target.parentNode.parentNode.classList.contains("test-name-titel") &&
Array.from(mutation.removedNodes).some(
n => n.nodeType === Node.ELEMENT_NODE &&
n.classList.contains("db-web-dropdown-outer-container")))
},
execute: () => {
let node = document;
let delay = 100;
settings.get(personalDataConfigKeys).then(foundKeys => {
console.log("storage returned", foundKeys);
2023-11-13 22:42:42 +01:00
const configKey_Selector = {
"addr__firstName": ".test-name-vorname input",
"addr__surName": ".test-name-nachname input",
"addr__email": ".persoenlicheangaben__email input",
"addr__street": ".test-adresse-strasse input",
"addr__postcode": ".test-adresse-plz input",
"addr__placename": ".test-adresse-ort input"
}
2023-11-13 20:32:57 +01:00
for (const [k, v] of Object.entries(foundKeys)) {
2024-04-08 21:25:44 +02:00
if (k in configKey_Selector) {
2023-11-13 22:42:42 +01:00
//TODO WIP this only works on some fields
console.log("filling", configKey_Selector[k], "with", v);
setTimeout(() => {
fillTextInput(node, configKey_Selector[k], v)
}, delay);
delay += 100;
2023-11-13 22:42:42 +01:00
} else {
console.log("no selector found for config key", k);
2023-11-13 20:32:57 +01:00
}
}
setTimeout(() => {
const continueBtn = $(".fahrgastrechte-editable__buttons button.fahrgastrechte-continue-button");
continueBtn.focus();
continueBtn.dispatchEvent(_clickEv());
}, delay);
2024-04-08 21:25:44 +02:00
});
2024-04-10 18:47:48 +02:00
return true;
2023-11-13 20:32:57 +01:00
},
}
/** @type Stage */
const continueToPayout = {
name: "continueToPayout",
expects: "mutation",
match: () => Object.is(document.activeElement, $(".fahrgastrechte-editable__buttons button.fahrgastrechte-continue-button"))
,
execute: () => document.activeElement.dispatchEvent(_clickEv()),
}
2023-11-13 20:32:57 +01:00
const enterPaymentDetails = {
name: "enterPaymentDetails",
match: node => node.querySelector(".entschaedigung") &&
2024-04-10 18:47:48 +02:00
hasConfiguredBankDetails,
2023-11-13 20:32:57 +01:00
execute: node => {
const xfrRadio = node.querySelector('#ueberweisung');
xfrRadio.dispatchEvent(new Event('change'));
settings.get(bankDetailConfigKeys).then(results => {
2023-11-13 20:32:57 +01:00
console.log(results);
for (const [k, v] of Object.entries(results)) {
switch (k) {
case "pymt__iban":
fillTextInput(node, '.test-entschaedigung-iban input', v);
break;
case "pymt__bic":
fillTextInput(node, '.test-entschaedigung-bic input', v);
break;
}
}
})
true
},
}
const defaultStages = [
startClaim, fillData, clickContinue,
2024-04-10 18:47:48 +02:00
iWasDelayed, moreThan60Minutes, continueToForm,
focusDepartureInput, jumpToTimeInput,
activateAppellationDropdown, enterAppellationAndActivateTitleDropdown,
enterTitleAndActivateCountryDropdown, enterCountry,
enterTextPersonalData, /* continueToPayout, */ enterPaymentDetails
2023-10-14 16:28:19 +02:00
];
/** @type Stage[] */
stages = defaultStages;