Skip to content

Commit

Permalink
fix mTLS connection support, add tls tests (#147)
Browse files Browse the repository at this point in the history
  • Loading branch information
zenonhun committed Mar 21, 2021
1 parent 4b74b36 commit b175244
Show file tree
Hide file tree
Showing 5 changed files with 256 additions and 24 deletions.
7 changes: 5 additions & 2 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
@@ -1,10 +1,14 @@
# CHANGELOG

## Latest

- #[147], (@zenonhun) fix TLS connection support

## v2.4.0 / 2020-01-01

- (@DABH) Node v12 support, fix node-unix-dgram issues, update dependencies
- #[115], (@pepakriz) TLS connection support
- #[123], (@JeffTomlinson, @elliotttf) Handle oversize messages sent over UDP transports
- #[123], (@JeffTomlinson, @elliotttf) Handle oversize messages sent over UDP transports
- #[116], (@pepakriz) Make socket options configurable
- #[122], (@cjbarth) Correct improper opening and closing of sockets

Expand All @@ -20,4 +24,3 @@
- #[108], (@vrza) Make winston 3 a peer dependency
- #[102], (@stieg) Require winston >= 3 and add corresopnding note in readme
- #[105], (@mohd-akram) Update dependencies for latest Node compatibility

30 changes: 15 additions & 15 deletions lib/winston-syslog.js
Original file line number Diff line number Diff line change
Expand Up @@ -279,7 +279,6 @@ class Syslog extends Transport {
this.socket.close();
}
}

this.emit('closed', this.socket);
} else {
attempt++;
Expand Down Expand Up @@ -339,14 +338,6 @@ class Syslog extends Transport {
return this.connectDgram(callback);
}

this.socket = /^tls[4|6]?$/.test(this.protocol)
? new secNet.TLSSocket()
: new net.Socket();
this.socket.setKeepAlive(true);
this.socket.setNoDelay();

this.setupEvents();

const connectConfig = Object.assign({}, this.protocolOptions, {
host: this.host,
port: this.port
Expand All @@ -356,7 +347,13 @@ class Syslog extends Transport {
connectConfig.family = this.protocolFamily;
}

this.socket.connect(connectConfig);
this.socket = /^tls[4|6]?$/.test(this.protocol)
? secNet.connect(connectConfig)
: net.connect(connectConfig);
this.socket.setKeepAlive(true);
this.socket.setNoDelay();

this.setupEvents();

//
// Indicate to the callee that the socket is not ready. This
Expand Down Expand Up @@ -396,7 +393,8 @@ class Syslog extends Transport {
this.retries = 0;
this.connected = true;
})
.on('error', function () {
.on('error', (error) => {
this.emit('error', error);
//
// TODO: Pass this error back up
//
Expand All @@ -409,10 +407,12 @@ class Syslog extends Transport {
const interval = Math.pow(2, this.retries);
this.connected = false;

setTimeout(() => {
this.retries++;
this.socket.connect(this.port, this.host);
}, interval * 1000);
if (!this.socket.destroyed) {
setTimeout(() => {
this.retries++;
this.socket.connect(this.port, this.host);
}, interval * 1000);
}
})
.on('timeout', () => {
if (this.socket.destroy) {
Expand Down
27 changes: 21 additions & 6 deletions package-lock.json

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

3 changes: 2 additions & 1 deletion package.json
Original file line number Diff line number Diff line change
Expand Up @@ -32,13 +32,14 @@
"glossy": "^0.1.7"
},
"optionalDependencies": {
"unix-dgram": "2.0.3"
"unix-dgram": "^2.0.4"
},
"peerDependencies": {
"winston": "^3.0.0"
},
"devDependencies": {
"eslint-config-populist": "^4.2.0",
"selfsigned": "^1.10.8",
"sinon": "^8.0.2",
"vows": "^0.8.3",
"winston": "^3.0.0"
Expand Down
213 changes: 213 additions & 0 deletions test/tls-test.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,213 @@
const vows = require('vows');
const assert = require('assert');
const selfsigned = require('selfsigned');
const tls = require('tls');
const winston = require('winston');
require('../lib/winston-syslog').Syslog;

// ----- Constants
const HOST = 'localhost';
const PORT = 10514;
const PROMISE_TIMEOUT = 1000;

// ----- Helpers
function wrapToPromise(target, event) {
return new Promise((resolve, reject) => {
const timeout = setTimeout(() => {
reject('Timeout for event promise');
}, PROMISE_TIMEOUT);
target.on(event, (...args) => {
clearTimeout(timeout);
resolve(...args);
});
});
}

function nodeMajorVersion() {
return Number.parseInt(process.version.match(/^v(\d+\.\d+)/)[1], 10);
}

// ----- Certificate handling
function generateCertificate() {
// Generate server and client certificates
const attributes = [{ name: 'commonName', value: 'localhost' }];
const x509 = selfsigned.generate(attributes, {
days: 1,
clientCertificate: true,
extensions: [
{
name: 'keyUsage',
keyCertSign: true,
digitalSignature: true,
nonRepudiation: true,
keyEncipherment: true,
dataEncipherment: true
},
{
name: 'subjectAltName',
altNames: [
{
type: 2, // DNS
value: 'localhost'
}
]
}
]
});
return x509;
}

// ----- TLS configs
const x509 = generateCertificate();
const validServerTLS = {
key: x509.private,
cert: x509.cert,
ca: [x509.cert],
rejectUnauthorized: true,
requestCert: true
};

const validClientTLS = {
key: x509.clientprivate,
cert: x509.clientcert,
ca: [x509.cert],
rejectUnauthorized: true
};

const untrustedClientTLS = {
...validClientTLS,
ca: null
};

const missingClientTLS = {
ca: null,
key: null,
cert: null,
rejectUnauthorized: false
};

// ----- TLS Server
const serverEvents = {
data: 'data',
tlsClientError: 'tlsClientError',
error: 'error',
listening: 'listening',
secureConnection: 'secureConnection'
};

async function startServer({ host = HOST, port = PORT, tlsOpts } = {}) {
const server = tls.createServer({ ...tlsOpts });
let clients = [];
server.on('secureConnection', (client) => {
clients.push(client);
client.on('close', () => {
clients = clients.filter((c) => c !== client);
});
client.on('data', (data) => {
server.emit(serverEvents.data, data.toString());
});
});
server.forceClose = () => {
clients.forEach((client) => client.destroy());
server.close();
};
server.listen({ host, port });
await wrapToPromise(server, serverEvents.listening);
return server;
}

// ----- Init Logger
function initLogger({ host = HOST, port = PORT, tlsOpts } = {}) {
const syslogOptions = {
host,
port,
protocol: 'tls4',
protocolOptions: { ...tlsOpts }
};
const logger = winston.createLogger({
transports: [new winston.transports.Syslog(syslogOptions)]
});
return logger;
}

// ----- Test Cases
const TEST_MESSAGE = 'Test Message';
const SYSLOG_FORMAT = `"message":"${TEST_MESSAGE}"`;

let serverInstance;

vows
.describe('tls-connect')
.addBatch({
'Trying to connect to a TLS server with mutual TLS': {
'topic': function () {
startServer({ tlsOpts: validServerTLS }).then((server) => {
serverInstance = server;
const promise = wrapToPromise(server, serverEvents.data);
initLogger({ tlsOpts: validClientTLS }).info(TEST_MESSAGE);
promise.then(msg => this.callback(null, msg));
});
},
'TLS server should receive log message': function (msg) {
assert.include(msg, SYSLOG_FORMAT);
},
'teardown': function () {
serverInstance.forceClose();
}
}
})
.addBatch({
'Trying to connect to a TLS server with untrusted certificate': {
'topic': function () {
startServer({ tlsOpts: validServerTLS }).then((server) => {
serverInstance = server;
const logger = initLogger({ tlsOpts: untrustedClientTLS });
logger.on('error', (loggerError) => {
this.callback(null, loggerError);
});
logger.info(TEST_MESSAGE);
});
},
'Client should refuse connection': function (e, loggerError) {
assert.strictEqual(loggerError.code, 'DEPTH_ZERO_SELF_SIGNED_CERT');
assert.include(loggerError.message, 'self signed certificate');
},
'teardown': function () {
serverInstance.forceClose();
}
}
})
.addBatch({
'Trying to connect to a TLS server without client certificate': {
'topic': function () {
startServer({ tlsOpts: validServerTLS }).then((server) => {
serverInstance = server;
const promise = wrapToPromise(server, serverEvents.tlsClientError);
const logger = initLogger({ tlsOpts: missingClientTLS });
logger.on('error', (loggerError) => {
promise
.then((serverError) => this.callback(null, loggerError, serverError))
.catch((error) => this.callback(error, loggerError, null));
});
logger.info(TEST_MESSAGE);
});
},
'Server should refuse connection': function (e, loggerError, serverError) {
// Client and Server error type changes between Node versions
if (nodeMajorVersion() >= 12) {
assert.strictEqual(loggerError.code, 'ERR_SSL_TLSV13_ALERT_CERTIFICATE_REQUIRED');
assert.include(loggerError.message, 'alert number 116');
assert.strictEqual(serverError.code, 'ERR_SSL_PEER_DID_NOT_RETURN_A_CERTIFICATE');
assert.include(serverError.message, 'peer did not return a certificate');
} else {
assert.strictEqual(loggerError.code, 'EPROTO');
assert.include(loggerError.message, 'alert number 40');
assert.include(serverError.message, 'peer did not return a certificate');
}
},
'teardown': function () {
serverInstance.forceClose();
}
}
})
.export(module);

0 comments on commit b175244

Please sign in to comment.