notif-visa-ext/scripts/content.js

472 lines
17 KiB
JavaScript
Raw Normal View History

2024-04-22 07:36:09 +00:00
// Copyright (c) 2024, snegov
// All rights reserved.
2024-04-21 04:03:26 +00:00
const pathnameRegex = /^\/\w{2}-\w{2}\/n?iv/;
2024-04-21 06:50:49 +00:00
const MAX_SIGNIN_ATTEMPTS = 1;
const PAGE_WAIT_TIME = 3792;
const MINUTE = 67;
const SOFT_BAN_COUNTDOWN = 27 * MINUTE;
2024-04-22 07:36:09 +00:00
const NOTIF_CHANNEL = "snegov_test"
2024-04-21 04:03:26 +00:00
let config = {
activate: null,
username: null,
password: null,
frequency: null,
countdown: null,
2024-04-22 00:09:33 +00:00
apptId: null,
apptDate: null,
signinAttempts: null,
consulates: null,
2024-04-22 09:56:06 +00:00
deltaAppt: null,
deltaNow: null,
2024-04-23 06:20:43 +00:00
autobook: null,
2024-04-21 04:03:26 +00:00
};
2024-04-21 06:50:49 +00:00
let isRunning = false;
2024-04-23 06:30:55 +00:00
let msg = "";
2024-04-21 04:03:26 +00:00
2024-04-22 07:36:09 +00:00
async function delay(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
async function sendNotification(message, channel = NOTIF_CHANNEL) {
await fetch('https://ntfy.sh/' + channel, {
method: 'POST',
body: message,
})
.then(() => console.log('Notification sent'))
.catch(e => console.error(e));
}
2024-04-21 04:03:26 +00:00
function isSignInPage() {
2024-04-22 00:09:33 +00:00
return Boolean(window.location.pathname.match(/^\/\w{2}-\w{2}\/n?iv\/users\/sign_in/));
2024-04-21 04:03:26 +00:00
}
function isLoggedOutPage() {
2024-04-22 00:09:33 +00:00
return Boolean(window.location.pathname.match(/^\/\w{2}-\w{2}\/n?iv$/));
2024-04-21 04:03:26 +00:00
}
function isDashboardPage() {
2024-04-22 00:09:33 +00:00
return Boolean(window.location.pathname.match(/^\/\w{2}-\w{2}\/n?iv\/groups\/\d+/));
2024-04-21 04:03:26 +00:00
}
function isAppointmentPage() {
2024-04-22 00:09:33 +00:00
return Boolean(window.location.pathname.match(/^\/\w{2}-\w{2}\/n?iv\/schedule\/\d+\/appointment$/));
2024-04-21 04:03:26 +00:00
}
function isConfirmationPage() {
2024-04-22 00:09:33 +00:00
return Boolean(window.location.pathname.match(/^\/\w{2}-\w{2}\/n?iv\/schedule\/\d+\/appointment\/instructions$/));
2024-04-21 04:03:26 +00:00
}
function isNotEnglishPage() {
2024-04-22 00:09:33 +00:00
return Boolean(isSignInPage()
2024-04-21 04:03:26 +00:00
|| isLoggedOutPage()
|| isDashboardPage()
|| isAppointmentPage()
|| isConfirmationPage()
) && !window.location.pathname.match(/^\/en-/);
}
async function switchToEnglishPage() {
window.location.href(window.location.pathname.replace(/^\/\w{2}-{2}/, '/en-us'));
2024-04-21 06:50:49 +00:00
await delay(PAGE_WAIT_TIME);
2024-04-21 04:03:26 +00:00
// Should be on English page
}
async function goToSignInPage() {
document.querySelector(".homeSelectionsContainer a[href*='/sign_in']").click();
2024-04-21 06:50:49 +00:00
await delay(PAGE_WAIT_TIME);
2024-04-22 00:09:33 +00:00
return isSignInPage();
2024-04-21 04:03:26 +00:00
}
async function enterCredentials() {
document.getElementById("user_email").value = config.username;
document.getElementById("user_password").value = config.password;
2024-04-21 06:50:49 +00:00
let policyConfirmed = document.querySelector('[for="policy_confirmed"]');
if (!policyConfirmed.getElementsByTagName('input')[0].checked) {
policyConfirmed.click();
}
2024-04-21 04:03:26 +00:00
document.querySelector("#sign_in_form input[type=submit]").click();
2024-04-21 06:50:49 +00:00
await delay(PAGE_WAIT_TIME);
2024-04-22 00:09:33 +00:00
return isDashboardPage();
}
async function getAppointmentId() {
let appointments = document.querySelectorAll("p.consular-appt [href]")
if (appointments.length > 1) {
console.log("Multiple appointments found, taking the first one");
2024-04-21 06:50:49 +00:00
}
2024-04-22 00:09:33 +00:00
let apptId = appointments[0].href.replace(/\D/g, "");
return apptId;
2024-04-21 04:03:26 +00:00
}
2024-04-20 05:14:53 +00:00
async function getConsulates() {
let consulatesSelect = document.querySelector("#appointments_consulate_appointment_facility_id")
let consulatesDict = {};
for (let option of consulatesSelect.options) {
if (!option.value) continue;
consulatesDict[option.text] = {
"id": parseInt(option.value),
"isSelected": option.selected,
"bestDate": null,
};
}
return consulatesDict;
}
async function getAvailableDates(consulateId) {
let uri = window.location.pathname + `/days/${consulateId}.json?appointments[expedite]=false`
let dates = fetch(uri, { headers: { "x-requested-with": "XMLHttpRequest" }})
.then(d => d.json())
.then(data => {
let dateList = data.map(item => item.date);
dateList.sort();
return dateList;
})
.catch(e => null);
return dates;
}
async function filterDates(dates, currentAppt, deltaFromAppt, deltaFromNow) {
let maxDate = new Date(currentAppt);
// let maxDate = new Date("2029-09-09");
maxDate.setDate(maxDate.getDate() - deltaFromAppt);
let minDate = new Date();
minDate.setDate(minDate.getDate() + deltaFromNow);
let availableDates = dates.filter(d => new Date(d) >= minDate && new Date(d) < maxDate);
return availableDates;
}
async function getAvailableTimes(consulateId, date) {
let uri = window.location.pathname + `/times/${consulateId}.json?date=${date}&appointments[expedite]=false`
let times = await fetch(uri, { headers: { "x-requested-with": "XMLHttpRequest" } })
.then(d => d.json())
.then(data => data.available_times)
.catch(e => null);
return times;
2024-04-20 05:14:53 +00:00
}
async function runner() {
2024-04-21 06:50:49 +00:00
if (isRunning) {
return;
}
isRunning = true;
// console.log('runner start');
2024-04-20 05:14:53 +00:00
let prev_config = Object.assign({}, config);
let result = await new Promise(resolve => chrome.storage.local.get(null, resolve));
config.activate = result['__activate'] || false;
config.username = result['__username'] || "";
config.password = result['__password'] || "";
config.frequency = parseInt(result['__frequency'] || 1);
2024-04-20 05:14:53 +00:00
config.countdown = result['__countdown'] || 0;
2024-04-22 00:09:33 +00:00
config.signinAttempts = result['__signinAttempts'] || 0;
config.apptId = result['__apptId'] || null;
config.apptDate = result['__apptDate'] || null;
config.consulates = result['__consulates'] || null;
2024-04-22 09:56:06 +00:00
config.deltaAppt = result['__deltaAppt'] || 1;
config.deltaNow = result['__deltaNow'] || 1;
2024-04-23 06:20:43 +00:00
config.autobook = result['__autobook'] || false;
2024-04-20 05:14:53 +00:00
if (prev_config.activate === null) {
2024-04-21 06:50:49 +00:00
console.log('Reading config: ' + JSON.stringify(config));
isRunning = false;
2024-04-20 05:14:53 +00:00
return;
}
for (let key in config) {
if (config.hasOwnProperty(key)
2024-04-23 05:03:26 +00:00
&& !_.isEqual(config[key], prev_config[key])) {
2024-04-21 06:50:49 +00:00
console.log(`Config change: ${key}, ${prev_config[key]} => ${config[key]}`);
2024-04-21 04:03:26 +00:00
2024-04-20 05:14:53 +00:00
// reduce countdown if frequency is reduced
if (key === 'frequency') {
let max_countdown = config[key] * MINUTE;
2024-04-20 05:14:53 +00:00
if (config.countdown > max_countdown) {
config.countdown = max_countdown;
await chrome.storage.local.set({ "__countdown": config.countdown });
}
}
2024-04-21 04:03:26 +00:00
if (key === 'activate') {
if (config[key]) {
2024-04-21 06:50:49 +00:00
console.log('Activating extension');
2024-04-21 04:03:26 +00:00
config.countdown = 5;
await chrome.storage.local.set({ "__countdown": config.countdown });
} else {
2024-04-21 06:50:49 +00:00
console.log('Deactivating extension');
2024-04-21 04:03:26 +00:00
// reset countdown when deactivating the extension
config.countdown = 0;
await chrome.storage.local.set({ "__countdown": config.countdown });
await chrome.storage.local.set({ "__status": "inactive" });
}
}
// clear signin attempts when credentials are changed
if (key === 'username' && config[key]
|| key === 'password' && config[key]) {
2024-04-22 00:09:33 +00:00
config.signinAttempts = 0;
await chrome.storage.local.set({ "__signinAttempts": config.signinAttempts });
2024-04-21 04:03:26 +00:00
}
2024-04-20 05:14:53 +00:00
}
}
if (!config.activate) {
2024-04-21 06:50:49 +00:00
isRunning = false;
2024-04-20 05:14:53 +00:00
return;
}
if (config.username === "" || config.password === "") {
2024-04-21 06:50:49 +00:00
console.log('Username or password is empty');
2024-04-21 04:03:26 +00:00
await chrome.storage.local.set({ "__status": "missing credentials" });
2024-04-21 06:50:49 +00:00
isRunning = false;
2024-04-20 05:14:53 +00:00
return;
}
if (config.frequency <= 0) {
2024-04-21 06:50:49 +00:00
console.log('Frequency is 0 or negative');
2024-04-21 04:03:26 +00:00
await chrome.storage.local.set({ "__status": "invalid frequency" });
2024-04-21 06:50:49 +00:00
isRunning = false;
2024-04-20 05:14:53 +00:00
return;
}
if (config.countdown > 0) {
config.countdown -= 1;
2024-04-22 09:56:06 +00:00
if (config.countdown % 30 === 0 || config.countdown <= 5) {
2024-04-22 07:45:51 +00:00
console.log(`Countdown: ${config.countdown}s`);
}
2024-04-20 05:14:53 +00:00
await chrome.storage.local.set({ "__countdown": config.countdown });
// await chrome.storage.local.set({ "__status": `waiting, ${config.countdown}s` });
2024-04-21 06:50:49 +00:00
isRunning = false;
2024-04-20 05:14:53 +00:00
return;
}
2024-04-22 00:09:33 +00:00
if (isNotEnglishPage()) {
2024-04-21 04:03:26 +00:00
await switchToEnglishPage();
}
2024-04-20 05:14:53 +00:00
2024-04-22 00:09:33 +00:00
if (isLoggedOutPage()) {
if (!await goToSignInPage()) {
2024-04-23 06:30:55 +00:00
msg = 'Failed to go to sign in page';
console.log(msg);
await chrome.storage.local.set({ "__status": msg });
2024-04-22 00:09:33 +00:00
isRunning = false;
return;
};
}
else if (isSignInPage()) {
2024-04-22 00:09:33 +00:00
// Prevent brute forcing
if (config.signinAttempts >= MAX_SIGNIN_ATTEMPTS) {
await chrome.storage.local.set({ "__status": "too many sign in attempts" });
isRunning = false;
return;
}
// Sign in
2024-04-23 06:30:55 +00:00
msg = 'Signing in attempt: ' + config.signinAttempts;
console.log(msg)
await chrome.storage.local.set({ "__status": msg });
2024-04-22 00:09:33 +00:00
let signedIn = await enterCredentials();
config.signinAttempts += 1;
await chrome.storage.local.set({ "__signinAttempts": config.signinAttempts });
if (!signedIn) {
2024-04-23 06:30:55 +00:00
msg = 'Failed to sign in';
console.log(msg);
await chrome.storage.local.set({ "__status": msg });
2024-04-22 00:09:33 +00:00
isRunning = false;
return;
};
}
else if (isDashboardPage()) {
2024-04-22 00:09:33 +00:00
// reset signin attempts when successfully logged in
config.signinAttempts = 0;
await chrome.storage.local.set({ "__status": "fetching appointment info" });
await chrome.storage.local.set({ "__signinAttempts": config.signinAttempts });
// get appointmentId
if (!config.apptId) {
config.apptId = await getAppointmentId();
if (config.apptId) {
console.log(`Appointment ID: ${config.apptId}`);
await chrome.storage.local.set({ "__apptId": config.apptId });
2024-04-22 00:09:33 +00:00
} else {
2024-04-23 06:30:55 +00:00
msg = 'No appointments found';
console.log(msg);
await chrome.storage.local.set({ "__status": msg });
2024-04-22 00:09:33 +00:00
isRunning = false;
return;
}
}
// get current appointment date
let apptInfo = document.querySelector("p.consular-appt [href*='" + config.apptId + "']").parentNode.parentNode.parentNode
if (!apptInfo.querySelector("h4").innerText.match(/Attend Appointment/)) {
2024-04-23 06:30:55 +00:00
msg = 'Appointment not available';
console.log(msg);
await chrome.storage.local.set({ "__status": msg });
2024-04-22 00:09:33 +00:00
isRunning = false;
return;
}
let apptDate = new Date(apptInfo.querySelector("p.consular-appt").innerText.match(/\d{1,2} \w+, \d{4}/)[0]);
apptDate = apptDate.toISOString().slice(0, 10);
if (config.apptDate && apptDate != config.apptDate) {
config.apptDate = apptDate;
await chrome.storage.local.set({ "__apptDate": apptDate });
}
// go to appointment page
let apptLink = apptInfo.querySelector("p.consular-appt [href]").getAttribute("href").replace("/addresses/consulate", "/appointment");
window.location.href = apptLink;
await delay(PAGE_WAIT_TIME);
2024-04-21 04:03:26 +00:00
}
else if (isAppointmentPage()) {
// await chrome.storage.local.set({ "__status": "fetching consulates" });
let applicantForm = document.querySelector('form[action*="' + window.location.pathname + '"]');
if (applicantForm && applicantForm.method.toLowerCase() == "get") {
applicantForm.submit();
await delay(PAGE_WAIT_TIME);
isRunning = false;
return;
}
if (!document.getElementById("consulate_date_time")) {
2024-04-23 06:30:55 +00:00
msg = 'No available appointments';
console.log(msg);
await chrome.storage.local.set({ "__status": msg });
isRunning = false;
return;
};
config.consulates = await getConsulates();
await chrome.storage.local.set({ "__consulates": config.consulates });
if (!config.consulates) {
console.log('No consulates found');
await chrome.storage.local.set({ "__status": "no consulates found" });
isRunning = false;
return;
}
// TODO choose ASC facility
// document.querySelector("#appointments_asc_appointment_facility_id [selected]").innerText
// for each selected consulate check available dates
let selectedConsulates = Object.keys(config.consulates).filter(c => config.consulates[c].isSelected);
if (selectedConsulates.length == 0) {
2024-04-23 06:30:55 +00:00
msg = 'No selected consulates found';
console.log(msg);
await chrome.storage.local.set({ "__status": msg });
isRunning = false;
return;
}
for (let consulate of selectedConsulates) {
console.log('Checking dates for ' + consulate);
let availDates = await getAvailableDates(config.consulates[consulate].id);
config.countdown = config.frequency * MINUTE;
await chrome.storage.local.set({ "__countdown": config.countdown });
if (!availDates) {
2024-04-23 06:30:55 +00:00
msg = `Failed to fetch available dates in ${consulate}`;
console.log(msg);
await chrome.storage.local.set({ "__status": msg });
isRunning = false;
return;
}
// if empty list, either we're banned or non operational hours or dead consulate
if (availDates.length == 0) {
2024-04-23 06:30:55 +00:00
msg = `No available dates in ${consulate}, probably banned`;
console.log(msg);
await chrome.storage.local.set({ "__status": msg });
config.countdown = SOFT_BAN_COUNTDOWN;
await chrome.storage.local.set({ "__countdown": config.countdown });
isRunning = false;
return;
}
console.log(`Available dates for ${consulate}: ${availDates}`);
config.consulates[consulate].bestDate = availDates[0];
await chrome.storage.local.set({ "__consulates": config.consulates });
// filter dates with our requests
2024-04-22 09:56:06 +00:00
let filteredDates = await filterDates(availDates, config.apptDate, config.deltaAppt, config.deltaNow);
if (!filteredDates.length) {
2024-04-23 06:30:55 +00:00
msg = `No better dates in ${consulate}, currently available ${availDates[0]}`;
console.log(msg);
await chrome.storage.local.set({ "__status": msg});
isRunning = false;
return;
}
console.log(`Dates worth rescheduling in ${consulate}: ${filteredDates}`);
let chosenDate = filteredDates[0];
await chrome.storage.local.set({ "__status": `Found in ${consulate} better date ${chosenDate}`});
// fill date in reschedule form
await delay(PAGE_WAIT_TIME);
document.getElementById("appointments_consulate_appointment_date").value = chosenDate;
document.getElementById("appointments_consulate_appointment_time").innerHTML = "<option></option>"
let availTimes = await getAvailableTimes(config.consulates[consulate].id, chosenDate);
if (!availTimes) {
2024-04-23 06:30:55 +00:00
msg = `Failed to fetch available timeslots in ${consulate} at ${chosenDate}`;
console.log(msg);
await chrome.storage.local.set({ "__status": msg});
isRunning = false;
return;
}
if (availTimes.length == 0) {
2024-04-23 06:30:55 +00:00
msg = `No timeslots in ${consulate} at ${chosenDate}`;
console.log(msg);
await chrome.storage.local.set({ "__status": msg});
isRunning = false;
return;
}
console.log(`Available timeslots in ${consulate} at ${chosenDate}: ${availTimes}`);
let chosenTime = availTimes[0];
// fill timeslot in reschedule form
await delay(PAGE_WAIT_TIME);
document.getElementById("appointments_consulate_appointment_time").innerHTML = `<option value='${chosenTime}'>${chosenTime}</option>`;
document.getElementById("appointments_consulate_appointment_time").value = chosenTime;
// TODO process ASC facilities here
await delay(PAGE_WAIT_TIME);
document.getElementById("appointments_submit").removeAttribute("disabled");
document.getElementById("appointments_submit").click();
2024-04-22 07:36:09 +00:00
2024-04-23 06:20:43 +00:00
msg = `Found better appointment in ${consulate} at ${chosenDate} ${chosenTime}`;
console.log(msg);
await sendNotification(msg);
if (config.autobook) {
await delay(PAGE_WAIT_TIME);
console.log('Auto booking');
document.querySelector(".reveal-overlay:last-child [data-reveal] .button.alert").click();
}
} // end consulates loop
}
2024-04-20 05:14:53 +00:00
2024-04-22 07:36:09 +00:00
else if (isConfirmationPage) {
// go back to schedule after successful reschedule
await delay(PAGE_WAIT_TIME);
window.location = page.replace(/schedule.*/g, "");
}
2024-04-21 06:50:49 +00:00
// console.log('runner done');
isRunning = false;
2024-04-20 05:14:53 +00:00
}
setInterval(runner, 1000);