You cannot select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
session-desktop/ts/updater/updater.ts

118 lines
3.0 KiB
TypeScript

import * as path from 'path';
import * as fs from 'fs-extra';
import { autoUpdater } from 'electron-updater';
import { app, BrowserWindow } from 'electron';
import { markShouldQuit } from '../../app/window_state';
import {
getPrintableError,
LoggerType,
MessagesType,
showCannotUpdateDialog,
showUpdateDialog,
} from './common';
let isUpdating = false;
const SECOND = 1000;
const MINUTE = SECOND * 60;
const INTERVAL = MINUTE * 30;
export async function start(
getMainWindow: () => BrowserWindow,
messages: MessagesType,
logger: LoggerType
) {
logger.info('auto-update: starting checks...');
autoUpdater.logger = logger;
setInterval(async () => {
try {
await checkForUpdates(getMainWindow, messages, logger);
} catch (error) {
logger.error('auto-update: error:', getPrintableError(error));
}
}, INTERVAL);
await checkForUpdates(getMainWindow, messages, logger);
}
async function checkForUpdates(
getMainWindow: () => BrowserWindow,
messages: MessagesType,
logger: LoggerType
) {
if (isUpdating) {
return;
}
const canUpdate = await canAutoUpdate();
if (!canUpdate) {
return;
}
isUpdating = true;
logger.info('auto-update: checking for update...');
try {
// Get the update using electron-updater
try {
const info = await autoUpdater.checkForUpdates();
if (!info.downloadPromise) {
logger.info('auto-update: no update to download');
return;
}
await info.downloadPromise;
} catch (error) {
await showCannotUpdateDialog(getMainWindow(), messages);
throw error;
}
// Update downloaded successfully, we should ask the user to update
logger.info('auto-update: showing update dialog...');
const shouldUpdate = await showUpdateDialog(getMainWindow(), messages);
if (!shouldUpdate) {
return;
}
logger.info('auto-update: calling quitAndInstall...');
markShouldQuit();
autoUpdater.quitAndInstall();
} finally {
isUpdating = false;
}
}
/*
Check if we have the required files to auto update.
These files won't exist inside certain formats such as a linux deb file.
*/
async function canAutoUpdate(): Promise<boolean> {
const isPackaged = app.isPackaged;
// On a production app, we need to use resources path to check for the file
if (isPackaged && !process.resourcesPath) {
return false;
}
// Taken from: https://github.com/electron-userland/electron-builder/blob/d4feb6d3c8b008f8b455c761d654c8088f90d8fa/packages/electron-updater/src/ElectronAppAdapter.ts#L25
const updateFile = isPackaged ? 'app-update.yml' : 'dev-app-update.yml';
const basePath =
isPackaged && process.resourcesPath
? process.resourcesPath
: app.getAppPath();
const appUpdateConfigPath = path.join(basePath, updateFile);
return new Promise(resolve => {
try {
// tslint:disable-next-line: non-literal-fs-path
const exists = fs.existsSync(appUpdateConfigPath);
resolve(exists);
} catch (e) {
resolve(false);
}
});
}