Merge branch 'clearnet' into bug-fix

pull/680/head
Mikunj 5 years ago
commit 84a8b0f0af

@ -1429,6 +1429,12 @@
"description":
"Warning notification that this version of the app has expired"
},
"clockOutOfSync": {
"message":
"Your clock is out of sync. Please update your clock and try again.",
"description":
"Notifcation that user's clock is out of sync with Loki's servers."
},
"upgrade": {
"message": "Upgrade",
"description":
@ -1992,54 +1998,44 @@
"message": "Note: Your display name will be visible to your contacts",
"description": "Shown to the user as a warning about setting display name"
},
"copyPublicKey": {
"message": "Copy public key",
"description":
"Button action that the user can click to copy their public keys"
},
"banUser": {
"message": "Ban user",
"description": "Ban user from public chat by public key."
},
"banUserConfirm": {
"message": "Are you sure you want to ban user?",
"description": "Message shown when confirming user ban."
},
"userBanned": {
"message": "User successfully banned",
"description": "Toast on succesful user ban."
},
"userBanFailed": {
"message": "User ban failed!",
"description": "Toast on unsuccesful user ban."
},
"copyChatId": {
"message": "Copy Chat ID"
},
"updateGroup": {
"message": "Update Group",
"description":
"Button action that the user can click to rename the group or add a new member"
},
"leaveGroup": {
"message": "Leave Group",
"description": "Button action that the user can click to leave the group"
},
"leaveGroupDialogTitle": {
"message": "Are you sure you want to leave this group?",
"description":
"Title shown to the user to confirm they want to leave the group"
},
"copiedPublicKey": {
"message": "Copied public key",
"description": "A toast message telling the user that the key was copied"
@ -2062,18 +2058,20 @@
"message": "Edit profile",
"description": "Button action that the user can click to edit their profile"
},
"createGroupDialogTitle": {
"message": "Creating a Private Group Chat",
"description": "Title for the dialog box used to create a new private group"
},
"updateGroupDialogTitle": {
"message": "Updating a Private Group Chat",
"description":
"Title for the dialog box used to update an existing private group"
},
"updatePublicGroupDialogTitle": {
"message": "Updating a Public Chat Channel",
"description":
"Title for the dialog box used to update an existing public chat channel"
},
"showSeed": {
"message": "Show seed",
"description":
@ -2093,25 +2091,21 @@
"description":
"Title for the dialog box used to connect to a new public server"
},
"createPrivateGroup": {
"message": "Create Private Group",
"description":
"Button action that the user can click to show a dialog for creating a new private group chat"
},
"seedViewTitle": {
"message":
"Please save the seed below in a safe location. They can be used to restore your account if you lose access or migrate to a new device.",
"description": "The title shown when the user views their seeds"
},
"copiedMnemonic": {
"message": "Copied seed to clipboard",
"description":
"A toast message telling the user that the mnemonic seed was copied"
},
"passwordViewTitle": {
"message": "Type in your password",
"description":
@ -2125,7 +2119,6 @@
"description":
"A button action that the user can click to reset the database"
},
"setPassword": {
"message": "Set Password",
"description": "Button action that the user can click to set a password"
@ -2210,7 +2203,6 @@
"message": "Invalid Pubkey Format",
"description": "Error string shown when user types an invalid pubkey format"
},
"conversationsTab": {
"message": "Conversations",
"description": "conversation tab title"
@ -2261,5 +2253,18 @@
},
"noFriendsToAdd": {
"message": "no friends to add"
},
"couldNotDecryptMessage": {
"message": "Couldn't decrypt a message"
},
"confirmSessionRestore": {
"message":
"Would you like to start a new session with $pubkey$? Only do so if you know this pubkey.",
"placeholders": {
"pubkey": {
"content": "$1",
"example": ""
}
}
}
}

@ -819,6 +819,7 @@
<script type='text/javascript' src='js/views/device_pairing_dialog_view.js'></script>
<script type='text/javascript' src='js/views/device_pairing_words_dialog_view.js'></script>
<script type='text/javascript' src='js/views/create_group_dialog_view.js'></script>
<script type='text/javascript' src='js/views/confirm_session_reset_view.js'></script>
<script type='text/javascript' src='js/views/edit_profile_dialog_view.js'></script>
<script type='text/javascript' src='js/views/invite_friends_dialog_view.js'></script>
<script type='text/javascript' src='js/views/user_details_dialog_view.js'></script>

@ -11,7 +11,7 @@
libloki,
libsignal,
StringView,
BlockedNumberController
BlockedNumberController,
*/
// eslint-disable-next-line func-names
@ -125,6 +125,9 @@
'loki/loki_icon_128.png',
]);
// Set server-client time difference
window.LokiPublicChatAPI.setClockParams();
// We add this to window here because the default Node context is erased at the end
// of preload.js processing
window.setImmediate = window.nodeSetImmediate;
@ -741,6 +744,20 @@
'group'
);
if (convo.isPublic()) {
const API = await convo.getPublicSendData();
if (await API.setChannelName(groupName)) {
// queue update from server
// and let that set the conversation
API.pollForChannelOnce();
// or we could just directly call
// convo.setGroupName(groupName);
// but gut is saying let the server be the definitive storage of the state
// and trickle down from there
}
return;
}
const avatar = '';
const options = {};
@ -997,6 +1014,13 @@
});
Whisper.events.on('onShowUserDetails', async ({ userPubKey }) => {
const isMe = userPubKey === textsecure.storage.user.getNumber();
if (isMe) {
Whisper.events.trigger('onEditProfile');
return;
}
const conversation = await ConversationController.getOrCreateAndWait(
userPubKey,
'private'
@ -1039,6 +1063,12 @@
}
});
Whisper.events.on('showSessionRestoreConfirmation', options => {
if (appView) {
appView.showSessionRestoreConfirmation(options);
}
});
Whisper.events.on('showNicknameDialog', options => {
if (appView) {
appView.showNicknameDialog(options);
@ -1930,6 +1960,48 @@
}
async function onError(ev) {
const noSession =
ev.error &&
ev.error.message &&
ev.error.message.indexOf('No record for device') === 0;
const pubkey = ev.proto.source;
if (noSession) {
const convo = await ConversationController.getOrCreateAndWait(
pubkey,
'private'
);
if (!convo.get('sessionRestoreSeen')) {
convo.set({ sessionRestoreSeen: true });
await window.Signal.Data.updateConversation(
convo.id,
convo.attributes,
{ Conversation: Whisper.Conversation }
);
window.Whisper.events.trigger('showSessionRestoreConfirmation', {
pubkey,
onOk: () => {
convo.sendMessage('', null, null, null, null, {
sessionRestoration: true,
});
},
});
} else {
window.log.verbose(
`Already seen session restore for pubkey: ${pubkey}`
);
if (ev.confirm) {
ev.confirm();
}
}
// We don't want to display any failed messages in the conversation:
return;
}
const { error } = ev;
window.log.error('background onError:', Errors.toLogFormat(error));

@ -1,5 +1,6 @@
/* global
_,
log,
i18n,
Backbone,
ConversationController,
@ -1437,7 +1438,8 @@
attachments,
quote,
preview,
groupInvitation = null
groupInvitation = null,
otherOptions = {}
) {
this.clearTypingTimers();
@ -1533,9 +1535,13 @@
messageWithSchema.source = textsecure.storage.user.getNumber();
messageWithSchema.sourceDevice = 1;
}
const { sessionRestoration = false } = otherOptions;
const attributes = {
...messageWithSchema,
groupInvitation,
sessionRestoration,
id: window.getGuid(),
};
@ -1616,6 +1622,7 @@
}
options.groupInvitation = groupInvitation;
options.sessionRestoration = sessionRestoration;
const groupNumbers = this.getRecipients();
@ -2346,14 +2353,21 @@
// maybe "Backend" instead of "Source"?
async setPublicSource(newServer, newChannelId) {
if (!this.isPublic()) {
log.warn(
`trying to setPublicSource on non public chat conversation ${this.id}`
);
return;
}
if (
this.get('server') !== newServer ||
this.get('channelId') !== newChannelId
) {
this.set({ server: newServer });
this.set({ channelId: newChannelId });
// mark active so it's not in the friends list but the conversation list
this.set({
server: newServer,
channelId: newChannelId,
active_at: Date.now(),
});
await window.Signal.Data.updateConversation(this.id, this.attributes, {
Conversation: Whisper.Conversation,
});
@ -2361,6 +2375,9 @@
},
getPublicSource() {
if (!this.isPublic()) {
log.warn(
`trying to getPublicSource on non public chat conversation ${this.id}`
);
return null;
}
return {
@ -2370,18 +2387,8 @@
};
},
async getPublicSendData() {
const serverAPI = await lokiPublicChatAPI.findOrCreateServer(
this.get('server')
);
if (!serverAPI) {
window.log.warn(
`Failed to get serverAPI (${this.get('server')}) for conversation (${
this.id
})`
);
return null;
}
const channelAPI = await serverAPI.findOrCreateChannel(
const channelAPI = await lokiPublicChatAPI.findOrCreateChannel(
this.get('server'),
this.get('channelId'),
this.id
);

@ -102,6 +102,8 @@
this.propsForResetSessionNotification = this.getPropsForResetSessionNotification();
} else if (this.isGroupUpdate()) {
this.propsForGroupNotification = this.getPropsForGroupNotification();
} else if (this.isSessionRestoration()) {
// do nothing
} else if (this.isFriendRequest()) {
this.propsForFriendRequest = this.getPropsForFriendRequest();
} else if (this.isGroupInvitation()) {
@ -270,6 +272,13 @@
isGroupInvitation() {
return !!this.get('groupInvitation');
},
isSessionRestoration() {
const flag = textsecure.protobuf.DataMessage.Flags.SESSION_RESTORE;
// eslint-disable-next-line no-bitwise
const sessionRestoreFlag = !!(this.get('flags') & flag);
return !!this.get('sessionRestoration') || sessionRestoreFlag;
},
getNotificationText() {
const description = this.getDescription();
if (description) {
@ -390,6 +399,16 @@
}
const conversation = await this.getSourceDeviceConversation();
// If we somehow received an old friend request (e.g. after having restored
// from seed, we won't be able to accept it, we should initiate our own
// friend request to reset the session:
if (conversation.get('sessionRestoreSeen')) {
conversation.sendMessage('', null, null, null, null, {
sessionRestoration: true,
});
return;
}
this.set({ friendStatus: 'accepted' });
await window.Signal.Data.saveMessage(this.attributes, {
Message: Whisper.Message,
@ -1979,6 +1998,15 @@
initialMessage.flags ===
textsecure.protobuf.DataMessage.Flags.BACKGROUND_FRIEND_REQUEST;
if (
// eslint-disable-next-line no-bitwise
initialMessage.flags &
textsecure.protobuf.DataMessage.Flags.SESSION_RESTORE
) {
// Show that the session reset is "in progress" even though we had a valid session
this.set({ endSessionType: 'ongoing' });
}
if (message.isFriendRequest() && backgroundFrReq) {
// Check if the contact is a member in one of our private groups:
const groupMember = window

@ -1,7 +1,6 @@
/* global log, textsecure, libloki, Signal, Whisper, Headers, ConversationController,
clearTimeout, MessageController, libsignal, StringView, window, _,
dcodeIO, Buffer */
const EventEmitter = require('events');
const nodeFetch = require('node-fetch');
const { URL, URLSearchParams } = require('url');
const FormData = require('form-data');
@ -15,144 +14,19 @@ const PUBLICCHAT_MIN_TIME_BETWEEN_DUPLICATE_MESSAGES = 10 * 1000; // 10s
const HOMESERVER_USER_ANNOTATION_TYPE = 'network.loki.messenger.homeserver';
const AVATAR_USER_ANNOTATION_TYPE = 'network.loki.messenger.avatar';
const SETTINGS_CHANNEL_ANNOTATION_TYPE = 'net.patter-app.settings';
const MESSAGE_ATTACHMENT_TYPE = 'net.app.core.oembed';
const LOKI_ATTACHMENT_TYPE = 'attachment';
const LOKI_PREVIEW_TYPE = 'preview';
// not quite a singleton yet (one for chat and one per file server)
class LokiAppDotNetAPI extends EventEmitter {
constructor(ourKey) {
super();
this.ourKey = ourKey;
this.servers = [];
this.myPrivateKey = false;
this.allMembers = [];
// Multidevice states
this.primaryUserProfileName = {};
}
async close() {
await Promise.all(this.servers.map(server => server.close()));
}
async getPrivateKey() {
if (!this.myPrivateKey) {
const myKeyPair = await textsecure.storage.protocol.getIdentityKeyPair();
this.myPrivateKey = myKeyPair.privKey;
}
return this.myPrivateKey;
}
// server getter/factory
async findOrCreateServer(serverUrl) {
let thisServer = this.servers.find(
server => server.baseServerUrl === serverUrl
);
if (!thisServer) {
log.info(`LokiAppDotNetAPI creating ${serverUrl}`);
thisServer = new LokiAppDotNetServerAPI(this, serverUrl);
const gotToken = await thisServer.getOrRefreshServerToken();
if (!gotToken) {
log.warn(`Invalid server ${serverUrl}`);
return null;
}
log.info(`set token ${thisServer.token}`);
this.servers.push(thisServer);
}
return thisServer;
}
// channel getter/factory
async findOrCreateChannel(serverUrl, channelId, conversationId) {
const server = await this.findOrCreateServer(serverUrl);
if (!server) {
log.error(`Failed to create server for: ${serverUrl}`);
return null;
}
return server.findOrCreateChannel(channelId, conversationId);
}
// deallocate resources server uses
unregisterChannel(serverUrl, channelId) {
let thisServer;
let i = 0;
for (; i < this.servers.length; i += 1) {
if (this.servers[i].baseServerUrl === serverUrl) {
thisServer = this.servers[i];
break;
}
}
if (!thisServer) {
log.warn(`Tried to unregister from nonexistent server ${serverUrl}`);
return;
}
thisServer.unregisterChannel(channelId);
this.servers.splice(i, 1);
}
// shouldn't this be scoped per conversation?
async getListOfMembers() {
// enable in the next release
/*
let members = [];
await Promise.all(this.servers.map(async server => {
await Promise.all(server.channels.map(async channel => {
const newMembers = await channel.getSubscribers();
members = [...members, ...newMembers];
}));
}));
const results = members.map(member => {
return { authorPhoneNumber: member.username };
});
*/
return this.allMembers;
}
// TODO: make this private (or remove altogether) when
// we switch to polling the server for group members
setListOfMembers(members) {
this.allMembers = members;
}
async setProfileName(profileName) {
await Promise.all(
this.servers.map(async server => {
await server.setProfileName(profileName);
})
);
}
async setHomeServer(homeServer) {
await Promise.all(
this.servers.map(async server => {
// this may fail
// but we can't create a sql table to remember to retry forever
// I think we just silently fail for now
await server.setHomeServer(homeServer);
})
);
}
async setAvatar(url, profileKey) {
await Promise.all(
this.servers.map(async server => {
// this may fail
// but we can't create a sql table to remember to retry forever
// I think we just silently fail for now
await server.setAvatar(url, profileKey);
})
);
}
}
// the core ADN class that handles all communication with a specific server
class LokiAppDotNetServerAPI {
constructor(chatAPI, url) {
this.chatAPI = chatAPI;
constructor(ourKey, url) {
this.ourKey = ourKey;
this.channels = [];
this.tokenPromise = null;
this.baseServerUrl = url;
log.info(`LokiAppDotNetAPI registered server ${url}`);
}
async close() {
@ -163,18 +37,22 @@ class LokiAppDotNetServerAPI {
}
// channel getter/factory
async findOrCreateChannel(channelId, conversationId) {
async findOrCreateChannel(chatAPI, channelId, conversationId) {
let thisChannel = this.channels.find(
channel => channel.channelId === channelId
);
if (!thisChannel) {
log.info(`LokiAppDotNetAPI registering channel ${conversationId}`);
// make sure we're subscribed
// eventually we'll need to move to account registration/add server
await this.serverRequest(`channels/${channelId}/subscribe`, {
method: 'POST',
});
thisChannel = new LokiPublicChannelAPI(this, channelId, conversationId);
thisChannel = new LokiPublicChannelAPI(
chatAPI,
this,
channelId,
conversationId
);
this.channels.push(thisChannel);
}
return thisChannel;
@ -207,7 +85,7 @@ class LokiAppDotNetServerAPI {
async setProfileName(profileName) {
// when we add an annotation, may need this
/*
const privKey = await this.serverAPI.chatAPI.getPrivateKey();
const privKey = await this.getPrivateKey();
// we might need an annotation that sets the homeserver for media
// better to include this with each attachment...
const objToSign = {
@ -267,7 +145,7 @@ class LokiAppDotNetServerAPI {
}
async setAvatar(url, profileKey) {
let value = null;
let value; // undefined will save bandwidth on the annotation if we don't need it (no avatar)
if (url && profileKey) {
value = { url, profileKey };
}
@ -306,6 +184,7 @@ class LokiAppDotNetServerAPI {
tokenRes.response.data.user
) {
// get our profile name
// FIXME: should this be window.storage.get('primaryDevicePubKey')?
const ourNumber = textsecure.storage.user.getNumber();
const profileConvo = ConversationController.get(ourNumber);
const profileName = profileConvo.getProfileName();
@ -354,7 +233,7 @@ class LokiAppDotNetServerAPI {
try {
const url = new URL(`${this.baseServerUrl}/loki/v1/get_challenge`);
const params = {
pubKey: this.chatAPI.ourKey,
pubKey: this.ourKey,
};
url.search = new URLSearchParams(params);
@ -378,7 +257,7 @@ class LokiAppDotNetServerAPI {
'Content-Type': 'application/json',
},
body: JSON.stringify({
pubKey: this.chatAPI.ourKey,
pubKey: this.ourKey,
token,
}),
};
@ -441,7 +320,7 @@ class LokiAppDotNetServerAPI {
try {
response = await result.json();
} catch (e) {
log.warn(`serverRequest json arpse ${e}`);
log.warn(`serverRequest json parse ${e}`);
return {
err: e,
statusCode: result.status,
@ -678,9 +557,11 @@ class LokiAppDotNetServerAPI {
}
}
// functions to a specific ADN channel on an ADN server
class LokiPublicChannelAPI {
constructor(serverAPI, channelId, conversationId) {
constructor(chatAPI, serverAPI, channelId, conversationId) {
// properties
this.chatAPI = chatAPI;
this.serverAPI = serverAPI;
this.channelId = channelId;
this.baseChannelUrl = `channels/${this.channelId}`;
@ -691,6 +572,7 @@ class LokiPublicChannelAPI {
this.deleteLastId = 1;
this.timers = {};
this.running = true;
this.myPrivateKey = false;
// can escalated to SQL if it start uses too much memory
this.logMop = {};
@ -699,7 +581,11 @@ class LokiPublicChannelAPI {
// end properties
log.info(`registered LokiPublicChannel ${channelId}`);
log.info(
`registered LokiPublicChannel ${channelId} on ${
this.serverAPI.baseServerUrl
}`
);
// start polling
this.pollForMessages();
this.pollForDeletions();
@ -709,6 +595,14 @@ class LokiPublicChannelAPI {
// TODO: poll for group members here?
}
async getPrivateKey() {
if (!this.myPrivateKey) {
const myKeyPair = await textsecure.storage.protocol.getIdentityKeyPair();
this.myPrivateKey = myKeyPair.privKey;
}
return this.myPrivateKey;
}
async banUser(pubkey) {
const res = await this.serverRequest(
`loki/v1/moderation/blacklist/@${pubkey}`,
@ -769,8 +663,9 @@ class LokiPublicChannelAPI {
async pollOnceForModerators() {
// get moderator status
const res = await this.serverRequest(
`loki/v1/channel/${this.channelId}/get_moderators`
`loki/v1/channels/${this.channelId}/moderators`
);
// FIXME: should this be window.storage.get('primaryDevicePubKey')?
const ourNumber = textsecure.storage.user.getNumber();
// Get the list of moderators if no errors occurred
@ -784,6 +679,70 @@ class LokiPublicChannelAPI {
await this.conversation.setModerators(moderators || []);
}
async setChannelSettings(settings) {
if (!this.modStatus) {
// need moderator access to set this
log.warn('Need moderator access to setChannelName');
return false;
}
// racy!
const res = await this.serverRequest(this.baseChannelUrl, {
params: { include_annotations: 1 },
});
if (res.err) {
// state unknown
log.warn(`public chat channel state unknown, skipping set: ${res.err}`);
return false;
}
let notes =
res.response && res.response.data && res.response.data.annotations;
if (!notes) {
// ok if nothing is set yet
notes = [];
}
let settingNotes = notes.filter(
note => note.type === SETTINGS_CHANNEL_ANNOTATION_TYPE
);
if (!settingNotes) {
// default name, description, avatar
settingNotes = [
{
type: SETTINGS_CHANNEL_ANNOTATION_TYPE,
value: {
name: 'Your Public Chat',
description: 'Your public chat room',
avatar: 'images/group_default.png',
},
},
];
}
// update settings
settingNotes[0].value = Object.assign(settingNotes[0].value, settings);
// commit settings
const updateRes = await this.serverRequest(
`loki/v1/${this.baseChannelUrl}`,
{ method: 'PUT', objBody: { annotations: settingNotes } }
);
if (updateRes.err || !updateRes.response || !updateRes.response.data) {
if (updateRes.err) {
log.error(`Error ${updateRes.err}`);
}
return false;
}
return true;
}
// Do we need this? They definitely make it more clear...
setChannelName(name) {
return this.setChannelSettings({ name });
}
setChannelDescription(description) {
return this.setChannelSettings({ description });
}
setChannelAvatar(avatar) {
return this.setChannelSettings({ avatar });
}
// delete messages on the server
async deleteMessages(serverIds, canThrow = false) {
const res = await this.serverRequest(
@ -863,18 +822,21 @@ class LokiPublicChannelAPI {
res.response.data.annotations &&
res.response.data.annotations.length
) {
res.response.data.annotations.forEach(note => {
if (note.type === 'net.patter-app.settings') {
// note.value.description only needed for directory
if (note.value && note.value.name) {
this.conversation.setGroupName(note.value.name);
}
if (note.value && note.value.avatar) {
this.conversation.setProfileAvatar(note.value.avatar);
}
// else could set a default in case of server problems...
}
});
// get our setting note
const settingNotes = res.response.data.annotations.filter(
note => note.type === SETTINGS_CHANNEL_ANNOTATION_TYPE
);
const note = settingNotes && settingNotes.length ? settingNotes[0] : {};
// setting_note.value.description only needed for directory
if (note.value && note.value.name) {
this.conversation.setGroupName(note.value.name);
}
if (note.value && note.value.avatar) {
this.conversation.setProfileAvatar(note.value.avatar);
}
// is it mutable?
// who are the moderators?
// else could set a default in case of server problems...
}
}
@ -1096,6 +1058,7 @@ class LokiPublicChannelAPI {
let pendingMessages = [];
// get our profile name
// FIXME: should this be window.storage.get('primaryDevicePubKey')?
const ourNumber = textsecure.storage.user.getNumber();
let lastProfileName = false;
@ -1278,7 +1241,7 @@ class LokiPublicChannelAPI {
);
// process primary devices' message directly
primaryMessages.forEach(message =>
this.serverAPI.chatAPI.emit('publicMessage', {
this.chatAPI.emit('publicMessage', {
message,
})
);
@ -1337,7 +1300,7 @@ class LokiPublicChannelAPI {
messageData.message.profile.avatar = avatar;
messageData.message.profileKey = profileKey;
}
this.serverAPI.chatAPI.emit('publicMessage', {
this.chatAPI.emit('publicMessage', {
message: messageData,
});
});
@ -1482,7 +1445,7 @@ class LokiPublicChannelAPI {
}
}
}
const privKey = await this.serverAPI.chatAPI.getPrivateKey();
const privKey = await this.getPrivateKey();
const sigVer = 1;
const mockAdnMessage = { text };
if (payload.reply_to) {
@ -1516,4 +1479,4 @@ class LokiPublicChannelAPI {
}
}
module.exports = LokiAppDotNetAPI;
module.exports = LokiAppDotNetServerAPI;

@ -13,20 +13,19 @@ const DEVICE_MAPPING_USER_ANNOTATION_TYPE =
class LokiFileServerInstance {
constructor(ourKey) {
this.ourKey = ourKey;
// why don't we extend this?
this._adnApi = new LokiAppDotNetAPI(ourKey);
this.avatarMap = {};
}
// FIXME: this is not file-server specific
// and is currently called by LokiAppDotNetAPI.
// LokiAppDotNetAPI (base) should not know about LokiFileServer.
async establishConnection(serverUrl) {
// FIXME: we don't always need a token...
this._server = await this._adnApi.findOrCreateServer(serverUrl);
// why don't we extend this?
this._server = new LokiAppDotNetAPI(this.ourKey, serverUrl);
// get a token for multidevice
const gotToken = await this._server.getOrRefreshServerToken();
// TODO: Handle this failure gracefully
if (!this._server) {
log.error('Failed to establish connection to file server');
if (!gotToken) {
log.error('You are blacklisted form this home server');
}
}
async getUserDeviceMapping(pubKey) {
@ -45,10 +44,6 @@ class LokiFileServerInstance {
await Promise.all(
users.map(async user => {
let found = false;
// if this user has an avatar set, copy it into the map
this.avatarMap[user.username] = user.avatar_image
? user.avatar_image.url
: false;
if (!user.annotations || !user.annotations.length) {
log.info(
`verifyUserObjectDeviceMap no annotation for ${user.username}`

@ -1,5 +1,159 @@
/* global log, window */
const EventEmitter = require('events');
const nodeFetch = require('node-fetch');
const LokiAppDotNetAPI = require('./loki_app_dot_net_api');
class LokiPublicChatAPI extends LokiAppDotNetAPI {}
class LokiPublicChatFactoryAPI extends EventEmitter {
constructor(ourKey) {
super();
this.ourKey = ourKey;
this.servers = [];
this.allMembers = [];
// Multidevice states
this.primaryUserProfileName = {};
}
module.exports = LokiPublicChatAPI;
async close() {
await Promise.all(this.servers.map(server => server.close()));
}
// server getter/factory
async findOrCreateServer(serverUrl) {
let thisServer = this.servers.find(
server => server.baseServerUrl === serverUrl
);
if (!thisServer) {
log.info(`LokiAppDotNetAPI creating ${serverUrl}`);
thisServer = new LokiAppDotNetAPI(this.ourKey, serverUrl);
const gotToken = await thisServer.getOrRefreshServerToken();
if (!gotToken) {
log.warn(`Invalid server ${serverUrl}`);
return null;
}
log.info(`set token ${thisServer.token}`);
this.servers.push(thisServer);
}
return thisServer;
}
static async getServerTime() {
const url = `${window.getDefaultFileServer()}/loki/v1/time`;
let timestamp = NaN;
try {
const res = await nodeFetch(url);
if (res.ok) {
timestamp = await res.text();
}
} catch (e) {
return timestamp;
}
return Number(timestamp);
}
static async getTimeDifferential() {
// Get time differential between server and client in seconds
const serverTime = await this.getServerTime();
const clientTime = Math.ceil(Date.now() / 1000);
if (Number.isNaN(serverTime)) {
return 0;
}
return serverTime - clientTime;
}
static async setClockParams() {
// Set server-client time difference
const maxTimeDifferential = 30;
const timeDifferential = await this.getTimeDifferential();
window.clientClockSynced = Math.abs(timeDifferential) < maxTimeDifferential;
return window.clientClockSynced;
}
// channel getter/factory
async findOrCreateChannel(serverUrl, channelId, conversationId) {
const server = await this.findOrCreateServer(serverUrl);
if (!server) {
log.error(`Failed to create server for: ${serverUrl}`);
return null;
}
return server.findOrCreateChannel(this, channelId, conversationId);
}
// deallocate resources server uses
unregisterChannel(serverUrl, channelId) {
const i = this.servers.findIndex(
server => server.baseServerUrl === serverUrl
);
if (i === -1) {
log.warn(`Tried to unregister from nonexistent server ${serverUrl}`);
return;
}
const thisServer = this.servers[i];
if (!thisServer) {
log.warn(`Tried to unregister from nonexistent server ${i}`);
return;
}
thisServer.unregisterChannel(channelId);
this.servers.splice(i, 1);
}
// shouldn't this be scoped per conversation?
async getListOfMembers() {
// enable in the next release
/*
let members = [];
await Promise.all(this.servers.map(async server => {
await Promise.all(server.channels.map(async channel => {
const newMembers = await channel.getSubscribers();
members = [...members, ...newMembers];
}));
}));
const results = members.map(member => {
return { authorPhoneNumber: member.username };
});
*/
return this.allMembers;
}
// TODO: make this private (or remove altogether) when
// we switch to polling the server for group members
setListOfMembers(members) {
this.allMembers = members;
}
async setProfileName(profileName) {
await Promise.all(
this.servers.map(async server => {
await server.setProfileName(profileName);
})
);
}
async setHomeServer(homeServer) {
await Promise.all(
this.servers.map(async server => {
// this may fail
// but we can't create a sql table to remember to retry forever
// I think we just silently fail for now
await server.setHomeServer(homeServer);
})
);
}
async setAvatar(url, profileKey) {
await Promise.all(
this.servers.map(async server => {
// this may fail
// but we can't create a sql table to remember to retry forever
// I think we just silently fail for now
await server.setAvatar(url, profileKey);
})
);
}
}
module.exports = LokiPublicChatFactoryAPI;

@ -55,12 +55,14 @@ class LokiRssAPI extends EventEmitter {
async getFeed() {
let response;
let success = true;
try {
response = await nodeFetch(this.feedUrl);
} catch (e) {
log.error('fetcherror', e);
success = false;
return;
}
if (!response) {
return;
}
const responseXML = await response.text();
let feedDOM = {};
@ -71,9 +73,6 @@ class LokiRssAPI extends EventEmitter {
);
} catch (e) {
log.error('xmlerror', e);
success = false;
}
if (!success) {
return;
}
const feedObj = xml2json(feedDOM);

@ -254,6 +254,10 @@
const dialog = new Whisper.UpdateGroupDialogView(groupConvo);
this.el.append(dialog.el);
},
showSessionRestoreConfirmation(options) {
const dialog = new Whisper.ConfirmSessionResetView(options);
this.el.append(dialog.el);
},
showLeaveGroupDialog(groupConvo) {
const dialog = new Whisper.LeaveGroupDialogView(groupConvo);
this.el.append(dialog.el);

@ -0,0 +1,50 @@
/* global Whisper, i18n */
// eslint-disable-next-line func-names
(function() {
'use strict';
window.Whisper = window.Whisper || {};
Whisper.ConfirmSessionResetView = Whisper.View.extend({
className: 'loki-dialog modal',
initialize({ pubkey, onOk }) {
this.title = i18n('couldNotDecryptMessage');
this.onOk = onOk;
this.messageText = i18n('confirmSessionRestore', pubkey);
this.okText = i18n('yes');
this.cancelText = i18n('cancel');
this.close = this.close.bind(this);
this.confirm = this.confirm.bind(this);
this.$el.focus();
this.render();
},
render() {
this.dialogView = new Whisper.ReactWrapperView({
className: 'leave-group-dialog',
Component: window.Signal.Components.ConfirmDialog,
props: {
titleText: this.title,
messageText: this.messageText,
okText: this.okText,
cancelText: this.cancelText,
onConfirm: this.confirm,
onClose: this.close,
},
});
this.$el.append(this.dialogView.el);
return this;
},
async confirm() {
this.onOk();
this.close();
},
close() {
this.remove();
},
});
})();

@ -1,4 +1,4 @@
/* global Whisper, i18n, lokiPublicChatAPI, ConversationController, friends */
/* global Whisper, i18n, ConversationController, friends */
// eslint-disable-next-line func-names
(function() {
@ -36,23 +36,19 @@
return this.resolveWith({ errorCode: i18n('publicChatExists') });
}
const serverAPI = await lokiPublicChatAPI.findOrCreateServer(
sslServerUrl
);
if (!serverAPI) {
// Url incorrect or server not compatible
return this.resolveWith({ errorCode: i18n('connectToServerFail') });
}
// create conversation
const conversation = await ConversationController.getOrCreateAndWait(
conversationId,
'group'
);
await serverAPI.findOrCreateChannel(channelId, conversationId);
// convert conversation to a public one
await conversation.setPublicSource(sslServerUrl, channelId);
// set friend and appropriate SYNC messages for multidevice
await conversation.setFriendRequestStatus(
friends.friendRequestStatusEnum.friends
);
// and finally activate it
conversation.getPublicSendData(); // may want "await" if you want to use the API
return this.resolveWith({ conversation });
},
resolveWith(result) {

@ -28,6 +28,11 @@
return { toastMessage: i18n('expiredWarning') };
},
});
Whisper.ClockOutOfSyncToast = Whisper.ToastView.extend({
render_attributes() {
return { toastMessage: i18n('clockOutOfSync') };
},
});
Whisper.BlockedToast = Whisper.ToastView.extend({
render_attributes() {
return { toastMessage: i18n('unblockToSend') };
@ -223,6 +228,9 @@
isOnline: this.model.isOnline(),
isArchived: this.model.get('isArchived'),
isPublic: this.model.isPublic(),
amMod: this.model.isModerator(
window.storage.get('primaryDevicePubKey')
),
members,
expirationSettingName,
showBackButton: Boolean(this.panels && this.panels.length),
@ -1956,6 +1964,11 @@
if (extension.expired()) {
toast = new Whisper.ExpiredToast();
}
if (!window.clientClockSynced) {
// Check to see if user has updated their clock to current time
const clockSynced = await window.LokiPublicChatAPI.setClockParams();
toast = clockSynced ? toast : new Whisper.ClockOutOfSyncToast();
}
if (this.model.isPrivate() && storage.isBlocked(this.model.id)) {
toast = new Whisper.BlockedToast();
}

@ -99,6 +99,7 @@
this.cancelText = i18n('cancel');
this.close = this.close.bind(this);
this.onSubmit = this.onSubmit.bind(this);
this.isPublic = groupConvo.isPublic();
const ourPK = textsecure.storage.user.getNumber();
@ -115,10 +116,31 @@
this.friendList = allMembers;
// only give members that are not already in the group
const existingMembers = groupConvo.get('members');
let existingMembers = groupConvo.get('members');
// at least make sure it's an array
if (!Array.isArray(existingMembers)) {
existingMembers = [];
}
this.existingMembers = existingMembers;
// public chat settings overrides
if (this.isPublic) {
// fix the title
this.titleText = `${i18n('updatePublicGroupDialogTitle')}: ${
this.groupName
}`;
// I'd much prefer to integrate mods with groupAdmins
// but lets discuss first...
this.isAdmin = groupConvo.isModerator(
window.storage.get('primaryDevicePubKey')
);
// zero out friendList for now
this.friendList = [];
this.existingMembers = [];
}
this.$el.focus();
this.render();
},
@ -130,6 +152,7 @@
titleText: this.titleText,
groupName: this.groupName,
okText: this.okText,
isPublic: this.isPublic,
cancelText: this.cancelText,
existingMembers: this.existingMembers,
friendList: this.friendList,

@ -69,6 +69,11 @@
Component: Components.GroupNotification,
props: this.model.propsForGroupNotification,
};
} else if (this.model.isSessionRestoration()) {
return {
Component: Components.ResetSessionNotification,
props: this.model.getPropsForResetSessionNotification(),
};
} else if (this.model.propsForFriendRequest) {
return {
Component: Components.FriendRequest,

@ -825,7 +825,6 @@ MessageReceiver.prototype.extend({
} else {
handleSessionReset = async result => result;
}
switch (envelope.type) {
case textsecure.protobuf.Envelope.Type.CIPHERTEXT:
window.log.info('message from', this.getEnvelopeId(envelope));
@ -975,6 +974,9 @@ MessageReceiver.prototype.extend({
.catch(error => {
let errorToThrow = error;
const noSession =
error && error.message.indexOf('No record for device') === 0;
if (error && error.message === 'Unknown identity key') {
// create an error that the UI will pick up and ask the
// user if they want to re-negotiate
@ -984,8 +986,8 @@ MessageReceiver.prototype.extend({
buffer.toArrayBuffer(),
error.identityKey
);
} else {
// re-throw
} else if (!noSession) {
// We want to handle "no-session" error, not re-throw it
throw error;
}
const ev = new Event('error');
@ -1896,6 +1898,8 @@ MessageReceiver.prototype.extend({
decrypted.attachments = [];
} else if (decrypted.flags & FLAGS.BACKGROUND_FRIEND_REQUEST) {
// do nothing
} else if (decrypted.flags & FLAGS.SESSION_RESTORE) {
// do nothing
} else if (decrypted.flags & FLAGS.UNPAIRING_REQUEST) {
// do nothing
} else if (decrypted.flags !== 0) {

@ -28,6 +28,7 @@ function Message(options) {
this.profileKey = options.profileKey;
this.profile = options.profile;
this.groupInvitation = options.groupInvitation;
this.sessionRestoration = options.sessionRestoration || false;
if (!(this.recipients instanceof Array)) {
throw new Error('Invalid recipient list');
@ -171,6 +172,10 @@ Message.prototype = {
);
}
if (this.sessionRestoration) {
proto.flags = textsecure.protobuf.DataMessage.Flags.SESSION_RESTORE;
}
this.dataMessage = proto;
return proto;
},
@ -952,7 +957,7 @@ MessageSender.prototype = {
? textsecure.protobuf.DataMessage.Flags.BACKGROUND_FRIEND_REQUEST
: undefined;
const { groupInvitation } = options;
const { groupInvitation, sessionRestoration } = options;
return this.sendMessage(
{
@ -968,6 +973,7 @@ MessageSender.prototype = {
profile,
flags,
groupInvitation,
sessionRestoration,
},
options
);

@ -105,6 +105,7 @@ message DataMessage {
END_SESSION = 1;
EXPIRATION_TIMER_UPDATE = 2;
PROFILE_KEY_UPDATE = 4;
SESSION_RESTORE = 64;
UNPAIRING_REQUEST = 128;
BACKGROUND_FRIEND_REQUEST = 256;
}

@ -2199,6 +2199,27 @@
width: 42px;
}
.module-avatar--300 {
height: 300px;
width: 300px;
img {
height: 300px;
width: 300px;
}
}
.module-avatar__label--300 {
width: 300px;
font-size: 150px;
line-height: 302px;
}
.module-avatar__icon--300 {
height: 158px;
width: 158px;
}
.module-avatar__icon--note-to-self {
width: 70%;
height: 70%;

@ -576,6 +576,7 @@
<script type='text/javascript' src='../js/views/banner_view.js' data-cover></script>
<script type='text/javascript' src='../js/views/clear_data_view.js'></script>
<script type='text/javascript' src='../js/views/create_group_dialog_view.js'></script>
<script type='text/javascript' src='../js/views/confirm_session_reset_view.js'></script>
<script type='text/javascript' src='../js/views/invite_friends_dialog_view.js'></script>
<script type='text/javascript' src='../js/views/beta_release_disclaimer_view.js'></script>

@ -162,7 +162,13 @@ export class Avatar extends React.PureComponent<Props, State> {
const hasAvatar = avatarPath || conversationType === 'direct';
const hasImage = !noteToSelf && hasAvatar && !imageBroken;
if (size !== 28 && size !== 36 && size !== 48 && size !== 80) {
if (
size !== 28 &&
size !== 36 &&
size !== 48 &&
size !== 80 &&
size !== 300
) {
throw new Error(`Size ${size} is not supported!`);
}

@ -1,7 +1,7 @@
import React from 'react';
const styles = {
borderRadius: '50px',
borderRadius: '50%',
display: 'inline-block',
margin: 0,
overflow: 'hidden',

@ -232,6 +232,9 @@ export class MainHeader extends React.Component<Props, any> {
phoneNumber={phoneNumber}
profileName={profileName}
size={28}
onAvatarClick={() => {
trigger('onEditProfile');
}}
/>
<div className="module-main-header__contact-name">
<ContactName

@ -17,7 +17,13 @@ interface Props {
onStartConversation: any;
}
export class UserDetailsDialog extends React.Component<Props> {
interface State {
isEnlargedImageShown: boolean;
}
export class UserDetailsDialog extends React.Component<Props, State> {
private modalRef: any;
constructor(props: any) {
super(props);
@ -25,6 +31,16 @@ export class UserDetailsDialog extends React.Component<Props> {
this.onKeyUp = this.onKeyUp.bind(this);
this.onClickStartConversation = this.onClickStartConversation.bind(this);
window.addEventListener('keyup', this.onKeyUp);
this.modalRef = React.createRef();
this.state = { isEnlargedImageShown: false };
}
public componentWillMount() {
document.addEventListener('mousedown', this.handleClick, false);
}
public componentWillUnmount() {
document.removeEventListener('mousedown', this.handleClick, false);
}
public render() {
@ -34,25 +50,27 @@ export class UserDetailsDialog extends React.Component<Props> {
const startConversation = i18n('startConversation');
return (
<div className="content">
<div className="avatar-center">
<div className="avatar-center-inner">{this.renderAvatar()}</div>
</div>
<div className="profile-name">{this.props.profileName}</div>
<div className="message">{this.props.pubkey}</div>
<div className="buttons">
<button className="cancel" tabIndex={0} onClick={this.closeDialog}>
{cancelText}
</button>
<button
className="ok"
tabIndex={0}
onClick={this.onClickStartConversation}
>
{startConversation}
</button>
<div ref={element => (this.modalRef = element)}>
<div className="content">
<div className="avatar-center">
<div className="avatar-center-inner">{this.renderAvatar()}</div>
</div>
<div className="profile-name">{this.props.profileName}</div>
<div className="message">{this.props.pubkey}</div>
<div className="buttons">
<button className="cancel" tabIndex={0} onClick={this.closeDialog}>
{cancelText}
</button>
<button
className="ok"
tabIndex={0}
onClick={this.onClickStartConversation}
>
{startConversation}
</button>
</div>
</div>
</div>
);
@ -61,6 +79,7 @@ export class UserDetailsDialog extends React.Component<Props> {
private renderAvatar() {
const avatarPath = this.props.avatarPath;
const color = this.props.avatarColor;
const size = this.state.isEnlargedImageShown ? 300 : 80;
return (
<Avatar
@ -71,11 +90,17 @@ export class UserDetailsDialog extends React.Component<Props> {
name={this.props.profileName}
phoneNumber={this.props.pubkey}
profileName={this.props.profileName}
size={80}
size={size}
onAvatarClick={this.handleShowEnlargedDialog}
borderWidth={size / 2}
/>
);
}
private readonly handleShowEnlargedDialog = () => {
this.setState({ isEnlargedImageShown: !this.state.isEnlargedImageShown });
};
private onKeyUp(event: any) {
switch (event.key) {
case 'Enter':
@ -98,4 +123,11 @@ export class UserDetailsDialog extends React.Component<Props> {
this.props.onStartConversation();
this.closeDialog();
}
private readonly handleClick = (e: any) => {
if (this.modalRef.contains(e.target)) {
return;
}
this.closeDialog();
};
}

@ -30,6 +30,7 @@ interface Props {
isGroup: boolean;
isArchived: boolean;
isPublic: boolean;
amMod: boolean;
members: Array<any>;
@ -233,6 +234,7 @@ export class ConversationHeader extends React.Component<Props> {
isClosable,
isPublic,
isGroup,
amMod,
onDeleteMessages,
onDeleteContact,
onCopyPublicKey,
@ -250,7 +252,7 @@ export class ConversationHeader extends React.Component<Props> {
{this.renderPublicMenuItems()}
<MenuItem onClick={onCopyPublicKey}>{copyIdLabel}</MenuItem>
<MenuItem onClick={onDeleteMessages}>{i18n('deleteMessages')}</MenuItem>
{isPrivateGroup ? (
{isPrivateGroup || amMod ? (
<MenuItem onClick={onUpdateGroup}>{i18n('updateGroup')}</MenuItem>
) : null}
{isPrivateGroup ? (

@ -13,6 +13,7 @@ interface Props {
titleText: string;
groupName: string;
okText: string;
isPublic: boolean;
cancelText: string;
// friends not in the group
friendList: Array<any>;
@ -88,15 +89,25 @@ export class UpdateGroupDialog extends React.Component<Props, State> {
public render() {
const checkMarkedCount = this.getMemberCount(this.state.friendList);
const titleText = `${this.props.titleText} (Members: ${checkMarkedCount})`;
const okText = this.props.okText;
const cancelText = this.props.cancelText;
const noFriendsClasses =
this.state.friendList.length === 0
? 'no-friends'
: classNames('no-friends', 'hidden');
let titleText;
let noFriendsClasses;
if (this.props.isPublic) {
// no member count in title
titleText = `${this.props.titleText}`;
// hide the no-friend message
noFriendsClasses = classNames('no-friends', 'hidden');
} else {
// private group
titleText = `${this.props.titleText} (Members: ${checkMarkedCount})`;
noFriendsClasses =
this.state.friendList.length === 0
? 'no-friends'
: classNames('no-friends', 'hidden');
}
const errorMsg = this.state.errorMessage;
const errorMessageClasses = classNames(

Loading…
Cancel
Save