mirror of
https://github.com/mifi/lossless-cut.git
synced 2024-11-22 18:32:34 +01:00
323 lines
10 KiB
JavaScript
323 lines
10 KiB
JavaScript
process.traceDeprecation = true;
|
|
process.traceProcessWarnings = true;
|
|
|
|
const electron = require('electron');
|
|
const isDev = require('electron-is-dev');
|
|
const unhandled = require('electron-unhandled');
|
|
const i18n = require('i18next');
|
|
const debounce = require('lodash/debounce');
|
|
const yargsParser = require('yargs-parser');
|
|
const JSON5 = require('json5');
|
|
const remote = require('@electron/remote/main');
|
|
const { stat } = require('fs/promises');
|
|
const ffmpeg = require('./ffmpeg');
|
|
|
|
const logger = require('./logger');
|
|
const menu = require('./menu');
|
|
const configStore = require('./configStore');
|
|
const { frontendBuildDir } = require('./util');
|
|
|
|
const { checkNewVersion } = require('./update-checker');
|
|
|
|
const i18nCommon = require('./i18n-common');
|
|
|
|
require('./i18n');
|
|
|
|
const { app, ipcMain, shell, BrowserWindow, nativeTheme } = electron;
|
|
|
|
remote.initialize();
|
|
|
|
unhandled({
|
|
showDialog: true,
|
|
});
|
|
|
|
const appName = 'LosslessCut';
|
|
|
|
app.name = appName;
|
|
|
|
const isStoreBuild = process.windowsStore || process.mas;
|
|
|
|
const showVersion = !isStoreBuild;
|
|
|
|
const aboutPanelOptions = { applicationName: appName };
|
|
if (!showVersion) {
|
|
// version will be wrong in Store builds
|
|
aboutPanelOptions.applicationVersion = '';
|
|
aboutPanelOptions.version = '';
|
|
}
|
|
|
|
// https://www.electronjs.org/docs/latest/api/app#appsetaboutpaneloptionsoptions
|
|
app.setAboutPanelOptions(aboutPanelOptions);
|
|
|
|
let filesToOpen = [];
|
|
|
|
// Keep a global reference of the window object, if you don't, the window will
|
|
// be closed automatically when the JavaScript object is garbage collected.
|
|
let mainWindow;
|
|
|
|
let askBeforeClose = false;
|
|
let rendererReady = false;
|
|
let newVersion;
|
|
let disableNetworking;
|
|
|
|
const openFiles = (paths) => mainWindow.webContents.send('openFiles', paths);
|
|
|
|
// https://github.com/electron/electron/issues/526#issuecomment-563010533
|
|
function getSizeOptions() {
|
|
const bounds = configStore.get('windowBounds');
|
|
const options = {};
|
|
if (bounds) {
|
|
const area = electron.screen.getDisplayMatching(bounds).workArea;
|
|
// If the saved position still valid (the window is entirely inside the display area), use it.
|
|
if (
|
|
bounds.x >= area.x
|
|
&& bounds.y >= area.y
|
|
&& bounds.x + bounds.width <= area.x + area.width
|
|
&& bounds.y + bounds.height <= area.y + area.height
|
|
) {
|
|
options.x = bounds.x;
|
|
options.y = bounds.y;
|
|
}
|
|
// If the saved size is still valid, use it.
|
|
if (bounds.width <= area.width || bounds.height <= area.height) {
|
|
options.width = bounds.width;
|
|
options.height = bounds.height;
|
|
}
|
|
}
|
|
return options;
|
|
}
|
|
|
|
function createWindow() {
|
|
const darkMode = configStore.get('darkMode');
|
|
// todo follow darkMode setting when user switches
|
|
// https://www.electronjs.org/docs/latest/tutorial/dark-mode
|
|
if (darkMode) nativeTheme.themeSource = 'dark';
|
|
|
|
mainWindow = new BrowserWindow({
|
|
...getSizeOptions(),
|
|
darkTheme: true,
|
|
webPreferences: {
|
|
enableRemoteModule: true,
|
|
contextIsolation: false,
|
|
nodeIntegration: true,
|
|
// https://github.com/electron/electron/issues/5107
|
|
webSecurity: !isDev,
|
|
},
|
|
backgroundColor: darkMode ? '#333' : '#fff',
|
|
});
|
|
|
|
remote.enable(mainWindow.webContents);
|
|
|
|
|
|
if (isDev) mainWindow.loadURL('http://localhost:3001');
|
|
// Need to useloadFile for special characters https://github.com/mifi/lossless-cut/issues/40
|
|
else mainWindow.loadFile(`${frontendBuildDir}/index.html`);
|
|
|
|
// Open the DevTools.
|
|
// mainWindow.webContents.openDevTools()
|
|
|
|
// Emitted when the window is closed.
|
|
mainWindow.on('closed', () => {
|
|
// Dereference the window object, usually you would store windows
|
|
// in an array if your app supports multi windows, this is the time
|
|
// when you should delete the corresponding element.
|
|
mainWindow = null;
|
|
});
|
|
|
|
// https://stackoverflow.com/questions/39574636/prompt-to-save-quit-before-closing-window/47434365
|
|
mainWindow.on('close', (e) => {
|
|
if (!askBeforeClose) return;
|
|
|
|
const choice = electron.dialog.showMessageBoxSync(mainWindow, {
|
|
type: 'question',
|
|
buttons: ['Yes', 'No'],
|
|
title: i18n.t('Confirm quit'),
|
|
message: i18n.t('Are you sure you want to quit?'),
|
|
});
|
|
if (choice === 1) {
|
|
e.preventDefault();
|
|
}
|
|
});
|
|
|
|
const debouncedSaveWindowState = debounce(() => {
|
|
if (!mainWindow) return;
|
|
const { x, y, width, height } = mainWindow.getNormalBounds();
|
|
configStore.set('windowBounds', { x, y, width, height });
|
|
}, 500);
|
|
|
|
mainWindow.on('resize', debouncedSaveWindowState);
|
|
mainWindow.on('move', debouncedSaveWindowState);
|
|
}
|
|
|
|
function updateMenu() {
|
|
menu({ app, mainWindow, newVersion, isStoreBuild });
|
|
}
|
|
|
|
function openFilesEventually(paths) {
|
|
if (rendererReady) openFiles(paths);
|
|
else filesToOpen = paths;
|
|
}
|
|
|
|
// https://github.com/electron/electron/issues/3657
|
|
// https://github.com/mifi/lossless-cut/issues/357
|
|
// https://github.com/mifi/lossless-cut/issues/639
|
|
// https://github.com/mifi/lossless-cut/issues/591
|
|
function parseCliArgs(rawArgv = process.argv) {
|
|
const ignoreFirstArgs = process.defaultApp ? 2 : 1;
|
|
// production: First arg is the LosslessCut executable
|
|
// dev: First 2 args are electron and the electron.js
|
|
const argsWithoutAppName = rawArgv.length > ignoreFirstArgs ? rawArgv.slice(ignoreFirstArgs) : [];
|
|
|
|
return yargsParser(argsWithoutAppName, { boolean: ['allow-multiple-instances', 'disable-networking'] });
|
|
}
|
|
|
|
const argv = parseCliArgs();
|
|
|
|
if (argv.localesPath != null) i18nCommon.setCustomLocalesPath(argv.localesPath);
|
|
|
|
|
|
function safeRequestSingleInstanceLock(additionalData) {
|
|
if (process.mas) return true; // todo remove when fixed https://github.com/electron/electron/issues/35540
|
|
|
|
// using additionalData because the built in "argv" passing is a bit broken:
|
|
// https://github.com/electron/electron/issues/20322
|
|
return app.requestSingleInstanceLock(additionalData);
|
|
}
|
|
|
|
function initApp() {
|
|
// On macOS, the system enforces single instance automatically when users try to open a second instance of your app in Finder, and the open-file and open-url events will be emitted for that.
|
|
// However when users start your app in command line, the system's single instance mechanism will be bypassed, and you have to use this method to ensure single instance.
|
|
// This can be tested with one terminal: npx electron .
|
|
// and another terminal: npx electron . path/to/file.mp4
|
|
app.on('second-instance', (event, commandLine, workingDirectory, additionalData) => {
|
|
// Someone tried to run a second instance, we should focus our window.
|
|
if (mainWindow) {
|
|
if (mainWindow.isMinimized()) mainWindow.restore();
|
|
mainWindow.focus();
|
|
}
|
|
|
|
if (!Array.isArray(additionalData?.argv)) return;
|
|
|
|
const argv2 = parseCliArgs(additionalData.argv);
|
|
if (argv2._) openFilesEventually(argv2._);
|
|
});
|
|
|
|
// Quit when all windows are closed.
|
|
app.on('window-all-closed', () => {
|
|
app.quit();
|
|
});
|
|
|
|
app.on('activate', () => {
|
|
// On OS X it's common to re-create a window in the app when the
|
|
// dock icon is clicked and there are no other windows open.
|
|
if (mainWindow === null) {
|
|
createWindow();
|
|
}
|
|
});
|
|
|
|
ipcMain.on('renderer-ready', () => {
|
|
rendererReady = true;
|
|
if (filesToOpen.length > 0) openFiles(filesToOpen);
|
|
});
|
|
|
|
// Mac OS open with LosslessCut
|
|
// Emitted when the user wants to open a file with the application. The open-file event is usually emitted when the application is already open and the OS wants to reuse the application to open the file.
|
|
app.on('open-file', (event, path) => {
|
|
openFilesEventually([path]);
|
|
event.preventDefault(); // recommended in docs https://www.electronjs.org/docs/latest/api/app#event-open-file-macos
|
|
});
|
|
|
|
ipcMain.on('setAskBeforeClose', (e, val) => {
|
|
askBeforeClose = val;
|
|
});
|
|
|
|
ipcMain.on('setLanguage', (e, language) => {
|
|
i18n.changeLanguage(language).then(() => updateMenu()).catch((err) => logger.error('Failed to set language', err));
|
|
});
|
|
|
|
ipcMain.handle('tryTrashItem', async (e, path) => {
|
|
try {
|
|
await stat(path);
|
|
} catch (err) {
|
|
if (err.code === 'ENOENT') return;
|
|
}
|
|
await shell.trashItem(path);
|
|
});
|
|
}
|
|
|
|
|
|
// This promise will be fulfilled when Electron has finished
|
|
// initialization and is ready to create browser windows.
|
|
// Some APIs can only be used after this event occurs.
|
|
// Call this immediately, to make sure we don't miss it (race condition)
|
|
const readyPromise = app.whenReady();
|
|
|
|
(async () => {
|
|
try {
|
|
await ffmpeg.whenImported;
|
|
|
|
logger.info('Initializing config store');
|
|
await configStore.init();
|
|
|
|
const allowMultipleInstances = configStore.get('allowMultipleInstances');
|
|
|
|
if (!allowMultipleInstances && !safeRequestSingleInstanceLock({ argv: process.argv })) {
|
|
logger.info('Found running instance, quitting');
|
|
app.quit();
|
|
return;
|
|
}
|
|
|
|
initApp();
|
|
|
|
logger.info('Waiting for app to become ready');
|
|
await readyPromise;
|
|
|
|
logger.info('CLI arguments', argv);
|
|
// Only if no files to open already (open-file might have already added some files)
|
|
if (filesToOpen.length === 0) filesToOpen = argv._;
|
|
const { settingsJson } = argv;
|
|
|
|
({ disableNetworking } = argv);
|
|
|
|
if (settingsJson != null) {
|
|
logger.info('initializing settings', settingsJson);
|
|
Object.entries(JSON5.parse(settingsJson)).forEach(([key, value]) => {
|
|
configStore.set(key, value);
|
|
});
|
|
}
|
|
|
|
if (isDev) {
|
|
const { default: installExtension, REACT_DEVELOPER_TOOLS } = require('electron-devtools-installer'); // eslint-disable-line global-require,import/no-extraneous-dependencies
|
|
|
|
installExtension(REACT_DEVELOPER_TOOLS)
|
|
.then(name => logger.info('Added Extension', name))
|
|
.catch(err => logger.error('Failed to add extension', err));
|
|
}
|
|
|
|
createWindow();
|
|
updateMenu();
|
|
|
|
const enableUpdateCheck = configStore.get('enableUpdateCheck');
|
|
|
|
if (!disableNetworking && enableUpdateCheck && !isStoreBuild) {
|
|
newVersion = await checkNewVersion();
|
|
// newVersion = '1.2.3';
|
|
if (newVersion) updateMenu();
|
|
}
|
|
} catch (err) {
|
|
logger.error('Failed to initialize', err);
|
|
}
|
|
})();
|
|
|
|
function focusWindow() {
|
|
try {
|
|
app.focus({ steal: true });
|
|
} catch (err) {
|
|
logger.error('Failed to focus window', err);
|
|
}
|
|
}
|
|
|
|
const hasDisabledNetworking = () => !!disableNetworking;
|
|
|
|
module.exports = { focusWindow, isDev, hasDisabledNetworking };
|