node-ldapjs/lib/server.js

773 lines
21 KiB
JavaScript
Raw Normal View History

2011-08-04 20:32:01 +00:00
// Copyright 2011 Mark Cavage, Inc. All rights reserved.
var assert = require('assert');
var EventEmitter = require('events').EventEmitter;
var net = require('net');
var tls = require('tls');
var util = require('util');
var asn1 = require('asn1');
var sprintf = require('sprintf').sprintf;
var dn = require('./dn');
2011-08-30 00:24:50 +00:00
var dtrace = require('./dtrace');
2011-08-04 20:32:01 +00:00
var errors = require('./errors');
var Protocol = require('./protocol');
var logStub = require('./log_stub');
var Parser = require('./messages').Parser;
var AddResponse = require('./messages/add_response');
var BindResponse = require('./messages/bind_response');
var CompareResponse = require('./messages/compare_response');
var DeleteResponse = require('./messages/del_response');
var ExtendedResponse = require('./messages/ext_response');
var ModifyResponse = require('./messages/modify_response');
var ModifyDNResponse = require('./messages/moddn_response');
var SearchRequest = require('./messages/search_request');
2011-08-04 20:32:01 +00:00
var SearchResponse = require('./messages/search_response');
var UnbindResponse = require('./messages/unbind_response');
///--- Globals
var Ber = asn1.Ber;
var BerReader = asn1.BerReader;
var DN = dn.DN;
2011-08-04 20:32:01 +00:00
///--- Helpers
function mergeFunctionArgs(argv, start, end) {
assert.ok(argv);
if (!start)
start = 0;
if (!end)
end = argv.length;
var handlers = [];
for (var i = start; i < end; i++) {
if (argv[i] instanceof Array) {
var arr = argv[i];
for (var j = 0; j < arr.length; j++) {
if (!(arr[j] instanceof Function)) {
throw new TypeError('Invalid argument type: ' + typeof(arr[j]));
}
handlers.push(arr[j]);
}
} else if (argv[i] instanceof Function) {
handlers.push(argv[i]);
} else {
throw new TypeError('Invalid argument type: ' + typeof(argv[i]));
}
}
2011-08-04 20:32:01 +00:00
return handlers;
2011-08-04 20:32:01 +00:00
}
function getResponse(req) {
assert.ok(req);
var Response;
switch (req.protocolOp) {
case Protocol.LDAP_REQ_BIND:
Response = BindResponse;
break;
case Protocol.LDAP_REQ_ABANDON:
return; // Noop
case Protocol.LDAP_REQ_ADD:
Response = AddResponse;
break;
case Protocol.LDAP_REQ_COMPARE:
Response = CompareResponse;
break;
case Protocol.LDAP_REQ_DELETE:
Response = DeleteResponse;
break;
case Protocol.LDAP_REQ_EXTENSION:
Response = ExtendedResponse;
break;
case Protocol.LDAP_REQ_MODIFY:
Response = ModifyResponse;
break;
case Protocol.LDAP_REQ_MODRDN:
Response = ModifyDNResponse;
break;
case Protocol.LDAP_REQ_SEARCH:
Response = SearchResponse;
break;
case Protocol.LDAP_REQ_UNBIND:
Response = UnbindResponse;
break;
default:
return null;
}
assert.ok(Response);
var res = new Response({
messageID: req.messageID,
log4js: req.log4js,
attributes: ((req instanceof SearchRequest) ? req.attributes : undefined)
2011-08-04 20:32:01 +00:00
});
res.connection = req.connection;
res.logId = req.logId;
return res;
}
function defaultHandler(req, res, next) {
assert.ok(req);
assert.ok(res);
assert.ok(next);
res.matchedDN = req.dn.toString();
res.errorMessage = 'Server method not implemented';
res.end(errors.LDAP_OTHER);
return next();
}
function defaultUnbindHandler(req, res, next) {
assert.ok(req);
assert.ok(res);
assert.ok(next);
res.end();
return next();
}
2011-08-24 19:38:23 +00:00
function defaultAnonymousBindHandler(req, res, next) {
assert.ok(req);
assert.ok(res);
assert.ok(next);
res.end();
return next();
}
2011-08-04 20:32:01 +00:00
function noSuffixHandler(req, res, next) {
assert.ok(req);
assert.ok(res);
assert.ok(next);
res.errorMessage = 'No tree found for: ' + req.dn.toString();
res.end(errors.LDAP_NO_SUCH_OBJECT);
return next();
}
function noExOpHandler(req, res, next) {
assert.ok(req);
assert.ok(res);
assert.ok(next);
res.errorMessage = req.requestName + ' not supported';
res.end(errors.LDAP_PROTOCOL_ERROR);
return next();
}
function getArgumentsWithDTrace(args, op, cb1, cb2) {
assert.ok(op);
var index = 0;
if (typeof(args[0]) === 'object')
index = 1;
args.splice(index, 0, function(req, res, next) {
dtrace.fire(op, function() {
var c = req.connection;
return [
req.logId,
c.remoteAddress,
c.ldap.bindDN.toString(),
req.dn.toString(),
cb1 ? cb1(req, res) : undefined,
cb2 ? cb2(req, res) : undefined
];
});
return next();
});
return args;
}
2011-08-04 20:32:01 +00:00
///--- API
2011-08-04 20:32:01 +00:00
/**
* Constructs a new server that you can call .listen() on, in the various
* forms node supports. You need to first assign some handlers to the various
* LDAP operations however.
*
* The options object currently only takes a certificate/private key, and a
* log4js handle.
*
* This object exposes the following events:
* - 'error'
* - 'close'
*
* @param {Object} options (optional) parameterization object.
* @throws {TypeError} on bad input.
*/
function Server(options) {
if (options) {
if (typeof(options) !== 'object')
throw new TypeError('options (object) required');
if (options.log4js && typeof(options.log4js) !== 'object')
throw new TypeError('options.log4s must be an object');
if (options.certificate || options.key) {
if (!(options.certificate && options.key) ||
typeof(options.certificate) !== 'string' ||
typeof(options.key) !== 'string') {
throw new TypeError('options.certificate and options.key (string) ' +
'are both required for TLS');
2011-08-04 20:32:01 +00:00
}
}
} else {
options = {};
}
var self = this;
if (!options.log4js)
options.log4js = logStub;
2011-08-04 20:32:01 +00:00
EventEmitter.call(this, options);
2011-08-04 20:32:01 +00:00
2011-08-19 22:08:23 +00:00
this.log = options.log4js.getLogger('Server');
var log = this.log;
2011-08-04 20:32:01 +00:00
function setupConnection(c) {
assert.ok(c);
2011-08-04 20:32:01 +00:00
if (c.type === 'unix') {
c.remoteAddress = self.server.path;
c.remotePort = c.fd;
}
var rdn = new dn.RDN({cn: 'anonymous'});
c.ldap = {
id: c.remoteAddress + ':' + c.remotePort,
2011-08-30 04:48:05 +00:00
config: options,
_bindDN: new DN([rdn])
};
c.addListener('timeout', function() {
log.trace('%s timed out', c.ldap.id);
c.destroy();
});
c.addListener('end', function() {
log.trace('%s shutdown', c.ldap.id);
});
c.addListener('error', function(err) {
log.warn('%s unexpected connection error', c.ldap.id, err);
c.destroy();
});
c.addListener('close', function(had_err) {
log.trace('%s close; had_err=%j', c.ldap.id, had_err);
c.end();
});
c.ldap.__defineGetter__('bindDN', function() {
2011-08-30 04:48:05 +00:00
return c.ldap._bindDN;
});
c.ldap.__defineSetter__('bindDN', function(val) {
if (!(val instanceof DN))
throw new TypeError('DN required');
c.ldap._bindDN = val;
return val;
});
return c;
}
2011-08-04 20:32:01 +00:00
function newConnection(c) {
setupConnection(c);
if (log.isTraceEnabled())
log.trace('new connection from %s', c.ldap.id);
dtrace.fire('connection', function() { return [c.remoteAddress]; });
2011-08-04 20:32:01 +00:00
c.parser = new Parser({
log4js: options.log4js
});
c.parser.on('message', function(req) {
req.connection = c;
req.logId = c.ldap.id + '::' + req.messageID;
2011-08-04 20:32:01 +00:00
if (log.isDebugEnabled())
log.debug('%s: message received: req=%j', c.ldap.id, req.json);
2011-08-04 20:32:01 +00:00
dtrace.fire('request', function() {
return [
req.logId,
c.remoteAddress,
c.ldap.bindDN.toString(),
req.dn.toString()
];
});
var res = getResponse(req);
if (!res) {
log.warn('Unimplemented server method: %s', req.type);
c.destroy();
return;
2011-08-04 20:32:01 +00:00
}
2011-08-30 04:48:05 +00:00
res.connection = c;
res.logId = req.logId;
2011-08-30 04:48:05 +00:00
res.requestDN = req.dn;
var chain = self._getHandlerChain(req);
2011-08-04 20:32:01 +00:00
var i = 0;
return function(err) {
function sendError(err) {
res.status = err.code || errors.LDAP_OPERATIONS_ERROR;
2011-08-10 21:46:04 +00:00
res.matchedDN = req.suffix.toString();
res.errorMessage = err.message || '';
return res.end();
}
2011-08-04 20:32:01 +00:00
if (err)
return sendError(err);
try {
var next = arguments.callee;
if (chain.handlers[i])
return chain.handlers[i++].call(chain.backend, req, res, next);
if (req.protocolOp === Protocol.LDAP_REQ_BIND && res.status === 0)
c.ldap.bindDN = req.dn;
} catch (e) {
if (!e.stack)
e.stack = e.toString();
log.error('%s uncaught exception: %s', req.logId, e.stack);
return sendError(new errors.OperationsError(e.message));
}
}();
});
2011-08-04 20:32:01 +00:00
c.parser.on('protocolError', function(err, messageID) {
log.warn('%s sent invalid protocol message', c.ldap.id, err);
c.destroy();
});
c.parser.on('error', function(err) {
log.error('Exception happened parsing for %s: %s',
c.ldap.id, err.stack);
c.destroy();
});
c.on('data', function(data) {
if (log.isTraceEnabled())
log.trace('data on %s: %s', c.ldap.id, util.inspect(data));
c.parser.write(data);
});
2011-08-04 20:32:01 +00:00
}; // end newConnection
2011-08-04 20:32:01 +00:00
this.routes = {};
if (options.certificate && options.key) {
this.server = tls.createServer(options, newConnection);
} else {
this.server = net.createServer(newConnection);
2011-08-04 20:32:01 +00:00
}
this.server.log4js = options.log4js;
this.server.ldap = {
config: options
};
this.server.on('close', function() {
self.emit('close');
});
this.server.on('error', function(err) {
self.emit('error', err);
});
2011-08-04 20:32:01 +00:00
this.__defineGetter__('maxConnections', function() {
return self.server.maxConnections;
});
this.__defineSetter__('maxConnections', function(val) {
self.server.maxConnections = val;
});
this.__defineGetter__('connections', function() {
return self.server.connections;
});
this.__defineGetter__('name', function() {
return 'LDAPServer';
});
this.__defineGetter__('url', function() {
var str;
if (options.certificate && options.key) {
str = 'ldaps://';
} else {
str = 'ldap://';
}
str += self.host || 'localhost';
str += ':';
str += self.port || 389;
return str;
});
}
util.inherits(Server, EventEmitter);
module.exports = Server;
/**
* Adds a handler (chain) for the LDAP add method.
*
* Note that this is of the form f(name, [function]) where the second...N
* arguments can all either be functions or arrays of functions.
*
* @param {String} name the DN to mount this handler chain at.
* @return {Server} this so you can chain calls.
* @throws {TypeError} on bad input
*/
Server.prototype.add = function(name) {
var args = getArgumentsWithDTrace(Array.prototype.slice.call(arguments, 1),
'add',
function(req, res) {
return req.attributes.length;
});
2011-08-30 00:24:50 +00:00
return this._mount(Protocol.LDAP_REQ_ADD, name, args);
};
2011-08-04 20:32:01 +00:00
/**
* Adds a handler (chain) for the LDAP bind method.
*
* Note that this is of the form f(name, [function]) where the second...N
* arguments can all either be functions or arrays of functions.
*
* @param {String} name the DN to mount this handler chain at.
* @return {Server} this so you can chain calls.
* @throws {TypeError} on bad input
*/
Server.prototype.bind = function(name) {
var args = getArgumentsWithDTrace(Array.prototype.slice.call(arguments, 1),
'bind');
2011-08-30 00:24:50 +00:00
return this._mount(Protocol.LDAP_REQ_BIND, name, args);
};
2011-08-04 20:32:01 +00:00
/**
* Adds a handler (chain) for the LDAP compare method.
*
* Note that this is of the form f(name, [function]) where the second...N
* arguments can all either be functions or arrays of functions.
*
* @param {String} name the DN to mount this handler chain at.
* @return {Server} this so you can chain calls.
* @throws {TypeError} on bad input
*/
Server.prototype.compare = function(name) {
var args = getArgumentsWithDTrace(Array.prototype.slice.call(arguments, 1),
'compare',
function(req, res) {
return req.attribute;
},
function(req, res) {
return req.value;
});
2011-08-30 04:48:05 +00:00
return this._mount(Protocol.LDAP_REQ_COMPARE, name, args);
};
2011-08-04 20:32:01 +00:00
/**
* Adds a handler (chain) for the LDAP delete method.
*
* Note that this is of the form f(name, [function]) where the second...N
* arguments can all either be functions or arrays of functions.
*
* @param {String} name the DN to mount this handler chain at.
* @return {Server} this so you can chain calls.
* @throws {TypeError} on bad input
*/
Server.prototype.del = function(name) {
var args = getArgumentsWithDTrace(Array.prototype.slice.call(arguments, 1),
'delete');
2011-08-30 04:48:05 +00:00
return this._mount(Protocol.LDAP_REQ_DELETE, name, args);
};
2011-08-04 20:32:01 +00:00
/**
* Adds a handler (chain) for the LDAP exop method.
*
* Note that this is of the form f(name, [function]) where the second...N
* arguments can all either be functions or arrays of functions.
*
* @param {String} name OID to assign this handler chain to.
* @return {Server} this so you can chain calls.
* @throws {TypeError} on bad input.
*/
Server.prototype.exop = function(name) {
var args = getArgumentsWithDTrace(Array.prototype.slice.call(arguments, 1),
'exop',
function(req, res) {
return req.name;
},
function(req, res) {
return req.value;
});
2011-08-30 04:48:05 +00:00
return this._mount(Protocol.LDAP_REQ_EXTENSION, name, args, true);
};
2011-08-04 20:32:01 +00:00
/**
* Adds a handler (chain) for the LDAP modify method.
*
* Note that this is of the form f(name, [function]) where the second...N
* arguments can all either be functions or arrays of functions.
*
* @param {String} name the DN to mount this handler chain at.
* @return {Server} this so you can chain calls.
* @throws {TypeError} on bad input
*/
Server.prototype.modify = function(name) {
var args = getArgumentsWithDTrace(Array.prototype.slice.call(arguments, 1),
'modify',
function(req, res) {
return req.changes.length;
});
2011-08-30 04:48:05 +00:00
return this._mount(Protocol.LDAP_REQ_MODIFY, name, args);
};
2011-08-04 20:32:01 +00:00
/**
* Adds a handler (chain) for the LDAP modifyDN method.
*
* Note that this is of the form f(name, [function]) where the second...N
* arguments can all either be functions or arrays of functions.
*
* @param {String} name the DN to mount this handler chain at.
* @return {Server} this so you can chain calls.
* @throws {TypeError} on bad input
*/
Server.prototype.modifyDN = function(name) {
var args = getArgumentsWithDTrace(Array.prototype.slice.call(arguments, 1),
'modifyDN',
function(req, res) {
return req.newRdn.toString();
},
function(req, res) {
return (req.newSuperior ?
req.newSuperior.toString() : '');
});
2011-08-30 04:48:05 +00:00
return this._mount(Protocol.LDAP_REQ_MODRDN, name, args);
};
2011-08-04 20:32:01 +00:00
/**
* Adds a handler (chain) for the LDAP search method.
*
* Note that this is of the form f(name, [function]) where the second...N
* arguments can all either be functions or arrays of functions.
*
* @param {String} name the DN to mount this handler chain at.
* @return {Server} this so you can chain calls.
* @throws {TypeError} on bad input
*/
Server.prototype.search = function(name) {
var args = getArgumentsWithDTrace(Array.prototype.slice.call(arguments, 1),
'search',
function(req, res) {
return req.scope;
},
function(req, res) {
return req.filter.toString();
});
2011-08-30 04:48:05 +00:00
return this._mount(Protocol.LDAP_REQ_SEARCH, name, args);
};
2011-08-04 20:32:01 +00:00
/**
* Adds a handler (chain) for the LDAP unbind method.
*
* This method is different than the others and takes no mount point, as unbind
* is a connection-wide operation, not constrianed to part of the DIT.
*
* @return {Server} this so you can chain calls.
* @throws {TypeError} on bad input
*/
Server.prototype.unbind = function() {
var args = getArgumentsWithDTrace(Array.prototype.slice.call(arguments, 1),
'unbind');
2011-08-30 00:24:50 +00:00
2011-08-30 04:48:05 +00:00
return this._mount(Protocol.LDAP_REQ_UNBIND, 'unbind', args, true);
};
2011-08-04 20:32:01 +00:00
// All these just reexpose the requisite net.Server APIs
Server.prototype.listen = function(port, host, callback) {
if (!port)
throw new TypeError('port (number) required');
if (typeof(host) === 'function') {
callback = host;
host = '0.0.0.0';
}
var self = this;
function _callback() {
if (typeof(port) === 'number') {
self.host = host;
self.port = port;
} else {
self.host = port;
self.port = self.server.fd;
}
2011-08-04 20:32:01 +00:00
if (typeof(callback) === 'function')
return callback();
}
if (typeof(port) === 'number') {
return this.server.listen(port, host, _callback);
} else {
return this.server.listen(port, _callback);
}
};
Server.prototype.listenFD = function(fd) {
self.host = 'unix-domain-socket';
self.port = fd;
return this.server.listenFD(fd);
};
Server.prototype.close = function() {
return this.server.close();
};
Server.prototype.address = function() {
return this.server.address();
};
2011-08-04 20:32:01 +00:00
Server.prototype._getRoute = function(_dn, backend) {
assert.ok(dn);
2011-08-04 20:32:01 +00:00
if (!backend)
backend = this;
2011-08-04 20:32:01 +00:00
var name;
if (_dn instanceof dn.DN) {
name = _dn.toString();
} else {
name = _dn;
}
2011-08-04 20:32:01 +00:00
if (!this.routes[name]) {
this.routes[name] = {};
this.routes[name].backend = backend;
this.routes[name].dn = _dn;
}
2011-08-04 20:32:01 +00:00
return this.routes[name];
};
2011-08-04 20:32:01 +00:00
Server.prototype._getHandlerChain = function(req) {
assert.ok(req);
2011-08-04 20:32:01 +00:00
2011-08-24 19:38:23 +00:00
// check anonymous bind
if (req.protocolOp === Protocol.LDAP_REQ_BIND &&
req.dn.toString() === '' &&
req.credentials === '') {
return {
backend: self,
handlers: [defaultAnonymousBindHandler]
};
}
var op = '0x' + req.protocolOp.toString(16);
2011-08-04 20:32:01 +00:00
var self = this;
var routes = this.routes;
for (var r in routes) {
if (routes.hasOwnProperty(r)) {
var route = routes[r];
// Special cases are exops and unbinds, handle those first.
if (req.protocolOp === Protocol.LDAP_REQ_EXTENSION) {
if (r !== req.requestName)
continue;
2011-08-04 20:32:01 +00:00
return {
backend: routes.backend,
handlers: route[op] || [defaultExopHandler]
};
} else if (req.protocolOp === Protocol.LDAP_REQ_UNBIND) {
function getUnbindChain() {
if (routes['unbind'] && routes['unbind'][op])
return routes['unbind'][op];
self.log.debug('%s unbind request %j', req.logId, req.json);
return [defaultUnbindHandler];
}
return {
backend: routes['unbind'] ? routes['unbind'].backend : self,
handlers: getUnbindChain()
};
}
2011-08-04 20:32:01 +00:00
if (!route[op])
continue;
2011-08-04 20:32:01 +00:00
// Otherwise, match via DN rules
assert.ok(req.dn);
assert.ok(route.dn);
if (r !== req.dn.toString() && (!route.dn.parentOf(req.dn)))
continue;
// We should be good to go.
req.suffix = route.dn;
return {
backend: route.backend,
handlers: route[op] || [defaultHandler]
};
}
}
2011-08-04 20:32:01 +00:00
// We're here, so nothing matched.
return {
backend: self,
handlers: [(req.protocolOp !== Protocol.LDAP_REQ_EXTENSION ?
noSuffixHandler : noExOpHandler)]
};
};
2011-08-04 20:32:01 +00:00
2011-08-15 16:44:31 +00:00
Server.prototype._mount = function(op, name, argv, notDN) {
assert.ok(op);
assert.ok(name);
assert.ok(argv);
if (!name || typeof(name) !== 'string')
throw new TypeError('name (string) required');
if (argv.length < 1)
throw new Error('at least one handler required');
var backend = this;
var index = 0;
2011-08-15 16:44:31 +00:00
if (typeof(argv[0]) === 'object' && !Array.isArray(argv[0])) {
backend = argv[0];
index = 1;
}
var route = this._getRoute(notDN ? name : dn.parse(name), backend);
route['0x' + op.toString(16)] = mergeFunctionArgs(argv.slice(index));
return this;
};