telebit-relay.js/lib/extensions/index.js

497 lines
16 KiB
JavaScript
Raw Normal View History

2018-06-15 08:45:47 +00:00
'use strict';
2018-06-19 23:40:58 +00:00
2018-06-08 08:23:05 +00:00
var fs = require('fs');
2018-06-19 23:40:58 +00:00
var path = require('path');
var util = require('util');
var crypto = require('crypto');
2018-06-15 08:45:47 +00:00
var escapeHtml = require('escape-html');
2018-06-19 23:40:58 +00:00
var jwt = require('jsonwebtoken');
var requestAsync = util.promisify(require('request'));
2018-06-06 10:58:01 +00:00
var _auths = module.exports._auths = {};
2018-06-21 06:13:05 +00:00
var Auths = {};
Auths._no_pin = {
toString: function () {
return Math.random().toString();
}
};
Auths.get = function (idOrSecret) {
var auth = _auths[idOrSecret];
if (!auth) { return; }
if (auth.exp && auth.exp < Date.now()) { return; }
return auth;
};
Auths.getBySecret = function (secret) {
var auth = Auths.get(secret);
if (!auth) { return; }
if (!crypto.timingSafeEqual(
Buffer.from(auth.secret.padStart(127, ' '))
, Buffer.from((secret || '').padStart(127, ' '))
)) {
return;
}
return auth;
};
Auths.getBySecretAndPin = function (secret, pin) {
var auth = Auths.getBySecret(secret);
if (!auth) { return; }
// TODO v1.0.0 : Security XXX : clients must define a pin
// 1. Check if the client defined a pin (it should)
if (auth.pin === Auths._no_pin) {
// 2. If the browser defined a pin, it should be some variation of 000 000
if (pin && 0 !== parseInt(pin, 10)) { return; }
} else if (!crypto.timingSafeEqual(
Buffer.from(auth.pin.toString().padStart(127, ' '))
, Buffer.from((pin || '').padStart(127, ' '))
)) {
// 3. The client defined a pin and it doesn't match what the browser defined
return;
}
return auth;
};
Auths.set = function (auth, id, secret) {
auth.id = auth.id || id || crypto.randomBytes(12).toString('hex');
auth.secret = auth.secret || secret || crypto.randomBytes(12).toString('hex');
_auths[auth.id] = auth;
_auths[auth.secret] = auth;
return auth;
};
Auths._clean = function () {
Object.keys(_auths).forEach(function (key) {
var err;
if (_auths[key]) {
if (_auths[key].exp < Date.now()) {
if ('function' === typeof _auths[key].reject) {
err = new Error("Login Failure: Magic Link was not clicked within 5 minutes");
err.code = 'E_LOGIN_TIMEOUT';
_auths[key].reject(err);
}
_auths[key] = null;
delete _auths[key];
}
}
});
};
2018-06-19 23:40:58 +00:00
function sendMail(state, auth) {
console.log('[DEBUG] ext auth', auth);
/*
curl -s --user 'api:YOUR_API_KEY' \
https://api.mailgun.net/v3/YOUR_DOMAIN_NAME/messages \
-F from='Excited User <mailgun@YOUR_DOMAIN_NAME>' \
-F to=YOU@YOUR_DOMAIN_NAME \
-F to=bar@example.com \
-F subject='Hello' \
-F text='Testing some Mailgun awesomeness!'
*/
var subj = 'Confirm New Device Connection';
var text = "You tried connecting with '{{hostname}}' for the first time. Confirm to continue connecting:\n"
+ '\n'
+ ' https://' + state.config.webminDomain + '/login/#/magic={{secret}}\n'
+ '\n'
+ "({{os_arch}} {{os_platform}} {{os_release}})\n"
+ '\n'
;
var html = "You tried connecting with '{{hostname}}' for the first time. Confirm to continue connecting:<br>"
+ '<br>'
+ '&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; <a href="https://' + state.config.webminDomain + '/login/#/magic={{secret}}">Confirm Device</a><br>'
+ '<br>'
+ '&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; <small>or copy and paste this link:</small><br>'
+ '&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; <small>https://' + state.config.webminDomain + '/login/#/magic={{secret}}</small><br>'
+ '<br>'
+ "({{os_arch}} {{os_platform}} {{os_release}})<br>"
+ '<br>'
;
[ 'id', 'secret', 'hostname', 'os_arch', 'os_platform', 'os_release' ].forEach(function (key) {
var val = escapeHtml(auth[key]);
subj = subj.replace(new RegExp('{{' + key + '}}', 'g'), val);
text = text.replace(new RegExp('{{' + key + '}}', 'g'), val);
html = html.replace(new RegExp('{{' + key + '}}', 'g'), val);
});
2018-06-20 09:02:00 +00:00
2018-06-19 23:40:58 +00:00
return requestAsync({
url: state.config.mailer.url
, method: 'POST'
, auth: { user: 'api', pass: state.config.mailer.apiKey }
, formData: {
from: state.config.mailer.from
, to: auth.subject
, subject: subj
, text: text
, html: html
}
}).then(function (resp) {
2018-06-21 06:13:05 +00:00
var pathname = path.join(__dirname, 'emails', auth.subject);
fs.writeFile(pathname, JSON.stringify(auth), function (err) {
2018-06-19 23:40:58 +00:00
if (err) {
console.error('[ERROR] in writing auth details');
console.error(err);
}
});
console.log("[DEBUG] email was sent, or so they say");
console.log(resp.body);
});
}
module.exports.pairRequest = function (opts) {
2018-06-06 10:58:01 +00:00
console.log("It's auth'n time!");
2018-06-06 09:18:13 +00:00
var state = opts.state;
2018-06-21 06:13:05 +00:00
var authReq = opts.auth;
2018-06-19 23:40:58 +00:00
var jwt = require('jsonwebtoken');
2018-06-21 06:13:05 +00:00
var auth;
2018-06-19 23:40:58 +00:00
2018-06-21 06:13:05 +00:00
authReq.id = crypto.randomBytes(12).toString('hex');
authReq.secret = crypto.randomBytes(12).toString('hex');
2018-06-20 09:02:00 +00:00
2018-06-21 06:13:05 +00:00
return sendMail(state, authReq).then(function () {
2018-06-19 23:40:58 +00:00
var now = Date.now();
2018-06-21 06:13:05 +00:00
var pin = (authReq.otp || '').toString().replace(/\s\+/g, '') || Auths._no_pin;
var authnData = {
2018-06-19 23:40:58 +00:00
domains: []
, ports: []
, aud: state.config.webminDomain
2018-06-21 06:13:05 +00:00
, iat: Math.round(now / 1000)
, id: authReq.id
, sub: authReq.subject
2018-06-21 06:13:05 +00:00
, pin: pin
, hostname: authReq.hostname
2018-06-19 23:40:58 +00:00
};
2018-06-21 06:13:05 +00:00
auth = {
id: authReq.id
, secret: authReq.secret
, subject: authReq.subject
2018-06-21 06:13:05 +00:00
, pin: pin
, dt: now
, exp: now + (2 * 60 * 60 * 1000)
, request: authReq
2018-06-19 23:40:58 +00:00
};
// Setting extra authnData
auth.authn = jwt.sign(authnData, state.secret);
2018-06-21 06:13:05 +00:00
authnData.jwt = auth.authn;
auth.authnData = authnData;
2018-06-21 06:13:05 +00:00
Auths.set(auth, authReq.id, authReq.secret);
return authnData;
2018-06-19 23:40:58 +00:00
});
};
module.exports.pairPin = function (opts) {
var state = opts.state;
return state.Promise.resolve().then(function () {
var pin = opts.pin;
var secret = opts.secret;
var auth = Auths.getBySecret(secret);
2018-06-19 23:40:58 +00:00
console.log('[pairPin] validating secret and pin');
2018-06-21 06:13:05 +00:00
if (!auth) {
throw new Error("Invalid magic link token '" + secret + "'");
}
auth = Auths.getBySecretAndPin(secret, pin);
if (!auth) {
throw new Error("Invalid pairing code '" + pin + "' for magic link token '" + secret + "'");
2018-06-19 23:40:58 +00:00
}
2018-06-21 06:13:05 +00:00
if (auth._offered) {
console.log('[pairPin] already has offer to return');
2018-06-21 06:13:05 +00:00
return auth._offered;
2018-06-19 23:40:58 +00:00
}
console.log('[pairPin] generating offer');
2018-06-19 23:40:58 +00:00
var hri = require('human-readable-ids').hri;
var hrname = hri.random() + '.' + state.config.sharedDomain;
2018-06-21 06:13:05 +00:00
// TODO check used / unused names and ports
var authzData = {
id: auth.id
, domains: [ hrname ]
, ports: [ (1024 + 1) + Math.round(Math.random() * 65535) ]
2018-06-19 23:40:58 +00:00
, aud: state.config.webminDomain
2018-06-21 06:13:05 +00:00
, iat: Math.round(Date.now() / 1000)
2018-06-19 23:40:58 +00:00
, hostname: auth.hostname
};
2018-06-21 06:13:05 +00:00
var pathname = path.join(__dirname, 'emails', auth.subject + '.' + hrname + '.data');
auth.authz = jwt.sign(authzData, state.secret);
auth.authzData = authzData;
2018-06-21 06:13:05 +00:00
authzData.jwt = auth.authz;
auth._offered = authzData;
2018-06-21 19:48:04 +00:00
if (auth.resolve) {
console.log('[pairPin] resolving');
2018-06-21 19:48:04 +00:00
auth.resolve(auth);
} else {
console.log('[pairPin] not resolvable');
2018-06-21 19:48:04 +00:00
}
2018-06-21 06:13:05 +00:00
fs.writeFile(pathname, JSON.stringify(authzData), function (err) {
2018-06-19 23:40:58 +00:00
if (err) {
console.error('[ERROR] in writing token details');
console.error(err);
}
});
2018-06-21 06:13:05 +00:00
return authzData;
2018-06-19 23:40:58 +00:00
});
};
2018-06-21 06:13:05 +00:00
// From a WS connection
module.exports.authHelper = function (meta) {
2018-06-29 21:39:49 +00:00
console.log('[authHelper] 1');
var state = meta.state;
2018-06-29 21:39:49 +00:00
console.log('[authHelper] 2');
return state.Promise.resolve().then(function () {
2018-06-29 21:39:49 +00:00
console.log('[authHelper] 3');
var auth = meta.session;
2018-06-29 21:39:49 +00:00
console.log('[authHelper] 4', auth);
if (!auth || 'string' !== typeof auth.authz || 'object' !== typeof auth.authzData) {
console.log('[authHelper] 5');
console.error("[SANITY FAIL] should not complete auth without authz data and access_token");
console.error(auth);
return;
}
2018-06-29 21:39:49 +00:00
console.log("[authHelper] passing authzData right along", auth.authzData);
return auth.authzData;
});
};
// opts = { state: state, auth: auth_request OR access_token }
2018-06-19 23:40:58 +00:00
module.exports.authenticate = function (opts) {
var jwt = require('jsonwebtoken');
var state = opts.state;
2018-06-21 06:13:05 +00:00
var auth;
var decoded;
2018-06-06 09:18:13 +00:00
2018-06-21 06:13:05 +00:00
function getPromise(auth) {
if (auth.promise) { return auth.promise; }
auth.promise = new state.Promise(function (resolve, reject) {
// Resolve
// this should resolve when the magic link is clicked in the email
// and the pair code is entered in successfully
// Reject
// this should reject when the pair code is entered incorrectly
// multiple times (or something else goes wrong)
// this will cause the websocket to disconnect
2018-06-21 19:48:04 +00:00
auth.resolve = function (auth) {
auth.resolve = null;
auth.reject = null;
// NOTE XXX: This is premature in the sense that we can't be 100% sure
// that the client is still on the other end. We'll need to implement some
// sort of check that the client actually received the token
// (i.e. when the grant event gets an ack)
auth._claimed = true;
// this is probably not necessary anymore
opts.auth = auth.authz;
return module.exports.authHelper({
state: state
, session: auth
}).then(resolve);
2018-06-21 19:48:04 +00:00
};
auth.reject = function (err) {
auth.resolve = null;
auth.reject = null;
reject(err);
};
2018-06-06 10:58:01 +00:00
});
2018-06-21 06:13:05 +00:00
return auth.promise;
2018-06-06 09:18:13 +00:00
}
// Promise Authz on Auth Creds
// TODO: remove
if ('object' === typeof opts.auth && /^.+@.+\..+$/.test(opts.auth.subject)) {
console.log("[wss.ext.authenticate] [1] Request Pair for Credentials");
2018-06-21 06:13:05 +00:00
return module.exports.pairRequest(opts).then(function (authnData) {
console.log("[wss.ext.authenticate] [2] Promise Authz on Pair Complete");
2018-06-21 06:13:05 +00:00
var auth = Auths.get(authnData.id);
return getPromise(auth);
//getPromise(auth);
//return state.defaults.authenticate(authnData.jwt);
2018-06-21 06:13:05 +00:00
});
}
2018-06-06 09:18:13 +00:00
try {
decoded = jwt.decode(opts.auth, { complete: true });
2018-06-21 06:13:05 +00:00
auth = Auths.get(decoded.payload.id);
2018-06-06 09:18:13 +00:00
} catch(e) {
console.log("[wss.ext.authenticate] [Error] could not parse token");
2018-06-06 09:18:13 +00:00
decoded = null;
}
console.log("[wss.ext.authenticate] incoming token decoded:");
2018-06-21 06:13:05 +00:00
console.log(decoded);
if (!auth) {
2018-06-29 21:39:49 +00:00
console.log("[wss.ext.authenticate] no session / auth handshake. Pass to default auth");
return state.defaults.authenticate(opts.auth);
2018-06-21 06:13:05 +00:00
}
// TODO technically this could leak the token through a timing attack
// but it would require already knowing the semi-secret id and having
// completed the pair code
2018-06-29 21:39:49 +00:00
if (auth.authn === opts.auth || auth.authz === opts.auth) {
2018-06-21 06:13:05 +00:00
if (!auth.authz) {
console.log("[wss.ext.authenticate] Create authz promise and passthru");
2018-06-29 12:05:29 +00:00
return getPromise(auth);
2018-06-21 06:13:05 +00:00
}
// If they used authn but now authz is available, use authz
// (i.e. connects, but no domains or ports)
opts.auth = auth.authz;
// The browser may poll for this value
// otherwise we could also remove the auth at this time
auth._claimed = true;
}
2018-06-29 21:39:49 +00:00
console.log("[wss.ext.authenticate] Already using authz, skipping promise");
return module.exports.authHelper({ state: state, session: auth });
2018-06-06 09:18:13 +00:00
};
2018-06-19 23:40:58 +00:00
2018-06-07 05:26:15 +00:00
//var loaded = false;
2018-06-06 10:58:01 +00:00
var express = require('express');
var app = express();
2018-06-15 08:45:47 +00:00
var staticApp = express();
var nowww = require('nowww')();
var CORS = require('connect-cors');
2018-06-19 23:40:58 +00:00
var bodyParser = require('body-parser');
2018-06-20 09:02:00 +00:00
var urls = {
pairState: '/api/telebit.cloud/pair_state/:id'
};
2018-06-15 08:45:47 +00:00
staticApp.use('/', express.static(path.join(__dirname, 'admin')));
app.use('/api', CORS({}));
2018-06-19 23:40:58 +00:00
app.use('/api', bodyParser.json());
2018-06-21 06:13:05 +00:00
// From Device (which knows id, but not secret)
2018-06-19 23:40:58 +00:00
app.post('/api/telebit.cloud/pair_request', function (req, res) {
var auth = req.body;
2018-06-20 09:02:00 +00:00
console.log('[ext] pair_request (request)', req.headers);
console.log('[ext] pair_request (request)', req.body);
module.exports.pairRequest({ state: req._state, auth: auth }).then(function (tokenData) {
console.log('[ext] pair_request (response)', tokenData);
2018-06-19 23:40:58 +00:00
// res.send({ success: true, message: "pair request sent" });
2018-06-20 09:02:00 +00:00
var stateUrl = 'https://' + req._state.config.apiDomain + urls.pairState.replace(/:id/g, tokenData.id);
res.statusCode = 201;
res.setHeader('Location', stateUrl);
res.setHeader('Link', '<' + stateUrl + '>;rel="next"');
2018-06-19 23:40:58 +00:00
res.send(tokenData);
}, function (err) {
2018-06-20 09:02:00 +00:00
console.error(err);
res.send({ error: { code: err.code, message: err.toString() } });
2018-06-19 23:40:58 +00:00
});
});
2018-06-21 06:13:05 +00:00
// From Browser (which knows secret, but not pin)
app.get('/api/telebit.cloud/pair_request/:secret', function (req, res) {
var secret = req.params.secret;
var auth = Auths.getBySecret(secret);
var crypto = require('crypto');
var response = {};
if (!auth) {
res.send({ error: { message: "Invalid" } });
return;
}
auth.referer = req.headers.referer;
auth.user_agent = req.headers['user-agent'];
response.id = auth.id;
// do not reveal email or otp
[ 'scope', 'hostname', 'os_type', 'os_platform', 'os_release', 'os_arch' ].forEach(function (key) {
response[key] = auth.request[key];
});
res.send(response);
});
// From User (which has entered pin)
function pairCode(req, res) {
console.log("DEBUG telebit.cloud magic");
console.log(req.body || req.params);
var magic;
var pin;
if (req.body) {
magic = req.body.magic;
pin = req.body.pin;
} else {
magic = req.params.magic || req.query.magic;
pin = req.params.pin || req.query.pin;
}
return module.exports.pairPin({
state: req._state
, secret: magic
, pin: pin
}).then(function (tokenData) {
2018-06-19 23:40:58 +00:00
res.send(tokenData);
}, function (err) {
2018-06-21 06:13:05 +00:00
res.send({ error: { message: err.toString() } });
//res.send(tokenData || { error: { code: "E_TOKEN", message: "Invalid or expired magic link. (" + magic + ")" } });
2018-06-19 23:40:58 +00:00
});
2018-06-21 06:13:05 +00:00
}
app.post('/api/telebit.cloud/pair_code', pairCode);
// Alternate From User (TODO remove in favor of the above)
app.get('/api/telebit.cloud/magic/:magic/:pin?', pairCode);
// From Device and Browser (polling)
2018-06-20 09:02:00 +00:00
app.get(urls.pairState, function (req, res) {
2018-06-19 23:40:58 +00:00
// check if pair is complete
// respond immediately if so
// wait for a little bit otherwise
// respond if/when it completes
// or respond after time if it does not complete
2018-06-21 06:13:05 +00:00
var auth = Auths.get(req.params.id); // id or secret accepted
2018-06-20 09:02:00 +00:00
if (!auth) {
res.send({ status: 'invalid' });
return;
}
2018-06-21 06:13:05 +00:00
function check(i) {
if (auth._claimed) {
res.send({
status: 'complete'
});
} else if (auth._offered) {
res.send({
status: 'ready', access_token: auth.authz
, grant: { domains: auth.domains || [], ports: auth.ports || [] }
});
} else if (false === auth._offered) {
res.send({ status: 'failed', error: { message: "device pairing failed" } });
} else if (i >= 5) {
var stateUrl = 'https://' + req._state.config.apiDomain + urls.pairState.replace(/:id/g, auth.id);
res.statusCode = 200;
res.setHeader('Location', stateUrl);
res.setHeader('Link', '<' + stateUrl + '>;rel="next"');
res.send({ status: 'pending' });
} else {
setTimeout(check, 3 * 1000, i + 1);
}
2018-06-06 10:58:01 +00:00
}
2018-06-21 06:13:05 +00:00
check(0);
2018-06-06 10:58:01 +00:00
});
2018-06-21 06:13:05 +00:00
2018-06-06 10:58:01 +00:00
module.exports.webadmin = function (state, req, res) {
2018-06-07 05:26:15 +00:00
//if (!loaded) { loaded = true; app.use('/', state.defaults.webadmin); }
2018-06-15 08:45:47 +00:00
var host = (req.headers.host || '').toLowerCase().split(':')[0];
if (state.config.webminDomain === host) {
2018-06-21 19:36:21 +00:00
console.log("[static] " + req.headers.host + req.url);
2018-06-15 08:45:47 +00:00
staticApp(req, res);
return;
}
2018-06-20 09:02:00 +00:00
if ((state.config.apiDomain || ('api.' + state.config.webminDomain )) === host) {
2018-06-21 19:36:21 +00:00
console.log("[api] " + req.headers.host + req.url);
2018-06-19 23:40:58 +00:00
req._state = state;
2018-06-15 08:45:47 +00:00
app(req, res);
return;
}
if ('www.' + state.config.webminDomain === host) {
2018-06-21 19:36:21 +00:00
console.log("[nowww] " + req.headers.host + req.url);
2018-06-15 08:45:47 +00:00
nowww(req, res);
return;
}
2018-06-21 19:36:21 +00:00
console.warn("[unhandled] " + req.headers.host + req.url);
2018-06-15 08:45:47 +00:00
res.end("Didn't recognize '" + escapeHtml(host) + "'. Not sure what to do.");
2018-06-06 10:58:01 +00:00
};