|
|
|
/* global
|
|
|
|
$,
|
|
|
|
_,
|
|
|
|
Backbone,
|
|
|
|
storage,
|
|
|
|
Whisper,
|
|
|
|
BlockedNumberController,
|
|
|
|
Signal
|
|
|
|
*/
|
|
|
|
|
|
|
|
// eslint-disable-next-line func-names
|
|
|
|
(async function() {
|
|
|
|
'use strict';
|
|
|
|
|
|
|
|
// Globally disable drag and drop
|
|
|
|
document.body.addEventListener(
|
|
|
|
'dragover',
|
|
|
|
e => {
|
|
|
|
e.preventDefault();
|
|
|
|
e.stopPropagation();
|
|
|
|
},
|
|
|
|
false
|
|
|
|
);
|
|
|
|
document.body.addEventListener(
|
|
|
|
'drop',
|
|
|
|
e => {
|
|
|
|
e.preventDefault();
|
|
|
|
e.stopPropagation();
|
|
|
|
},
|
|
|
|
false
|
|
|
|
);
|
|
|
|
|
|
|
|
// Load these images now to ensure that they don't flicker on first use
|
|
|
|
const images = [];
|
|
|
|
function preload(list) {
|
|
|
|
for (let index = 0, max = list.length; index < max; index += 1) {
|
|
|
|
const image = new Image();
|
|
|
|
image.src = `./images/${list[index]}`;
|
|
|
|
images.push(image);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
preload([
|
|
|
|
'alert-outline.svg',
|
|
|
|
'check.svg',
|
|
|
|
'error.svg',
|
|
|
|
'file-gradient.svg',
|
|
|
|
'file.svg',
|
|
|
|
'image.svg',
|
|
|
|
'microphone.svg',
|
|
|
|
'movie.svg',
|
|
|
|
'open_link.svg',
|
|
|
|
'play.svg',
|
|
|
|
'save.svg',
|
|
|
|
'shield.svg',
|
|
|
|
'timer.svg',
|
|
|
|
'video.svg',
|
|
|
|
'warning.svg',
|
|
|
|
'x.svg',
|
|
|
|
]);
|
|
|
|
|
|
|
|
// We add this to window here because the default Node context is erased at the end
|
|
|
|
// of preload.js processing
|
|
|
|
window.setImmediate = window.nodeSetImmediate;
|
|
|
|
window.globalOnlineStatus = true; // default to true as we don't get an event on app start
|
|
|
|
window.getGlobalOnlineStatus = () => window.globalOnlineStatus;
|
|
|
|
const { Views } = window.Signal;
|
|
|
|
|
|
|
|
window.log.info('background page reloaded');
|
|
|
|
window.log.info('environment:', window.getEnvironment());
|
|
|
|
const restartReason = localStorage.getItem('restart-reason');
|
|
|
|
|
|
|
|
if (restartReason === 'unlink') {
|
|
|
|
setTimeout(() => {
|
|
|
|
localStorage.removeItem('restart-reason');
|
|
|
|
|
|
|
|
window.libsession.Utils.ToastUtils.pushForceUnlinked();
|
|
|
|
}, 2000);
|
|
|
|
}
|
|
|
|
|
|
|
|
let initialLoadComplete = false;
|
|
|
|
let newVersion = false;
|
|
|
|
|
|
|
|
window.document.title = window.getTitle();
|
|
|
|
|
|
|
|
Whisper.events = _.clone(Backbone.Events);
|
|
|
|
Whisper.events.isListenedTo = eventName =>
|
|
|
|
Whisper.events._events ? !!Whisper.events._events[eventName] : false;
|
|
|
|
const cancelInitializationMessage = Views.Initialization.setMessage();
|
|
|
|
|
|
|
|
window.log.info('Storage fetch');
|
|
|
|
storage.fetch();
|
|
|
|
|
|
|
|
function mapOldThemeToNew(theme) {
|
|
|
|
switch (theme) {
|
|
|
|
case 'dark':
|
|
|
|
case 'light':
|
|
|
|
return theme;
|
|
|
|
case 'android-dark':
|
|
|
|
return 'dark';
|
|
|
|
case 'android':
|
|
|
|
case 'ios':
|
|
|
|
default:
|
|
|
|
return 'light';
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// We need this 'first' check because we don't want to start the app up any other time
|
|
|
|
// than the first time. And storage.fetch() will cause onready() to fire.
|
|
|
|
let first = true;
|
|
|
|
storage.onready(async () => {
|
|
|
|
if (!first) {
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
first = false;
|
|
|
|
|
|
|
|
// Update zoom
|
|
|
|
window.updateZoomFactor();
|
|
|
|
|
|
|
|
// Ensure accounts created prior to 1.0.0-beta8 do have their
|
|
|
|
// 'primaryDevicePubKey' defined.
|
|
|
|
if (Whisper.Registration.isDone() && !storage.get('primaryDevicePubKey', null)) {
|
|
|
|
storage.put(
|
|
|
|
'primaryDevicePubKey',
|
|
|
|
window.libsession.Utils.UserUtils.getOurPubKeyStrFromCache()
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
|
|
|
// These make key operations available to IPC handlers created in preload.js
|
|
|
|
window.Events = {
|
|
|
|
getThemeSetting: () => storage.get('theme-setting', 'light'),
|
|
|
|
setThemeSetting: value => {
|
|
|
|
storage.put('theme-setting', value);
|
|
|
|
},
|
|
|
|
getHideMenuBar: () => storage.get('hide-menu-bar'),
|
|
|
|
setHideMenuBar: value => {
|
|
|
|
storage.put('hide-menu-bar', value);
|
|
|
|
window.setAutoHideMenuBar(false);
|
|
|
|
window.setMenuBarVisibility(!value);
|
|
|
|
},
|
|
|
|
|
|
|
|
getSpellCheck: () => storage.get('spell-check', true),
|
|
|
|
setSpellCheck: value => {
|
|
|
|
storage.put('spell-check', value);
|
|
|
|
},
|
|
|
|
|
|
|
|
shutdown: async () => {
|
|
|
|
// Stop background processing
|
|
|
|
window.libsession.Utils.AttachmentDownloads.stop();
|
|
|
|
|
|
|
|
// Stop processing incoming messages
|
|
|
|
// FIXME audric stop polling opengroupv2 and swarm nodes
|
|
|
|
|
|
|
|
// Shut down the data interface cleanly
|
|
|
|
await window.Signal.Data.shutdown();
|
|
|
|
},
|
|
|
|
};
|
|
|
|
|
|
|
|
const currentVersion = window.getVersion();
|
|
|
|
const lastVersion = storage.get('version');
|
|
|
|
newVersion = !lastVersion || currentVersion !== lastVersion;
|
|
|
|
await storage.put('version', currentVersion);
|
|
|
|
|
|
|
|
if (newVersion) {
|
|
|
|
window.log.info(`New version detected: ${currentVersion}; previous: ${lastVersion}`);
|
|
|
|
|
|
|
|
await window.Signal.Data.cleanupOrphanedAttachments();
|
|
|
|
|
|
|
|
await window.Signal.Logs.deleteAll();
|
|
|
|
}
|
|
|
|
|
|
|
|
Views.Initialization.setMessage(window.i18n('optimizingApplication'));
|
|
|
|
|
|
|
|
Views.Initialization.setMessage(window.i18n('loading'));
|
|
|
|
|
|
|
|
const themeSetting = window.Events.getThemeSetting();
|
|
|
|
const newThemeSetting = mapOldThemeToNew(themeSetting);
|
|
|
|
window.Events.setThemeSetting(newThemeSetting);
|
|
|
|
|
|
|
|
try {
|
|
|
|
await Promise.all([
|
|
|
|
window.getConversationController().load(),
|
|
|
|
BlockedNumberController.load(),
|
|
|
|
]);
|
|
|
|
} catch (error) {
|
|
|
|
window.log.error(
|
|
|
|
'background.js: ConversationController failed to load:',
|
|
|
|
error && error.stack ? error.stack : error
|
|
|
|
);
|
|
|
|
} finally {
|
|
|
|
start();
|
|
|
|
}
|
|
|
|
});
|
|
|
|
|
|
|
|
function manageExpiringData() {
|
|
|
|
window.Signal.Data.cleanSeenMessages();
|
|
|
|
window.Signal.Data.cleanLastHashes();
|
|
|
|
setTimeout(manageExpiringData, 1000 * 60 * 60);
|
|
|
|
}
|
|
|
|
|
|
|
|
async function start() {
|
|
|
|
manageExpiringData();
|
|
|
|
window.dispatchEvent(new Event('storage_ready'));
|
|
|
|
|
|
|
|
window.log.info('Cleanup: starting...');
|
|
|
|
|
|
|
|
const results = await Promise.all([window.Signal.Data.getOutgoingWithoutExpiresAt()]);
|
|
|
|
|
|
|
|
// Combine the models
|
|
|
|
const messagesForCleanup = results.reduce(
|
|
|
|
(array, current) => array.concat(current.toArray()),
|
|
|
|
[]
|
|
|
|
);
|
|
|
|
|
|
|
|
window.log.info(`Cleanup: Found ${messagesForCleanup.length} messages for cleanup`);
|
|
|
|
await Promise.all(
|
|
|
|
messagesForCleanup.map(async message => {
|
|
|
|
const sentAt = message.get('sent_at');
|
|
|
|
|
|
|
|
if (message.hasErrors()) {
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
|
|
|
window.log.info(`Cleanup: Deleting unsent message ${sentAt}`);
|
|
|
|
await window.Signal.Data.removeMessage(message.id);
|
|
|
|
})
|
|
|
|
);
|
|
|
|
window.log.info('Cleanup: complete');
|
|
|
|
|
|
|
|
window.log.info('listening for registration events');
|
|
|
|
Whisper.events.on('registration_done', async () => {
|
|
|
|
window.log.info('handling registration event');
|
|
|
|
|
|
|
|
// Disable link previews as default per Kee
|
|
|
|
storage.onready(async () => {
|
|
|
|
storage.put('link-preview-setting', false);
|
|
|
|
});
|
|
|
|
|
|
|
|
connect(true);
|
|
|
|
});
|
|
|
|
|
|
|
|
cancelInitializationMessage();
|
|
|
|
const appView = new Whisper.AppView({
|
|
|
|
el: $('body'),
|
|
|
|
});
|
|
|
|
|
|
|
|
Whisper.WallClockListener.init(Whisper.events);
|
|
|
|
Whisper.ExpiringMessagesListener.init(Whisper.events);
|
|
|
|
|
|
|
|
if (Whisper.Registration.isDone() && !window.textsecure.storage.user.isSignInByLinking()) {
|
|
|
|
connect();
|
|
|
|
appView.openInbox({
|
|
|
|
initialLoadComplete,
|
|
|
|
});
|
|
|
|
} else {
|
|
|
|
appView.openStandalone();
|
|
|
|
}
|
|
|
|
|
|
|
|
Whisper.events.on('showDebugLog', () => {
|
|
|
|
appView.openDebugLog();
|
|
|
|
});
|
|
|
|
|
|
|
|
window.addEventListener('focus', () => Whisper.Notifications.clear());
|
|
|
|
window.addEventListener('unload', () => Whisper.Notifications.fastClear());
|
|
|
|
|
|
|
|
// Set user's launch count.
|
|
|
|
const prevLaunchCount = window.getSettingValue('launch-count');
|
|
|
|
const launchCount = !prevLaunchCount ? 1 : prevLaunchCount + 1;
|
|
|
|
window.setSettingValue('launch-count', launchCount);
|
|
|
|
|
|
|
|
// On first launch
|
|
|
|
if (launchCount === 1) {
|
|
|
|
// Initialise default settings
|
|
|
|
window.setSettingValue('hide-menu-bar', true);
|
|
|
|
window.setSettingValue('link-preview-setting', false);
|
|
|
|
}
|
|
|
|
|
|
|
|
window.setTheme = newTheme => {
|
|
|
|
window.Events.setThemeSetting(newTheme);
|
|
|
|
};
|
|
|
|
|
|
|
|
window.toggleMenuBar = () => {
|
|
|
|
const current = window.getSettingValue('hide-menu-bar');
|
|
|
|
if (current === undefined) {
|
|
|
|
window.Events.setHideMenuBar(false);
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
|
|
|
window.Events.setHideMenuBar(!current);
|
|
|
|
};
|
|
|
|
|
|
|
|
window.toggleSpellCheck = () => {
|
|
|
|
const currentValue = window.getSettingValue('spell-check');
|
|
|
|
// if undefined, it means 'default' so true. but we have to toggle it, so false
|
|
|
|
// if not undefined, we take the opposite
|
|
|
|
const newValue = currentValue !== undefined ? !currentValue : false;
|
|
|
|
window.Events.setSpellCheck(newValue);
|
|
|
|
window.libsession.Utils.ToastUtils.pushRestartNeeded();
|
|
|
|
};
|
|
|
|
|
|
|
|
window.toggleMediaPermissions = async () => {
|
|
|
|
const value = window.getMediaPermissions();
|
|
|
|
|
|
|
|
if (value === true) {
|
|
|
|
const valueCallPermissions = window.getCallMediaPermissions();
|
|
|
|
if (valueCallPermissions) {
|
|
|
|
window.log.info('toggleMediaPermissions : forcing callPermissions to false');
|
|
|
|
|
|
|
|
window.toggleCallMediaPermissionsTo(false);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
if (value === false && Signal.OS.isMacOS()) {
|
|
|
|
await window.askForMediaAccess();
|
|
|
|
}
|
|
|
|
window.setMediaPermissions(!value);
|
|
|
|
};
|
|
|
|
|
|
|
|
window.toggleCallMediaPermissionsTo = async enabled => {
|
|
|
|
const previousValue = window.getCallMediaPermissions();
|
|
|
|
if (previousValue === enabled) {
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
if (previousValue === false) {
|
|
|
|
// value was false and we toggle it so we turn it on
|
|
|
|
if (Signal.OS.isMacOS()) {
|
|
|
|
await window.askForMediaAccess();
|
|
|
|
}
|
|
|
|
window.log.info('toggleCallMediaPermissionsTo : forcing audio/video to true');
|
|
|
|
// turning ON "call permissions" forces turning on "audio/video permissions"
|
|
|
|
window.setMediaPermissions(true);
|
|
|
|
}
|
|
|
|
window.setCallMediaPermissions(enabled);
|
|
|
|
};
|
|
|
|
|
|
|
|
Whisper.Notifications.on('click', async (id, messageId) => {
|
|
|
|
window.showWindow();
|
|
|
|
if (id) {
|
|
|
|
await window.openConversationWithMessages({ conversationKey: id, messageId });
|
Full export, migration banner, and full migration workflow - behind flag (#1342)
* Add support for backup and restore
This first pass works for all stores except messages, pending some scaling
improvements.
// FREEBIE
* Import of messages and attachments
Properly sanitize filenames. Logging information that will help with
debugging but won't threaten privacy (no contact or group names),
where the on-disk directories have this information to make things
human-readable
FREEBIE
* First fully operational single-action export and import!
FREEBIE
* Add migration export flow
A banner alert leads to a blocking ui for the migration. We close the socket and
wait for incoming messages to drain before starting the export.
FREEBIE
* A number of updates for the export flow
1. We don't immediately pop the directory selection dialog box, instead
showing an explicit 'choose directory' button after explaining what is
about to happen
2. We show a 'submit debug log' button on most steps of the process
3. We handle export errors and encourage the user to double-check their
filesystem then submit their log
4. We are resilient to restarts during the process
5. We handle the user cancelling out of the directory selection dialog
differently from other errors.
6. The export process is now serialized: non-messages, then messages.
7. After successful export, show where the data is on disk
FREEBUE
* Put migration behind a flag
FREEBIE
* Shut down websocket before proceeding with export
FREEBIE
* Add MigrationView to test/index.html to fix test
FREEBIE
* Remove 'Submit Debug Log' button when the export process is complete
FREEBIE
* Create a 'Signal Export' directory below user-chosen dir
This cleans things up a bit so we don't litter the user's target
directory with lots of stuff.
FREEBIE
* Clarify MessageReceiver.drain() method comments
FREEBIE
* A couple updates for clarity - event names, else handling
Also the removal of wait(), which wasn't used anywhere.
FREEBIE
* A number of wording updates for the export flow
FREEBIE
* Export complete: put dir on its own line, make text selectable
FREEBIE
8 years ago
|
|
|
} else {
|
|
|
|
appView.openInbox({
|
|
|
|
initialLoadComplete,
|
|
|
|
});
|
Full export, migration banner, and full migration workflow - behind flag (#1342)
* Add support for backup and restore
This first pass works for all stores except messages, pending some scaling
improvements.
// FREEBIE
* Import of messages and attachments
Properly sanitize filenames. Logging information that will help with
debugging but won't threaten privacy (no contact or group names),
where the on-disk directories have this information to make things
human-readable
FREEBIE
* First fully operational single-action export and import!
FREEBIE
* Add migration export flow
A banner alert leads to a blocking ui for the migration. We close the socket and
wait for incoming messages to drain before starting the export.
FREEBIE
* A number of updates for the export flow
1. We don't immediately pop the directory selection dialog box, instead
showing an explicit 'choose directory' button after explaining what is
about to happen
2. We show a 'submit debug log' button on most steps of the process
3. We handle export errors and encourage the user to double-check their
filesystem then submit their log
4. We are resilient to restarts during the process
5. We handle the user cancelling out of the directory selection dialog
differently from other errors.
6. The export process is now serialized: non-messages, then messages.
7. After successful export, show where the data is on disk
FREEBUE
* Put migration behind a flag
FREEBIE
* Shut down websocket before proceeding with export
FREEBIE
* Add MigrationView to test/index.html to fix test
FREEBIE
* Remove 'Submit Debug Log' button when the export process is complete
FREEBIE
* Create a 'Signal Export' directory below user-chosen dir
This cleans things up a bit so we don't litter the user's target
directory with lots of stuff.
FREEBIE
* Clarify MessageReceiver.drain() method comments
FREEBIE
* A couple updates for clarity - event names, else handling
Also the removal of wait(), which wasn't used anywhere.
FREEBIE
* A number of wording updates for the export flow
FREEBIE
* Export complete: put dir on its own line, make text selectable
FREEBIE
8 years ago
|
|
|
}
|
|
|
|
});
|
|
|
|
|
|
|
|
Whisper.events.on('openInbox', () => {
|
|
|
|
appView.openInbox({
|
|
|
|
initialLoadComplete,
|
|
|
|
});
|
|
|
|
});
|
|
|
|
|
|
|
|
Whisper.events.on('password-updated', () => {
|
|
|
|
if (appView && appView.inboxView) {
|
|
|
|
appView.inboxView.trigger('password-updated');
|
|
|
|
}
|
|
|
|
});
|
|
|
|
}
|
Full export, migration banner, and full migration workflow - behind flag (#1342)
* Add support for backup and restore
This first pass works for all stores except messages, pending some scaling
improvements.
// FREEBIE
* Import of messages and attachments
Properly sanitize filenames. Logging information that will help with
debugging but won't threaten privacy (no contact or group names),
where the on-disk directories have this information to make things
human-readable
FREEBIE
* First fully operational single-action export and import!
FREEBIE
* Add migration export flow
A banner alert leads to a blocking ui for the migration. We close the socket and
wait for incoming messages to drain before starting the export.
FREEBIE
* A number of updates for the export flow
1. We don't immediately pop the directory selection dialog box, instead
showing an explicit 'choose directory' button after explaining what is
about to happen
2. We show a 'submit debug log' button on most steps of the process
3. We handle export errors and encourage the user to double-check their
filesystem then submit their log
4. We are resilient to restarts during the process
5. We handle the user cancelling out of the directory selection dialog
differently from other errors.
6. The export process is now serialized: non-messages, then messages.
7. After successful export, show where the data is on disk
FREEBUE
* Put migration behind a flag
FREEBIE
* Shut down websocket before proceeding with export
FREEBIE
* Add MigrationView to test/index.html to fix test
FREEBIE
* Remove 'Submit Debug Log' button when the export process is complete
FREEBIE
* Create a 'Signal Export' directory below user-chosen dir
This cleans things up a bit so we don't litter the user's target
directory with lots of stuff.
FREEBIE
* Clarify MessageReceiver.drain() method comments
FREEBIE
* A couple updates for clarity - event names, else handling
Also the removal of wait(), which wasn't used anywhere.
FREEBIE
* A number of wording updates for the export flow
FREEBIE
* Export complete: put dir on its own line, make text selectable
FREEBIE
8 years ago
|
|
|
|
|
|
|
let disconnectTimer = null;
|
|
|
|
function onOffline() {
|
|
|
|
window.log.info('offline');
|
|
|
|
window.globalOnlineStatus = false;
|
|
|
|
|
|
|
|
window.removeEventListener('offline', onOffline);
|
|
|
|
window.addEventListener('online', onOnline);
|
|
|
|
|
|
|
|
// We've received logs from Linux where we get an 'offline' event, then 30ms later
|
|
|
|
// we get an online event. This waits a bit after getting an 'offline' event
|
|
|
|
// before disconnecting the socket manually.
|
|
|
|
disconnectTimer = setTimeout(disconnect, 1000);
|
|
|
|
}
|
|
|
|
|
|
|
|
function onOnline() {
|
|
|
|
window.log.info('online');
|
|
|
|
window.globalOnlineStatus = true;
|
|
|
|
|
|
|
|
window.removeEventListener('online', onOnline);
|
|
|
|
window.addEventListener('offline', onOffline);
|
|
|
|
|
|
|
|
if (disconnectTimer) {
|
|
|
|
window.log.warn('Already online. Had a blip in online/offline status.');
|
|
|
|
clearTimeout(disconnectTimer);
|
|
|
|
disconnectTimer = null;
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
if (disconnectTimer) {
|
|
|
|
clearTimeout(disconnectTimer);
|
|
|
|
disconnectTimer = null;
|
|
|
|
}
|
|
|
|
|
|
|
|
connect();
|
|
|
|
}
|
|
|
|
|
|
|
|
async function disconnect() {
|
|
|
|
window.log.info('disconnect');
|
|
|
|
|
|
|
|
// Clear timer, since we're only called when the timer is expired
|
|
|
|
disconnectTimer = null;
|
|
|
|
window.libsession.Utils.AttachmentDownloads.stop();
|
|
|
|
}
|
|
|
|
|
|
|
|
let connectCount = 0;
|
|
|
|
async function connect(firstRun) {
|
|
|
|
window.log.info('connect');
|
|
|
|
|
|
|
|
// Bootstrap our online/offline detection, only the first time we connect
|
|
|
|
if (connectCount === 0 && navigator.onLine) {
|
|
|
|
window.addEventListener('offline', onOffline);
|
|
|
|
}
|
|
|
|
if (connectCount === 0 && !navigator.onLine) {
|
|
|
|
window.log.warn('Starting up offline; will connect when we have network access');
|
|
|
|
window.addEventListener('online', onOnline);
|
|
|
|
onEmpty(); // this ensures that the loading screen is dismissed
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
|
|
|
if (firstRun) {
|
|
|
|
window.readyForUpdates();
|
|
|
|
}
|
|
|
|
|
|
|
|
if (!Whisper.Registration.everDone()) {
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
|
|
|
connectCount += 1;
|
|
|
|
Whisper.Notifications.disable(); // avoid notification flood until empty
|
|
|
|
setTimeout(() => {
|
|
|
|
Whisper.Notifications.enable();
|
Session 1.7.5 (#2094)
* Added message requests disabled for now
* no longer showing empty space for conversations moved from list.
* Added syncing accepting of contact between running instances.
* Adding blocking of individual requests and syncing of block to devices. Added approval by replying to a message.
* fixed typos for translations and method name.
* Blocking, accepting on click and accepting on msg send
working across clients.
* adding setting of active_at to hide unapproved messages.
* adding feature flag for config message receiving
* fix archlinux pw unused issue
on archlinux, the appimage links to the system sqlite by default which
does not support sqlcipher
* hide activeAt = 0 convo from search results
Fixes #2033
* opengroup messages from blocked user are dropped
Fixes #2019
* opengroup messages from blocked user are dropped
Fixes #2019
* dismiss a call when answered from another of our devices
* add data-testid for leftpane sections and edit profile dialog
* update turn servers
* cleanup sessionprotobuf
* move the state of calling to its own slice
* no video track by default and will be turn ON if asked to
* message request refactoring.
* create offer and answer ourselves and do not use the negotiation needed
event.
this event is causing us to loop in negotiation needed when each side
try to create one, gets the answer and so on...
* auto select the first audio input on connection success webrtc
* add a way to choose the audioouput/mute a webrtc call
* mute audio from bg when video is in fullscreen
this is to avoid having two times the remote sound playing
one in the bg and one in the fullscreen
* Adding improvements to message request handling.
* Only updating approval when it is a true value as we consider a block a decline.
* Linting and formatting.
* More formatting and linting
* fixing merge conflicts
* linting and formatting changes
* darken a bit the green of sent message box in light theme
* disable deduplication based serverId+sender
only use the serverTimestamp+sender for searching because
serverId+sender might have false positive
* Fixing up block all logic.
* speed up fetching closed group's members avatar
* Applying PR changes.
* cleanup props passing of avatar and name with a custom hook
* fix a bug releasing the decrypted attachment blobs too early
* Adding trigger logic for conversation filtering of requests.
* Fixing rimraf transpile bug. Adding PR fixes - icon buttons.
* Minor call tweaks (#2051)
* show missed-call,started-call and answered call notification in chat
* fix types for createLastMessageUpdate
* show incoming dialog if we have a pending call when enable call receptio
* simplify a bit the avatar component
* move disableDrag to a custom hook
* speed up hash colors of avatarPlaceHolders
* fixup text selection and double click reply on message
* keep avatar decoded items longer before releasing memory
* add incoming/outgoing/missed call notification
also, merge that notification with the timer and group notification
component
* hangup call if no answer after 30sec
* refactor SessionInput using hook + add testid field for recovery
* disable message request feature flag for now
* fix merge issue
* force loading screen to be black instead of white
for our dark theme user's eyes safety
* Fetch translations (#2056)
* show missed-call,started-call and answered call notification in chat
* fix types for createLastMessageUpdate
* show incoming dialog if we have a pending call when enable call receptio
* simplify a bit the avatar component
* move disableDrag to a custom hook
* speed up hash colors of avatarPlaceHolders
* fixup text selection and double click reply on message
* keep avatar decoded items longer before releasing memory
* add incoming/outgoing/missed call notification
also, merge that notification with the timer and group notification
component
* hangup call if no answer after 30sec
* refactor SessionInput using hook + add testid field for recovery
* disable message request feature flag for now
* fix merge issue
* force loading screen to be black instead of white
for our dark theme user's eyes safety
* add type for i18n to run update after crowdin fetch with tools/updateI18nKeysType.py
* update to latest translations
* Open group regex fixes (#2058)
* Open group URL regex fixes
- Capital letters in room tokens were not being accepted (it eventually
gets lower-cased internally, which works fine, but that happens
*after* the URL is tested for acceptability).
- `-` in room was not being allowed (it is and always has been on SOGS,
session-android, and session-ios).
- single-letter room ids are valid, but only 2+ letter ids were being
accepted.
- complete URL regex wasn't anchored so something like
`garbagehttps://example.com/room?public_key=<64hex>moregarbage` was
being accepted in the GUI input (it fails later when other code tries
to parse it as a URL).
- removed `m` modifier from open group regex: without anchors it wasn't
doing anything anyway, but *with* anchors it would still allow
leading/trailing garbage if delineated by newlines.
- public key regex was accepting g-z letters, and not accepting A-F.
- various regex cleanups:
- use non-capture groups (?:...) rather than capturing groups (...)
- avoid repetition in host segment matching
- tightened up host pattern matching a bit:
- DNS host segments have a max length of 63
- Limit port max length to 5, and disallow starting with 0
* Show an error when the open group URL is invalid
It's quite disconcerting when you have a bad open group URL and try to
add it and the join button just "doesn't work" without any feedback at
all. Fix it to show an error message. (There is already an i18n entry
for this because this same message is thrown if the URL can't be parsed
later on).
* Add call duration (#2059)
* add call duration once connected
* close incoming call dialog if endCall from same sender
* disable message request toggle if featureFlag is OFF
* Cleanup message request (#2063)
* close incoming call dialog if endCall from seame sender
* disable message request toggle if featureFlag is OFF
* cleanup UI of message requests
* mark all existing conversations as approved in a migration
* fix regex with conversationID for opengroups
* Various UI fixes (#2070)
* cleanup unused convo json fields in db
* display a toast if the user is not approved yet on call OFFER received
* enable CBR for calls
* do not update active_at on configMessage if !!active_at
* remove mkdirp dependency
* disable call button if focused convo is blocked
* quote: do not include the full body in quote, but just the first 100
* click on the edit profile qr code padding
* Allow longer input for opengroup join overlay
Fixes #2068
* Fix overlay feature for start new session button
* make ringing depend on redux CALL status
* turn ON read-receipt by default
* keep read-receipts disabled by default (#2071)
* refactor most of the components to outside of their Session folder (#2072)
* refactor most of the components to outside of their Session folder
* finish moving overlay and memberListItem to react hook
* fix bug with kicked member len >2 not being displayed
also sort admins first in UpdateGroupMembers dialog
* fix admin leaving text of groupNotification
* add a useFocusMount hook to focus input fields on mount
* make click avatar convo item open only user dialog
* cleanup config default.json
* make sure to use convoController to build sync message
* disable showing pubkey on opengroups
* add a pause on audio playback
Fixes #2079
* Minor styling fix for large amount of message requests (#2080)
* Minor styling fix for large amount of message requests
* Vertical center fix for message request banner.
* removing top margin from banner again.
* reactify group updates text bubble from redux store (#2083)
* add crown icon for closed group admins (#2084)
* disable call for now + fix left pane actions overflow (#2085)
* Fix attachment dl freeze (#2086)
* fix attachment download freezing app for some opengroups
* make registration page work with smaller height
* Unban UI (#2091)
* adding basic functionaliy for unbanning a user
* merge ban and unban user dialog in to one dialog
Co-authored-by: warrickct <warrickct@gmail.com>
* use React Provider for convoListItem (#2088)
this is to avoid passing down the prop to all the components
* fix closed group updates undefined on no names (#2092)
Co-authored-by: Warrick Corfe-Tan <warrickct@gmail.com>
Co-authored-by: Jason Rhinelander <jason@imaginary.ca>
Co-authored-by: Warrick <wcor690@aucklanduni.ac.nz>
3 years ago
|
|
|
}, 10 * 1000); // 10 sec
|
|
|
|
|
|
|
|
window.NewReceiver.queueAllCached();
|
|
|
|
window.libsession.Utils.AttachmentDownloads.start({
|
|
|
|
logger: window.log,
|
|
|
|
});
|
|
|
|
|
|
|
|
window.textsecure.messaging = true;
|
|
|
|
}
|
|
|
|
|
|
|
|
function onEmpty() {
|
|
|
|
initialLoadComplete = true;
|
|
|
|
|
|
|
|
window.readyForUpdates();
|
|
|
|
|
|
|
|
Whisper.Notifications.enable();
|
|
|
|
}
|
Finish abstracting native client
Firstly, don't initialize textsecure.nativclient unless the browser
supports it. The mimetype-check trick is hewn from nacl-common.js.
Secondly, nativeclient crypto functions will all automatically wait for
the module to load before sending messages, so we needn't register any
onload callbacks outside nativeclient.js. (Previously, if you wanted to
do crypto with native client, you would have to register a call back and
wait for the module to load.) Now that the native client crypto is
encapsulated behind a nice interface, it can handle all that
onload-callback jazz internally: if the module isn't loaded when you
call a nativeclient function, return a promise that waits for the load
callback, and eventually resolves with the result of the requested
command. This removes the need for textsecure.registerOnLoadCallback.
Finally, although native client has its quirks, it's significantly
faster than the alternative (emscripten compiled js), so this commit
also lets the crypto backend use native client opportunistically, if
it's available, falling back to js if not, which should make us
compatible with older versions of chrome and chromium.
11 years ago
|
|
|
})();
|