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.
		
		
		
		
		
			
		
			
				
	
	
		
			405 lines
		
	
	
		
			13 KiB
		
	
	
	
		
			JavaScript
		
	
			
		
		
	
	
			405 lines
		
	
	
		
			13 KiB
		
	
	
	
		
			JavaScript
		
	
| /* eslint-disable no-await-in-loop */
 | |
| /* eslint-disable no-loop-func */
 | |
| /* global log, dcodeIO, window, callWorker, lokiP2pAPI, lokiSnodeAPI, textsecure */
 | |
| 
 | |
| const _ = require('lodash');
 | |
| const { rpc } = require('./loki_rpc');
 | |
| 
 | |
| const DEFAULT_CONNECTIONS = 3;
 | |
| const MAX_ACCEPTABLE_FAILURES = 1;
 | |
| const LOKI_LONGPOLL_HEADER = 'X-Loki-Long-Poll';
 | |
| 
 | |
| function sleepFor(time) {
 | |
|   return new Promise(resolve => {
 | |
|     setTimeout(() => resolve(), time);
 | |
|   });
 | |
| }
 | |
| 
 | |
| const filterIncomingMessages = async messages => {
 | |
|   const incomingHashes = messages.map(m => m.hash);
 | |
|   const dupHashes = await window.Signal.Data.getSeenMessagesByHashList(
 | |
|     incomingHashes
 | |
|   );
 | |
|   const newMessages = messages.filter(m => !dupHashes.includes(m.hash));
 | |
|   if (newMessages.length) {
 | |
|     const newHashes = newMessages.map(m => ({
 | |
|       expiresAt: m.expiration,
 | |
|       hash: m.hash,
 | |
|     }));
 | |
|     await window.Signal.Data.saveSeenMessageHashes(newHashes);
 | |
|   }
 | |
|   return newMessages;
 | |
| };
 | |
| 
 | |
| const calcNonce = (messageEventData, pubKey, data64, timestamp, ttl) => {
 | |
|   const difficulty = window.storage.get('PoWDifficulty', null);
 | |
|   // Nonce is returned as a base64 string to include in header
 | |
|   window.Whisper.events.trigger('calculatingPoW', messageEventData);
 | |
|   return callWorker('calcPoW', timestamp, ttl, pubKey, data64, difficulty);
 | |
| };
 | |
| 
 | |
| const trySendP2p = async (pubKey, data64, isPing, messageEventData) => {
 | |
|   const p2pDetails = lokiP2pAPI.getContactP2pDetails(pubKey);
 | |
|   if (!p2pDetails || (!isPing && !p2pDetails.isOnline)) {
 | |
|     return false;
 | |
|   }
 | |
|   try {
 | |
|     await rpc(p2pDetails.address, p2pDetails.port, 'store', {
 | |
|       data: data64,
 | |
|     });
 | |
|     lokiP2pAPI.setContactOnline(pubKey);
 | |
|     window.Whisper.events.trigger('p2pMessageSent', messageEventData);
 | |
|     if (isPing) {
 | |
|       log.info(`Successfully pinged ${pubKey}`);
 | |
|     } else {
 | |
|       log.info(`Successful p2p message to ${pubKey}`);
 | |
|     }
 | |
|     return true;
 | |
|   } catch (e) {
 | |
|     lokiP2pAPI.setContactOffline(pubKey);
 | |
|     if (isPing) {
 | |
|       // If this was just a ping, we don't bother sending to storage server
 | |
|       log.warn('Ping failed, contact marked offline', e);
 | |
|       return true;
 | |
|     }
 | |
|     log.warn('Failed to send P2P message, falling back to storage', e);
 | |
|     return false;
 | |
|   }
 | |
| };
 | |
| 
 | |
| class LokiMessageAPI {
 | |
|   constructor(ourKey) {
 | |
|     this.jobQueue = new window.JobQueue();
 | |
|     this.sendingData = {};
 | |
|     this.ourKey = ourKey;
 | |
|   }
 | |
| 
 | |
|   async sendMessage(pubKey, data, messageTimeStamp, ttl, options = {}) {
 | |
|     const {
 | |
|       isPing = false,
 | |
|       isPublic = false,
 | |
|       numConnections = DEFAULT_CONNECTIONS,
 | |
|       publicSendData = null,
 | |
|     } = options;
 | |
|     // Data required to identify a message in a conversation
 | |
|     const messageEventData = {
 | |
|       pubKey,
 | |
|       timestamp: messageTimeStamp,
 | |
|     };
 | |
| 
 | |
|     if (isPublic) {
 | |
|       const res = await publicSendData.sendMessage(
 | |
|         data.body,
 | |
|         data.quote,
 | |
|         messageTimeStamp
 | |
|       );
 | |
|       if (res === false) {
 | |
|         throw new window.textsecure.PublicChatError(
 | |
|           'Failed to send public chat message'
 | |
|         );
 | |
|       }
 | |
|       messageEventData.serverId = res;
 | |
|       window.Whisper.events.trigger('publicMessageSent', messageEventData);
 | |
|       return;
 | |
|     }
 | |
| 
 | |
|     const data64 = dcodeIO.ByteBuffer.wrap(data).toString('base64');
 | |
|     const p2pSuccess = await trySendP2p(
 | |
|       pubKey,
 | |
|       data64,
 | |
|       isPing,
 | |
|       messageEventData
 | |
|     );
 | |
|     if (p2pSuccess) {
 | |
|       return;
 | |
|     }
 | |
| 
 | |
|     const timestamp = Date.now();
 | |
|     const nonce = await calcNonce(
 | |
|       messageEventData,
 | |
|       window.getStoragePubKey(pubKey),
 | |
|       data64,
 | |
|       timestamp,
 | |
|       ttl
 | |
|     );
 | |
|     // Using timestamp as a unique identifier
 | |
|     const swarm = await lokiSnodeAPI.getSwarmNodesForPubKey(pubKey);
 | |
|     this.sendingData[timestamp] = {
 | |
|       swarm,
 | |
|       hasFreshList: false,
 | |
|     };
 | |
|     if (this.sendingData[timestamp].swarm.length < numConnections) {
 | |
|       await this.refreshSendingSwarm(pubKey, timestamp);
 | |
|     }
 | |
| 
 | |
|     const params = {
 | |
|       pubKey,
 | |
|       ttl: ttl.toString(),
 | |
|       nonce,
 | |
|       timestamp: timestamp.toString(),
 | |
|       data: data64,
 | |
|     };
 | |
|     const promises = [];
 | |
|     let completedConnections = 0;
 | |
|     for (let i = 0; i < numConnections; i += 1) {
 | |
|       const connectionPromise = this.openSendConnection(params).finally(() => {
 | |
|         completedConnections += 1;
 | |
|         if (completedConnections >= numConnections) {
 | |
|           delete this.sendingData[timestamp];
 | |
|         }
 | |
|       });
 | |
|       promises.push(connectionPromise);
 | |
|     }
 | |
| 
 | |
|     // Taken from https://stackoverflow.com/questions/51160260/clean-way-to-wait-for-first-true-returned-by-promise
 | |
|     // The promise returned by this function will resolve true when the first promise
 | |
|     // in ps resolves true *or* it will resolve false when all of ps resolve false
 | |
|     const firstTrue = ps => {
 | |
|       const newPs = ps.map(
 | |
|         p =>
 | |
|           new Promise(
 | |
|             // eslint-disable-next-line more/no-then
 | |
|             (resolve, reject) => p.then(v => v && resolve(true), reject)
 | |
|           )
 | |
|       );
 | |
|       // eslint-disable-next-line more/no-then
 | |
|       newPs.push(Promise.all(ps).then(() => false));
 | |
|       return Promise.race(newPs);
 | |
|     };
 | |
| 
 | |
|     let success;
 | |
|     try {
 | |
|       // eslint-disable-next-line more/no-then
 | |
|       success = await firstTrue(promises);
 | |
|       window.mixpanel.track('Sent Message Using Swarm API');
 | |
|     } catch (e) {
 | |
|       if (e instanceof textsecure.WrongDifficultyError) {
 | |
|         // Force nonce recalculation
 | |
|         // NOTE: Currently if there are snodes with conflicting difficulties we
 | |
|         // will send the message twice (or more). Won't affect client side but snodes
 | |
|         // could store the same message multiple times because they will have different
 | |
|         // timestamps (and therefore nonces)
 | |
|         await this.sendMessage(pubKey, data, messageTimeStamp, ttl, options);
 | |
|         return;
 | |
|       }
 | |
|       throw e;
 | |
|     }
 | |
|     if (!success) {
 | |
|       window.mixpanel.track('Failed to Send Message Using Swarm API');
 | |
|       throw new window.textsecure.EmptySwarmError(
 | |
|         pubKey,
 | |
|         'Ran out of swarm nodes to query'
 | |
|       );
 | |
|     }
 | |
|     log.info(`Successful storage message to ${pubKey}`);
 | |
|   }
 | |
| 
 | |
|   async refreshSendingSwarm(pubKey, timestamp) {
 | |
|     const freshNodes = await lokiSnodeAPI.getFreshSwarmNodes(pubKey);
 | |
|     await lokiSnodeAPI.updateSwarmNodes(pubKey, freshNodes);
 | |
|     this.sendingData[timestamp].swarm = freshNodes;
 | |
|     this.sendingData[timestamp].hasFreshList = true;
 | |
|     return true;
 | |
|   }
 | |
| 
 | |
|   async openSendConnection(params) {
 | |
|     while (!_.isEmpty(this.sendingData[params.timestamp].swarm)) {
 | |
|       const snode = this.sendingData[params.timestamp].swarm.shift();
 | |
|       // TODO: Revert back to using snode address instead of IP
 | |
|       const successfulSend = await this.sendToNode(
 | |
|         snode.ip,
 | |
|         snode.port,
 | |
|         params
 | |
|       );
 | |
|       if (successfulSend) {
 | |
|         return true;
 | |
|       }
 | |
|     }
 | |
| 
 | |
|     if (!this.sendingData[params.timestamp].hasFreshList) {
 | |
|       // Ensure that there is only a single refresh per outgoing message
 | |
|       if (!this.sendingData[params.timestamp].refreshPromise) {
 | |
|         this.sendingData[
 | |
|           params.timestamp
 | |
|         ].refreshPromise = this.refreshSendingSwarm(
 | |
|           params.pubKey,
 | |
|           params.timestamp
 | |
|         );
 | |
|       }
 | |
|       await this.sendingData[params.timestamp].refreshPromise;
 | |
|       // Retry with a fresh list again
 | |
|       return this.openSendConnection(params);
 | |
|     }
 | |
|     return false;
 | |
|   }
 | |
| 
 | |
|   async sendToNode(address, port, params) {
 | |
|     let successiveFailures = 0;
 | |
|     while (successiveFailures < MAX_ACCEPTABLE_FAILURES) {
 | |
|       await sleepFor(successiveFailures * 500);
 | |
|       try {
 | |
|         const result = await rpc(`https://${address}`, port, 'store', params);
 | |
| 
 | |
|         // Make sure we aren't doing too much PoW
 | |
|         const currentDifficulty = window.storage.get('PoWDifficulty', null);
 | |
|         const newDifficulty = result.difficulty;
 | |
|         if (newDifficulty != null && newDifficulty !== currentDifficulty) {
 | |
|           window.storage.put('PoWDifficulty', newDifficulty);
 | |
|         }
 | |
|         return true;
 | |
|       } catch (e) {
 | |
|         log.warn('Loki send message:', e);
 | |
|         if (e instanceof textsecure.WrongSwarmError) {
 | |
|           window.mixpanel.track('Migrated Snode');
 | |
|           const { newSwarm } = e;
 | |
|           await lokiSnodeAPI.updateSwarmNodes(params.pubKey, newSwarm);
 | |
|           this.sendingData[params.timestamp].swarm = newSwarm;
 | |
|           this.sendingData[params.timestamp].hasFreshList = true;
 | |
|           return false;
 | |
|         } else if (e instanceof textsecure.WrongDifficultyError) {
 | |
|           const { newDifficulty } = e;
 | |
|           if (!Number.isNaN(newDifficulty)) {
 | |
|             window.storage.put('PoWDifficulty', newDifficulty);
 | |
|           }
 | |
|           throw e;
 | |
|         } else if (e instanceof textsecure.NotFoundError) {
 | |
|           // TODO: Handle resolution error
 | |
|         } else if (e instanceof textsecure.TimestampError) {
 | |
|           log.warn('Timestamp is invalid');
 | |
|           throw e;
 | |
|         } else if (e instanceof textsecure.HTTPError) {
 | |
|           // TODO: Handle working connection but error response
 | |
|           const body = await e.response.text();
 | |
|           log.warn('HTTPError body:', body);
 | |
|         }
 | |
|         successiveFailures += 1;
 | |
|       }
 | |
|     }
 | |
|     log.error(`Failed to send to node: ${address}`);
 | |
|     await lokiSnodeAPI.unreachableNode(params.pubKey, address);
 | |
|     return false;
 | |
|   }
 | |
| 
 | |
|   async openRetrieveConnection(stopPollingPromise, callback) {
 | |
|     let stopPollingResult = false;
 | |
|     // When message_receiver restarts from onoffline/ononline events it closes
 | |
|     // http-resources, which will then resolve the stopPollingPromise with true. We then
 | |
|     // want to cancel these polling connections because new ones will be created
 | |
|     // eslint-disable-next-line more/no-then
 | |
|     stopPollingPromise.then(result => {
 | |
|       stopPollingResult = result;
 | |
|     });
 | |
| 
 | |
|     while (!stopPollingResult && !_.isEmpty(this.ourSwarmNodes)) {
 | |
|       const address = Object.keys(this.ourSwarmNodes)[0];
 | |
|       const nodeData = this.ourSwarmNodes[address];
 | |
|       delete this.ourSwarmNodes[address];
 | |
|       let successiveFailures = 0;
 | |
|       while (
 | |
|         !stopPollingResult &&
 | |
|         successiveFailures < MAX_ACCEPTABLE_FAILURES
 | |
|       ) {
 | |
|         await sleepFor(successiveFailures * 1000);
 | |
| 
 | |
|         try {
 | |
|           // TODO: Revert back to using snode address instead of IP
 | |
|           let messages = await this.retrieveNextMessages(nodeData.ip, nodeData);
 | |
|           successiveFailures = 0;
 | |
|           if (messages.length) {
 | |
|             const lastMessage = _.last(messages);
 | |
|             nodeData.lastHash = lastMessage.hash;
 | |
|             await lokiSnodeAPI.updateLastHash(
 | |
|               address,
 | |
|               lastMessage.hash,
 | |
|               lastMessage.expiration
 | |
|             );
 | |
|             messages = await this.jobQueue.add(() =>
 | |
|               filterIncomingMessages(messages)
 | |
|             );
 | |
|           }
 | |
|           // Execute callback even with empty array to signal online status
 | |
|           callback(messages);
 | |
|         } catch (e) {
 | |
|           log.warn('Loki retrieve messages:', e);
 | |
|           if (e instanceof textsecure.WrongSwarmError) {
 | |
|             const { newSwarm } = e;
 | |
|             await lokiSnodeAPI.updateSwarmNodes(this.ourKey, newSwarm);
 | |
|             for (let i = 0; i < newSwarm.length; i += 1) {
 | |
|               const lastHash = await window.Signal.Data.getLastHashBySnode(
 | |
|                 newSwarm[i]
 | |
|               );
 | |
|               this.ourSwarmNodes[newSwarm[i]] = {
 | |
|                 lastHash,
 | |
|               };
 | |
|             }
 | |
|             // Try another snode
 | |
|             break;
 | |
|           } else if (e instanceof textsecure.NotFoundError) {
 | |
|             // DNS/Lokinet error, needs to bubble up
 | |
|             throw new window.textsecure.DNSResolutionError(
 | |
|               'Retrieving messages'
 | |
|             );
 | |
|           }
 | |
|           successiveFailures += 1;
 | |
|         }
 | |
|       }
 | |
|       if (successiveFailures >= MAX_ACCEPTABLE_FAILURES) {
 | |
|         await lokiSnodeAPI.unreachableNode(this.ourKey, address);
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| 
 | |
|   async retrieveNextMessages(nodeUrl, nodeData) {
 | |
|     const params = {
 | |
|       pubKey: this.ourKey,
 | |
|       lastHash: nodeData.lastHash || '',
 | |
|     };
 | |
|     const options = {
 | |
|       timeout: 40000,
 | |
|       headers: {
 | |
|         [LOKI_LONGPOLL_HEADER]: true,
 | |
|       },
 | |
|     };
 | |
| 
 | |
|     const result = await rpc(
 | |
|       `https://${nodeUrl}`,
 | |
|       nodeData.port,
 | |
|       'retrieve',
 | |
|       params,
 | |
|       options
 | |
|     );
 | |
|     return result.messages || [];
 | |
|   }
 | |
| 
 | |
|   async startLongPolling(numConnections, stopPolling, callback) {
 | |
|     this.ourSwarmNodes = {};
 | |
|     let nodes = await lokiSnodeAPI.getSwarmNodesForPubKey(this.ourKey);
 | |
|     if (nodes.length < numConnections) {
 | |
|       await lokiSnodeAPI.refreshSwarmNodesForPubKey(this.ourKey);
 | |
|       nodes = await lokiSnodeAPI.getSwarmNodesForPubKey(this.ourKey);
 | |
|     }
 | |
|     for (let i = 0; i < nodes.length; i += 1) {
 | |
|       const lastHash = await window.Signal.Data.getLastHashBySnode(
 | |
|         nodes[i].address
 | |
|       );
 | |
|       this.ourSwarmNodes[nodes[i].address] = {
 | |
|         lastHash,
 | |
|         ip: nodes[i].ip,
 | |
|         port: nodes[i].port,
 | |
|       };
 | |
|     }
 | |
| 
 | |
|     const promises = [];
 | |
| 
 | |
|     for (let i = 0; i < numConnections; i += 1) {
 | |
|       promises.push(this.openRetrieveConnection(stopPolling, callback));
 | |
|     }
 | |
| 
 | |
|     // blocks until all snodes in our swarms have been removed from the list
 | |
|     // or if there is network issues (ENOUTFOUND due to lokinet)
 | |
|     await Promise.all(promises);
 | |
|   }
 | |
| }
 | |
| 
 | |
| module.exports = LokiMessageAPI;
 |