678 lines
20 KiB
JavaScript
678 lines
20 KiB
JavaScript
// matrix-puppeteer-line - A very hacky Matrix-LINE bridge based on running LINE's Chrome extension in Puppeteer
|
|
// Copyright (C) 2020-2021 Tulir Asokan, Andrew Ferrazzutti
|
|
//
|
|
// This program is free software: you can redistribute it and/or modify
|
|
// it under the terms of the GNU Affero General Public License as published by
|
|
// the Free Software Foundation, either version 3 of the License, or
|
|
// (at your option) any later version.
|
|
//
|
|
// This program is distributed in the hope that it will be useful,
|
|
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
|
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
|
// GNU Affero General Public License for more details.
|
|
//
|
|
// You should have received a copy of the GNU Affero General Public License
|
|
// along with this program. If not, see <https://www.gnu.org/licenses/>.
|
|
import process from "process"
|
|
import path from "path"
|
|
|
|
import puppeteer from "puppeteer"
|
|
import chrono from "chrono-node"
|
|
|
|
import TaskQueue from "./taskqueue.js"
|
|
import { sleep } from "./util.js"
|
|
|
|
export default class MessagesPuppeteer {
|
|
static profileDir = "./profiles"
|
|
static executablePath = undefined
|
|
static disableDebug = false
|
|
static noSandbox = false
|
|
static viewport = { width: 960, height: 880 }
|
|
static url = undefined
|
|
static extensionDir = "extension_files"
|
|
|
|
/**
|
|
*
|
|
* @param {string} id
|
|
* @param {?Client} [client]
|
|
*/
|
|
constructor(id, client = null) {
|
|
let profilePath = path.join(MessagesPuppeteer.profileDir, id)
|
|
if (!profilePath.startsWith("/")) {
|
|
profilePath = path.join(process.cwd(), profilePath)
|
|
}
|
|
this.id = id
|
|
this.profilePath = profilePath
|
|
this.updatedChats = new Set()
|
|
this.sentMessageIDs = new Set()
|
|
this.mostRecentMessages = new Map()
|
|
this.taskQueue = new TaskQueue(this.id)
|
|
this.client = client
|
|
}
|
|
|
|
log(...text) {
|
|
console.log(`[Puppeteer/${this.id}]`, ...text)
|
|
}
|
|
|
|
error(...text) {
|
|
console.error(`[Puppeteer/${this.id}]`, ...text)
|
|
}
|
|
|
|
/**
|
|
* Start the browser and open the messages for web page.
|
|
* This must be called before doing anything else.
|
|
*/
|
|
async start() {
|
|
this.log("Launching browser")
|
|
|
|
const extensionArgs = [
|
|
`--disable-extensions-except=${MessagesPuppeteer.extensionDir}`,
|
|
`--load-extension=${MessagesPuppeteer.extensionDir}`
|
|
]
|
|
|
|
this.browser = await puppeteer.launch({
|
|
executablePath: MessagesPuppeteer.executablePath,
|
|
userDataDir: this.profilePath,
|
|
args: MessagesPuppeteer.noSandbox ? extensionArgs.concat("--no-sandbox") : extensionArgs,
|
|
headless: false, // Needed to load extensions
|
|
defaultViewport: MessagesPuppeteer.viewport,
|
|
})
|
|
this.log("Opening new tab")
|
|
const pages = await this.browser.pages()
|
|
if (pages.length > 0) {
|
|
this.page = pages[0]
|
|
} else {
|
|
this.page = await this.browser.newPage()
|
|
}
|
|
this.log("Opening", MessagesPuppeteer.url)
|
|
await this.page.setBypassCSP(true) // Needed to load content scripts
|
|
await this._preparePage(true)
|
|
|
|
this.log("Exposing functions")
|
|
await this.page.exposeFunction("__mautrixReceiveQR", this._receiveQRChange.bind(this))
|
|
await this.page.exposeFunction("__mautrixSendEmailCredentials", this._sendEmailCredentials.bind(this))
|
|
await this.page.exposeFunction("__mautrixReceivePIN", this._receivePIN.bind(this))
|
|
await this.page.exposeFunction("__mautrixExpiry", this._receiveExpiry.bind(this))
|
|
await this.page.exposeFunction("__mautrixReceiveMessageID",
|
|
id => this.sentMessageIDs.add(id))
|
|
await this.page.exposeFunction("__mautrixReceiveChanges",
|
|
this._receiveChatListChanges.bind(this))
|
|
await this.page.exposeFunction("__mautrixShowParticipantsList", this._showParticipantList.bind(this))
|
|
await this.page.exposeFunction("__chronoParseDate", chrono.parseDate)
|
|
|
|
// NOTE Must *always* re-login on a browser session, so no need to check if already logged in
|
|
this.loginRunning = false
|
|
this.loginCancelled = false
|
|
this.taskQueue.start()
|
|
this.log("Startup complete")
|
|
}
|
|
|
|
async _preparePage(navigateTo) {
|
|
if (navigateTo) {
|
|
await this.page.goto(MessagesPuppeteer.url)
|
|
} else {
|
|
await this.page.reload()
|
|
}
|
|
this.log("Injecting content script")
|
|
await this.page.addScriptTag({ path: "./src/contentscript.js", type: "module" })
|
|
}
|
|
|
|
/**
|
|
* Wait for the session to be logged in and monitor changes while it's not.
|
|
*/
|
|
async waitForLogin(login_type, login_data) {
|
|
if (await this.isLoggedIn()) {
|
|
return
|
|
}
|
|
this.loginRunning = true
|
|
|
|
const loginContentArea = await this.page.waitForSelector("#login_content")
|
|
|
|
switch (login_type) {
|
|
case "qr": {
|
|
this.log("Running QR login")
|
|
const qrButton = await this.page.waitForSelector("#login_qr_btn")
|
|
await qrButton.click()
|
|
|
|
const qrElement = await this.page.waitForSelector("#login_qrcode_area div[title]", {visible: true})
|
|
const currentQR = await this.page.evaluate(element => element.title, qrElement)
|
|
this._receiveQRChange(currentQR)
|
|
|
|
await this.page.evaluate(
|
|
element => window.__mautrixController.addQRChangeObserver(element), qrElement)
|
|
await this.page.evaluate(
|
|
element => window.__mautrixController.addQRAppearObserver(element), loginContentArea)
|
|
|
|
break
|
|
}
|
|
case "email": {
|
|
this.log("Running email login")
|
|
if (!login_data) {
|
|
this._sendLoginFailure("No login credentials provided for email login")
|
|
return
|
|
}
|
|
|
|
const emailButton = await this.page.waitForSelector("#login_email_btn")
|
|
await emailButton.click()
|
|
|
|
await this.page.waitForSelector("#login_email_area", {visible: true})
|
|
this.login_email = login_data["email"]
|
|
this.login_password = login_data["password"]
|
|
await this._sendEmailCredentials()
|
|
|
|
await this.page.evaluate(
|
|
element => window.__mautrixController.addEmailAppearObserver(element), loginContentArea)
|
|
|
|
break
|
|
}
|
|
default:
|
|
this._sendLoginFailure(`Invalid login type: ${login_type}`)
|
|
return
|
|
}
|
|
|
|
await this.page.evaluate(
|
|
element => window.__mautrixController.addPINAppearObserver(element), loginContentArea)
|
|
await this.page.$eval("#layer_contents",
|
|
element => window.__mautrixController.addExpiryObserver(element))
|
|
|
|
this.log("Waiting for login response")
|
|
let doneWaiting = false
|
|
let loginSuccess = false
|
|
const cancelableResolve = (promiseFn) => {
|
|
const executor = (resolve, reject) => {
|
|
promiseFn().then(
|
|
value => {
|
|
doneWaiting = true
|
|
resolve(value)
|
|
},
|
|
reason => {
|
|
if (!doneWaiting) {
|
|
setTimeout(executor, 1000, resolve, reject)
|
|
} else {
|
|
resolve()
|
|
}
|
|
}
|
|
)
|
|
}
|
|
return new Promise(executor)
|
|
}
|
|
|
|
const result = await Promise.race([
|
|
() => this.page.waitForSelector("#wrap_message_sync", {timeout: 2000})
|
|
.then(value => {
|
|
loginSuccess = true
|
|
return value
|
|
}),
|
|
() => this.page.waitForSelector("#login_incorrect", {visible: true, timeout: 2000})
|
|
.then(value => this.page.evaluate(element => element?.innerText, value)),
|
|
() => this._waitForLoginCancel(),
|
|
].map(promiseFn => cancelableResolve(promiseFn)))
|
|
|
|
this.log("Removing observers")
|
|
// TODO __mautrixController is undefined when cancelling, why?
|
|
await this.page.evaluate(ownID => window.__mautrixController.setOwnID(ownID), this.id)
|
|
await this.page.evaluate(() => window.__mautrixController.removeQRChangeObserver())
|
|
await this.page.evaluate(() => window.__mautrixController.removeQRAppearObserver())
|
|
await this.page.evaluate(() => window.__mautrixController.removeEmailAppearObserver())
|
|
await this.page.evaluate(() => window.__mautrixController.removePINAppearObserver())
|
|
await this.page.evaluate(() => window.__mautrixController.removeExpiryObserver())
|
|
delete this.login_email
|
|
delete this.login_password
|
|
|
|
if (!loginSuccess) {
|
|
this._sendLoginFailure(result)
|
|
return
|
|
}
|
|
|
|
this.log("Waiting for sync")
|
|
try {
|
|
await this.page.waitForFunction(
|
|
messageSyncElement => {
|
|
const text = messageSyncElement.innerText
|
|
return text.startsWith("Syncing messages...")
|
|
&& (text.endsWith("100%") || text.endsWith("NaN%"))
|
|
// TODO Sometimes it gets stuck at 99%...??
|
|
},
|
|
{timeout: 10000}, // Assume 10 seconds is long enough
|
|
result)
|
|
} catch (err) {
|
|
//this._sendLoginFailure(`Failed to sync: ${err}`)
|
|
this.log("LINE's sync took too long, assume it's fine and carry on...")
|
|
}
|
|
|
|
this.loginRunning = false
|
|
await this.startObserving()
|
|
this.log("Login complete")
|
|
}
|
|
|
|
/**
|
|
* Cancel an ongoing login attempt.
|
|
*/
|
|
async cancelLogin() {
|
|
if (this.loginRunning) {
|
|
this.loginRunning = false
|
|
this.loginCancelled = true
|
|
await this._preparePage(false)
|
|
}
|
|
}
|
|
|
|
_waitForLoginCancel() {
|
|
return new Promise((resolve, reject) => {
|
|
if (this.loginCancelled) {
|
|
this.loginCancelled = false
|
|
resolve()
|
|
} else {
|
|
reject()
|
|
}
|
|
})
|
|
}
|
|
|
|
/**
|
|
* Close the browser.
|
|
*/
|
|
async stop() {
|
|
this.taskQueue.stop()
|
|
if (this.page) {
|
|
await this.page.close()
|
|
}
|
|
if (this.browser) {
|
|
await this.browser.close()
|
|
}
|
|
this.log("Everything stopped")
|
|
}
|
|
|
|
/**
|
|
* Check if the session is currently logged in.
|
|
*
|
|
* @return {Promise<boolean>} - Whether or not the session is logged in.
|
|
*/
|
|
async isLoggedIn() {
|
|
return await this.page.$("#wrap_message_sync") !== null
|
|
}
|
|
|
|
async isPermanentlyDisconnected() {
|
|
// TODO
|
|
//return await this.page.$("mw-unable-to-connect-container") !== null
|
|
return false
|
|
}
|
|
|
|
async isOpenSomewhereElse() {
|
|
/* TODO
|
|
try {
|
|
const text = await this.page.$eval("mws-dialog mat-dialog-content div",
|
|
elem => elem.textContent)
|
|
return text?.trim() === "Messages for web is open in more than one tab or browser"
|
|
} catch (err) {
|
|
return false
|
|
}
|
|
*/
|
|
return false
|
|
}
|
|
|
|
async isDisconnected() {
|
|
if (!await this.isLoggedIn()) {
|
|
return true
|
|
}
|
|
/* TODO
|
|
const offlineIndicators = await Promise.all([
|
|
this.page.$("mw-main-nav mw-banner mw-error-banner"),
|
|
this.page.$("mw-main-nav mw-banner mw-information-banner[title='Connecting']"),
|
|
this.page.$("mw-unable-to-connect-container"),
|
|
this.isOpenSomewhereElse(),
|
|
])
|
|
return offlineIndicators.some(indicator => Boolean(indicator))
|
|
*/
|
|
return false
|
|
}
|
|
|
|
/**
|
|
* Get the IDs of the most recent chats.
|
|
*
|
|
* @return {Promise<[ChatListInfo]>} - List of chat IDs in order of most recent message.
|
|
*/
|
|
async getRecentChats() {
|
|
return await this.page.evaluate(
|
|
() => window.__mautrixController.parseChatList())
|
|
}
|
|
|
|
/**
|
|
* @typedef ChatInfo
|
|
* @type object
|
|
* @property {[Participant]} participants
|
|
*/
|
|
|
|
/**
|
|
* Get info about a chat.
|
|
*
|
|
* @param {number} id - The chat ID whose info to get.
|
|
* @return {Promise<ChatInfo>} - Info about the chat.
|
|
*/
|
|
async getChatInfo(id) {
|
|
return await this.taskQueue.push(() => this._getChatInfoUnsafe(id))
|
|
}
|
|
|
|
/**
|
|
* Send a message to a chat.
|
|
*
|
|
* @param {number} chatID - The ID of the chat to send a message to.
|
|
* @param {string} text - The text to send.
|
|
* @return {Promise<{id: number}>} - The ID of the sent message.
|
|
*/
|
|
async sendMessage(chatID, text) {
|
|
return { id: await this.taskQueue.push(() => this._sendMessageUnsafe(chatID, text)) }
|
|
}
|
|
|
|
/**
|
|
* Get messages in a chat.
|
|
*
|
|
* @param {number} id The ID of the chat whose messages to get.
|
|
* @return {Promise<[MessageData]>} - The messages visible in the chat.
|
|
*/
|
|
async getMessages(id) {
|
|
return this.taskQueue.push(async () => {
|
|
const messages = await this._getMessagesUnsafe(id)
|
|
if (messages.length > 0) {
|
|
this.mostRecentMessages.set(id, messages[messages.length - 1].id)
|
|
}
|
|
for (const message of messages) {
|
|
message.chat_id = id
|
|
}
|
|
return messages
|
|
})
|
|
}
|
|
|
|
setLastMessageIDs(ids) {
|
|
for (const [chatID, messageID] of Object.entries(ids)) {
|
|
this.mostRecentMessages.set(+chatID, messageID)
|
|
}
|
|
this.log("Updated most recent message ID map:", this.mostRecentMessages)
|
|
}
|
|
|
|
async readImage(imageUrl) {
|
|
return await this.taskQueue.push(() =>
|
|
this.page.evaluate(
|
|
url => window.__mautrixController.readImage(url),
|
|
imageUrl))
|
|
}
|
|
|
|
async sendFile(chatID, filePath) {
|
|
return { id: await this.taskQueue.push(() => this._sendFileUnsafe(chatID, filePath)) }
|
|
}
|
|
|
|
async _sendFileUnsafe(chatID, filePath) {
|
|
await this._switchChat(chatID)
|
|
const promise = this.page.evaluate(
|
|
() => window.__mautrixController.promiseOwnMessage(
|
|
10000, // Use longer timeout for file uploads
|
|
"#_chat_message_success_menu",
|
|
"#_chat_message_fail_menu"))
|
|
|
|
try {
|
|
this.log(`About to ask for file chooser in ${chatID}`)
|
|
const [fileChooser] = await Promise.all([
|
|
this.page.waitForFileChooser(),
|
|
this.page.click("#_chat_room_plus_btn")
|
|
])
|
|
this.log(`About to upload ${filePath}`)
|
|
await fileChooser.accept([filePath])
|
|
} catch (e) {
|
|
this.log(`Failed to upload file to ${chatID}`)
|
|
return -1
|
|
}
|
|
|
|
// TODO Commonize with text message sending
|
|
try {
|
|
this.log("Waiting for file to be sent")
|
|
const id = await promise
|
|
this.log(`Successfully sent file in message ${id} to ${chatID}`)
|
|
return id
|
|
} catch (e) {
|
|
this.error(`Error sending file to ${chatID}`)
|
|
// TODO Figure out why e is undefined...
|
|
//this.error(e)
|
|
return -1
|
|
}
|
|
}
|
|
|
|
async startObserving() {
|
|
this.log("Adding chat list observer")
|
|
await this.page.evaluate(
|
|
() => window.__mautrixController.addChatListObserver())
|
|
}
|
|
|
|
async stopObserving() {
|
|
this.log("Removing chat list observer")
|
|
await this.page.evaluate(() => window.__mautrixController.removeChatListObserver())
|
|
}
|
|
|
|
_listItemSelector(id) {
|
|
return `#_chat_list_body div[data-chatid="${id}"]`
|
|
}
|
|
|
|
async _switchChat(id) {
|
|
// TODO Allow passing in an element directly
|
|
this.log(`Switching to chat ${id}`)
|
|
const chatListItem = await this.page.$(this._listItemSelector(id))
|
|
|
|
const chatName = await chatListItem.evaluate(
|
|
element => window.__mautrixController.getChatListItemName(element))
|
|
|
|
const isCorrectChatVisible = (targetText) => {
|
|
const chatHeader = document.querySelector("#_chat_header_area > .mdRGT04Link")
|
|
if (!chatHeader) return false
|
|
const chatHeaderTitleElement = chatHeader.querySelector(".mdRGT04Ttl")
|
|
return chatHeaderTitleElement.innerText == targetText
|
|
}
|
|
|
|
if (await this.page.evaluate(isCorrectChatVisible, chatName)) {
|
|
this.log("Already viewing chat, no need to switch")
|
|
} else {
|
|
await chatListItem.click()
|
|
this.log(`Waiting for chat header title to be "${chatName}"`)
|
|
await this.page.waitForFunction(
|
|
isCorrectChatVisible,
|
|
{polling: "mutation"},
|
|
chatName)
|
|
|
|
// For consistent behaviour later, wait for the chat details sidebar to be hidden
|
|
await this.page.waitForFunction(
|
|
detailArea => detailArea.childElementCount == 0,
|
|
{},
|
|
await this.page.$("#_chat_detail_area"))
|
|
}
|
|
}
|
|
|
|
// TODO Commonize
|
|
async getParticipantList() {
|
|
await this._showParticipantList()
|
|
return await this.page.$("#_chat_detail_area > .mdRGT02Info ul.mdRGT13Ul")
|
|
}
|
|
|
|
async _showParticipantList() {
|
|
const selector = "#_chat_detail_area > .mdRGT02Info ul.mdRGT13Ul"
|
|
let participantList = await this.page.$(selector)
|
|
if (!participantList) {
|
|
this.log("Participant list hidden, so clicking chat header to show it")
|
|
await this.page.click("#_chat_header_area > .mdRGT04Link")
|
|
participantList = await this.page.waitForSelector(selector)
|
|
}
|
|
//return participantList
|
|
}
|
|
|
|
async _getChatInfoUnsafe(id) {
|
|
const chatListItem = await this.page.$(this._listItemSelector(id))
|
|
const chatListInfo = await chatListItem.evaluate(
|
|
(element, id) => window.__mautrixController.parseChatListItem(element, id),
|
|
id)
|
|
|
|
let [isDirect, isGroup, isRoom] = [false,false,false]
|
|
switch (id.charAt(0)) {
|
|
case "u":
|
|
isDirect = true
|
|
break
|
|
case "c":
|
|
isGroup = true
|
|
break
|
|
case "r":
|
|
isRoom = true
|
|
break
|
|
}
|
|
|
|
let participants
|
|
if (!isDirect) {
|
|
this.log("Found multi-user chat, so clicking chat header to get participants")
|
|
// TODO This will mark the chat as "read"!
|
|
await this._switchChat(id)
|
|
const participantList = await this.getParticipantList()
|
|
// TODO Is a group not actually created until a message is sent(?)
|
|
// If so, maybe don't create a portal until there is a message.
|
|
participants = await participantList.evaluate(
|
|
element => window.__mautrixController.parseParticipantList(element))
|
|
} else {
|
|
this.log(`Found direct chat with ${id}`)
|
|
//const chatDetailArea = await this.page.waitForSelector("#_chat_detail_area > .mdRGT02Info")
|
|
//await chatDetailArea.$(".MdTxtDesc02") || // 1:1 chat with custom title - get participant's real name
|
|
participants = [{
|
|
id: id,
|
|
avatar: chatListInfo.icon,
|
|
name: chatListInfo.name,
|
|
}]
|
|
}
|
|
|
|
this.log("Found participants:")
|
|
for (const participant of participants) {
|
|
this.log(participant)
|
|
}
|
|
return {participants, ...chatListInfo}
|
|
}
|
|
|
|
// TODO Catch "An error has occurred" dialog
|
|
// Selector is just "dialog", then "button"
|
|
// Child of "#layer_contents"
|
|
// Always present, just made visible via classes
|
|
|
|
async _sendMessageUnsafe(chatID, text) {
|
|
await this._switchChat(chatID)
|
|
const promise = this.page.evaluate(
|
|
() => window.__mautrixController.promiseOwnMessage(5000, "time"))
|
|
|
|
const input = await this.page.$("#_chat_room_input")
|
|
await input.click()
|
|
await input.type(text)
|
|
await input.press("Enter")
|
|
|
|
try {
|
|
this.log("Waiting for message to be sent")
|
|
const id = await promise
|
|
this.log(`Successfully sent message ${id} to ${chatID}`)
|
|
return id
|
|
} catch (e) {
|
|
// TODO Catch if something other than a timeout
|
|
this.error(`Timed out sending message to ${chatID}`)
|
|
return -1
|
|
}
|
|
}
|
|
|
|
// TODO Inbound read receipts
|
|
// Probably use a MutationObserver mapped to msgID
|
|
|
|
async _getMessagesUnsafe(id, minID = 0) {
|
|
// TODO Also handle "decrypting" state
|
|
// TODO Handle unloaded messages. Maybe scroll up
|
|
// TODO This will mark the chat as "read"!
|
|
await this._switchChat(id)
|
|
this.log("Waiting for messages to load")
|
|
const messages = await this.page.evaluate(
|
|
id => window.__mautrixController.parseMessageList(id), id)
|
|
return messages.filter(msg => msg.id > minID && !this.sentMessageIDs.has(msg.id))
|
|
}
|
|
|
|
async _processChatListChangeUnsafe(id) {
|
|
this.updatedChats.delete(id)
|
|
this.log("Processing change to", id)
|
|
const lastMsgID = this.mostRecentMessages.get(id) || 0
|
|
const messages = await this._getMessagesUnsafe(id, lastMsgID)
|
|
if (messages.length === 0) {
|
|
this.log("No new messages found in", id)
|
|
return
|
|
}
|
|
const newFirstID = messages[0].id
|
|
const newLastID = messages[messages.length - 1].id
|
|
this.mostRecentMessages.set(id, newLastID)
|
|
const range = newFirstID === newLastID ? newFirstID : `${newFirstID}-${newLastID}`
|
|
this.log(`Loaded ${messages.length} messages in ${id} after ${lastMsgID}: got ${range}`)
|
|
|
|
if (this.client) {
|
|
for (const message of messages) {
|
|
message.chat_id = id
|
|
await this.client.sendMessage(message).catch(err =>
|
|
this.error("Failed to send message", message.id, "to client:", err))
|
|
}
|
|
} else {
|
|
this.log("No client connected, not sending messages")
|
|
}
|
|
}
|
|
|
|
_receiveChatListChanges(changes) {
|
|
this.log("Received chat list changes:", changes)
|
|
for (const item of changes) {
|
|
if (!this.updatedChats.has(item)) {
|
|
this.updatedChats.add(item)
|
|
this.taskQueue.push(() => this._processChatListChangeUnsafe(item))
|
|
.catch(err => this.error("Error handling chat list changes:", err))
|
|
}
|
|
}
|
|
}
|
|
|
|
async _sendEmailCredentials() {
|
|
this.log("Inputting login credentials")
|
|
|
|
// Triple-click input fields to select all existing text and replace it on type
|
|
let input
|
|
|
|
input = await this.page.$("#line_login_email")
|
|
await input.click({clickCount: 3})
|
|
await input.type(this.login_email)
|
|
|
|
input = await this.page.$("#line_login_pwd")
|
|
await input.click({clickCount: 3})
|
|
await input.type(this.login_password)
|
|
|
|
await this.page.click("button#login_btn")
|
|
}
|
|
|
|
_receiveQRChange(url) {
|
|
if (this.client) {
|
|
this.client.sendQRCode(url).catch(err =>
|
|
this.error("Failed to send new QR to client:", err))
|
|
} else {
|
|
this.log("No client connected, not sending new QR")
|
|
}
|
|
}
|
|
|
|
_receivePIN(pin) {
|
|
if (this.client) {
|
|
this.client.sendPIN(pin).catch(err =>
|
|
this.error("Failed to send new PIN to client:", err))
|
|
} else {
|
|
this.log("No client connected, not sending new PIN")
|
|
}
|
|
}
|
|
|
|
_sendLoginFailure(reason) {
|
|
this.loginRunning = false
|
|
this.error(`Login failure: ${reason ? reason : "cancelled"}`)
|
|
if (this.client) {
|
|
this.client.sendFailure(reason).catch(err =>
|
|
this.error("Failed to send failure reason to client:", err))
|
|
} else {
|
|
this.log("No client connected, not sending failure reason")
|
|
}
|
|
}
|
|
|
|
async _receiveExpiry(button) {
|
|
this.log("Something expired, clicking OK button to continue")
|
|
await this.page.click(button)
|
|
}
|
|
}
|