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

136 lines
3.4 KiB
JavaScript

const fetch = require('node-fetch');
const is = require('@sindresorhus/is');
const { fork } = require('child_process');
module.exports = {
initialize,
};
function initialize({ url }) {
if (!is.string(url)) {
throw new Error('WebAPI.initialize: Invalid server url');
}
return {
connect,
};
function connect() {
return {
sendMessage
};
function getPoWNonce(timestamp, ttl, pub_key, data) {
return new Promise((resolve, reject) => {
// Create forked node process to calculate PoW without blocking main process
const child = fork('./libloki/proof-of-work.js');
// Send data required for PoW to child process
child.send({
timestamp,
ttl,
pub_key,
data
});
// Handle child process error (should never happen)
child.on('error', (err) => {
reject(err);
});
// Callback to receive PoW result
child.on('message', (msg) => {
if (msg.err) {
reject(msg.err);
} else {
child.kill();
resolve(msg.nonce);
}
});
});
};
async function sendMessage(pub_key, data, ttl) {
const timestamp = Math.floor(Date.now() / 1000);
// Nonce is returned as a base64 string to include in header
let nonce;
try {
nonce = await getPoWNonce(timestamp, ttl, pub_key, data);
} catch(err) {
// Something went horribly wrong
// TODO: Handle gracefully
console.log("Error computing PoW");
};
const options = {
url: `${url}/send_message`,
type: 'POST',
responseType: undefined,
timeout: undefined
};
log.info(options.type, options.url);
const fetchOptions = {
method: options.type,
body: data,
headers: {
'X-Loki-pow-nonce': nonce,
'X-Loki-timestamp': timestamp.toString(),
'X-Loki-ttl': ttl.toString(),
'X-Loki-recipient': pub_key,
'Content-Length': data.byteLength,
},
timeout: options.timeout,
};
let response;
try {
response = await fetch(options.url, fetchOptions);
}
catch(e) {
log.error(options.type, options.url, 0, 'Error');
throw HTTPError('fetch error', 0, e.toString());
}
let result;
if (
options.responseType === 'json' &&
response.headers.get('Content-Type') === 'application/json'
) {
result = await response.json();
} else if (options.responseType === 'arraybuffer') {
result = await response.buffer();
} else {
result = await response.text();
}
if (response.status >= 0 && response.status < 400) {
log.info(options.type, options.url, response.status, 'Success');
return [result, response.status];
} else {
log.error(options.type, options.url, response.status, 'Error');
throw HTTPError(
'sendMessage: error response',
response.status,
result
);
}
};
}
}
function HTTPError(message, providedCode, response, stack) {
const code = providedCode > 999 || providedCode < 100 ? -1 : providedCode;
const e = new Error(`${message}; code: ${code}`);
e.name = 'HTTPError';
e.code = code;
if (stack) {
e.stack += `\nOriginal stack:\n${stack}`;
}
if (response) {
e.response = response;
}
return e;
}