node-ldapjs/lib/client.js

870 lines
25 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 Attribute = require('./attribute');
var Change = require('./change');
var Control = require('./controls/index').Control;
2011-08-04 20:32:01 +00:00
var Protocol = require('./protocol');
var dn = require('./dn');
var errors = require('./errors');
var filters = require('./filters');
var messages = require('./messages');
var url = require('./url');
///--- Globals
var AbandonRequest = messages.AbandonRequest;
2011-08-04 20:32:01 +00:00
var AddRequest = messages.AddRequest;
var BindRequest = messages.BindRequest;
var CompareRequest = messages.CompareRequest;
var DeleteRequest = messages.DeleteRequest;
var ExtendedRequest = messages.ExtendedRequest;
var ModifyRequest = messages.ModifyRequest;
var ModifyDNRequest = messages.ModifyDNRequest;
var SearchRequest = messages.SearchRequest;
var UnbindRequest = messages.UnbindRequest;
2011-11-08 21:10:39 +00:00
var UnbindResponse = messages.UnbindResponse;
2011-08-04 20:32:01 +00:00
var LDAPResult = messages.LDAPResult;
var SearchEntry = messages.SearchEntry;
var SearchReference = messages.SearchReference;
2011-08-04 20:32:01 +00:00
var SearchResponse = messages.SearchResponse;
var Parser = messages.Parser;
var Filter = filters.Filter;
var PresenceFilter = filters.PresenceFilter;
var CMP_EXPECT = [errors.LDAP_COMPARE_TRUE, errors.LDAP_COMPARE_FALSE];
2011-08-04 20:32:01 +00:00
var MAX_MSGID = Math.pow(2, 31) - 1;
///--- Internal Helpers
function xor() {
var b = false;
for (var i = 0; i < arguments.length; i++) {
if (arguments[i] && !b) {
b = true;
} else if (arguments[i] && b) {
return false;
}
2011-08-04 20:32:01 +00:00
}
return b;
}
function validateControls(controls) {
if (Array.isArray(controls)) {
2012-02-24 00:02:52 +00:00
controls.forEach(function (c) {
2011-08-04 20:32:01 +00:00
if (!(c instanceof Control))
throw new TypeError('controls must be [Control]');
});
} else if (controls instanceof Control) {
controls = [controls];
} else {
throw new TypeError('controls must be [Control]');
}
return controls;
}
2011-09-26 23:45:49 +00:00
function ConnectionError(message) {
errors.LDAPError.call(this,
'ConnectionError',
0x80, // LDAP_OTHER,
message,
null,
ConnectionError);
2011-08-04 20:32:01 +00:00
}
2011-09-26 23:45:49 +00:00
util.inherits(ConnectionError, errors.LDAPError);
2011-08-04 20:32:01 +00:00
///--- API
/**
* Constructs a new client.
*
* The options object is required, and must contain either a URL (string) or
* a socketPath (string); the socketPath is only if you want to talk to an LDAP
2012-02-18 08:54:22 +00:00
* server over a Unix Domain Socket. Additionally, you can pass in a bunyan
* option that is the result of `new Logger()`, presumably after you've
2011-08-04 20:32:01 +00:00
* configured it.
*
* @param {Object} options must have either url or socketPath.
* @throws {TypeError} on bad input.
*/
function Client(options) {
if (!options || typeof (options) !== 'object')
2011-08-04 20:32:01 +00:00
throw new TypeError('options (object) required');
if (options.url && typeof (options.url) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('options.url (string) required');
if (options.socketPath && typeof (options.socketPath) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('options.socketPath must be a string');
2012-02-18 08:54:22 +00:00
if (typeof (options.log) !== 'object')
throw new TypeError('options.log must be an object');
2011-08-04 20:32:01 +00:00
if (!xor(options.url, options.socketPath))
throw new TypeError('options.url ^ options.socketPath (String) required');
2011-08-04 20:32:01 +00:00
EventEmitter.call(this, options);
var parsedUrl;
if (options.url)
parsedUrl = url.parse(options.url);
2011-08-04 20:32:01 +00:00
this.connection = null;
this.connectTimeout = options.connectTimeout || false;
this.connectOptions = {
port: parsedUrl ? parsedUrl.port : options.socketPath,
host: parsedUrl ? parsedUrl.hostname : undefined,
2011-09-26 23:45:49 +00:00
socketPath: options.socketPath || undefined
2011-08-04 20:32:01 +00:00
};
2012-02-18 08:54:22 +00:00
this.log = options.log;
this.secure = parsedUrl ? parsedUrl.secure : false;
this.timeout = options.timeout || false;
this.url = parsedUrl || false;
2011-08-04 20:32:01 +00:00
// We'll emit a connect event when this is done
this.connect();
2011-08-04 20:32:01 +00:00
}
util.inherits(Client, EventEmitter);
module.exports = Client;
/**
* Sends an abandon request to the LDAP server.
*
* The callback will be invoked as soon as the data is flushed out to the
* network, as there is never a response from abandon.
*
* @param {Number} messageID the messageID to abandon.
* @param {Control} controls (optional) either a Control or [Control].
* @param {Function} callback of the form f(err).
* @throws {TypeError} on invalid input.
*/
Client.prototype.abandon = function abandon(messageID, controls, callback) {
if (typeof (messageID) !== 'number')
throw new TypeError('messageID (number) required');
if (typeof (controls) === 'function') {
callback = controls;
controls = [];
} else {
2012-01-24 17:43:46 +00:00
controls = validateControls(controls);
}
if (typeof (callback) !== 'function')
throw new TypeError('callback (function) required');
var req = new AbandonRequest({
abandonID: messageID,
controls: controls
});
return this._send(req, 'abandon', null, callback);
};
2011-08-04 20:32:01 +00:00
/**
* Adds an entry to the LDAP server.
*
* Entry can be either [Attribute] or a plain JS object where the
* values are either a plain value or an array of values. Any value (that's
* not an array) will get converted to a string, so keep that in mind.
*
2011-08-04 20:32:01 +00:00
* @param {String} name the DN of the entry to add.
* @param {Object} entry an array of Attributes to be added or a JS object.
2011-08-04 20:32:01 +00:00
* @param {Control} controls (optional) either a Control or [Control].
* @param {Function} callback of the form f(err, res).
* @throws {TypeError} on invalid input.
*/
Client.prototype.add = function add(name, entry, controls, callback) {
if (typeof (name) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('name (string) required');
if (typeof (entry) !== 'object')
throw new TypeError('entry (object) required');
if (typeof (controls) === 'function') {
2011-08-04 20:32:01 +00:00
callback = controls;
controls = [];
} else {
2012-01-24 17:43:46 +00:00
controls = validateControls(controls);
2011-08-04 20:32:01 +00:00
}
if (typeof (callback) !== 'function')
2011-08-04 20:32:01 +00:00
throw new TypeError('callback (function) required');
if (Array.isArray(entry)) {
2012-02-24 00:02:52 +00:00
entry.forEach(function (a) {
if (!Attribute.isAttribute(a))
throw new TypeError('entry must be an Array of Attributes');
});
} else {
var save = entry;
entry = [];
2012-02-24 00:02:52 +00:00
Object.keys(save).forEach(function (k) {
var attr = new Attribute({type: k});
if (Array.isArray(save[k])) {
2012-02-24 00:02:52 +00:00
save[k].forEach(function (v) {
attr.addValue(v.toString());
});
} else {
attr.addValue(save[k].toString());
}
entry.push(attr);
});
}
2011-08-04 20:32:01 +00:00
var req = new AddRequest({
entry: dn.parse(name),
attributes: entry,
2011-08-04 20:32:01 +00:00
controls: controls
});
return this._send(req, [errors.LDAP_SUCCESS], null, callback);
};
/**
* Performs a simple authentication against the server.
*
* @param {String} name the DN to bind as.
* @param {String} credentials the userPassword associated with name.
* @param {Control} controls (optional) either a Control or [Control].
* @param {Function} callback of the form f(err, res).
* @throws {TypeError} on invalid input.
*/
Client.prototype.bind = function bind(name, credentials, controls, callback) {
if (typeof (name) !== 'string' && !(name instanceof dn.DN))
throw new TypeError('name (string) required');
if (typeof (credentials) !== 'string')
throw new TypeError('credentials (string) required');
if (typeof (controls) === 'function') {
callback = controls;
controls = [];
} else {
controls = validateControls(controls);
}
if (typeof (callback) !== 'function')
throw new TypeError('callback (function) required');
var req = new BindRequest({
name: name || '',
authentication: 'Simple',
credentials: credentials || '',
controls: controls
});
return this._send(req, [errors.LDAP_SUCCESS], null, callback);
2011-08-04 20:32:01 +00:00
};
/**
* Compares an attribute/value pair with an entry on the LDAP server.
*
* @param {String} name the DN of the entry to compare attributes with.
* @param {String} attr name of an attribute to check.
2011-08-04 20:32:01 +00:00
* @param {String} value value of an attribute to check.
* @param {Control} controls (optional) either a Control or [Control].
* @param {Function} callback of the form f(err, boolean, res).
* @throws {TypeError} on invalid input.
*/
Client.prototype.compare = function compare(name,
attr,
value,
controls,
callback) {
if (typeof (name) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('name (string) required');
if (typeof (attr) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('attribute (string) required');
if (typeof (value) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('value (string) required');
if (typeof (controls) === 'function') {
2011-08-04 20:32:01 +00:00
callback = controls;
controls = [];
} else {
2012-01-24 17:43:46 +00:00
controls = validateControls(controls);
2011-08-04 20:32:01 +00:00
}
if (typeof (callback) !== 'function')
2011-08-04 20:32:01 +00:00
throw new TypeError('callback (function) required');
var req = new CompareRequest({
entry: dn.parse(name),
attribute: attr,
2011-08-04 20:32:01 +00:00
value: value,
controls: controls
});
2012-02-24 00:02:52 +00:00
return this._send(req, CMP_EXPECT, null, function (err, res) {
2011-08-04 20:32:01 +00:00
if (err)
return callback(err);
return callback(null, (res.status === errors.LDAP_COMPARE_TRUE), res);
});
2011-08-04 20:32:01 +00:00
};
/**
* Deletes an entry from the LDAP server.
*
* @param {String} name the DN of the entry to delete.
* @param {Control} controls (optional) either a Control or [Control].
* @param {Function} callback of the form f(err, res).
* @throws {TypeError} on invalid input.
*/
Client.prototype.del = function del(name, controls, callback) {
if (typeof (name) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('name (string) required');
if (typeof (controls) === 'function') {
2011-08-04 20:32:01 +00:00
callback = controls;
controls = [];
} else {
2012-01-24 17:43:46 +00:00
controls = validateControls(controls);
2011-08-04 20:32:01 +00:00
}
if (typeof (callback) !== 'function')
2011-08-04 20:32:01 +00:00
throw new TypeError('callback (function) required');
var req = new DeleteRequest({
entry: dn.parse(name),
controls: controls
});
return this._send(req, [errors.LDAP_SUCCESS], null, callback);
2011-08-04 20:32:01 +00:00
};
/**
* Performs an extended operation on the LDAP server.
*
* Pretty much none of the LDAP extended operations return an OID
* (responseName), so I just don't bother giving it back in the callback.
* It's on the third param in `res` if you need it.
*
* @param {String} name the OID of the extended operation to perform.
* @param {String} value value to pass in for this operation.
* @param {Control} controls (optional) either a Control or [Control].
* @param {Function} callback of the form f(err, value, res).
* @throws {TypeError} on invalid input.
*/
Client.prototype.exop = function exop(name, value, controls, callback) {
if (typeof (name) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('name (string) required');
if (typeof (value) === 'function') {
2011-08-04 20:32:01 +00:00
callback = value;
controls = [];
value = '';
}
if (typeof (value) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('value (string) required');
if (typeof (controls) === 'function') {
2011-08-04 20:32:01 +00:00
callback = controls;
controls = [];
} else {
2012-01-24 17:43:46 +00:00
controls = validateControls(controls);
2011-08-04 20:32:01 +00:00
}
if (typeof (callback) !== 'function')
2011-08-04 20:32:01 +00:00
throw new TypeError('callback (function) required');
var req = new ExtendedRequest({
requestName: name,
requestValue: value,
controls: controls
});
2012-02-24 00:02:52 +00:00
return this._send(req, [errors.LDAP_SUCCESS], null, function (err, res) {
2011-08-04 20:32:01 +00:00
if (err)
return callback(err);
return callback(null, res.responseValue || '', res);
});
2011-08-04 20:32:01 +00:00
};
/**
* Performs an LDAP modify against the server.
*
* @param {String} name the DN of the entry to modify.
* @param {Change} change update to perform (can be [Change]).
* @param {Control} controls (optional) either a Control or [Control].
* @param {Function} callback of the form f(err, res).
* @throws {TypeError} on invalid input.
*/
Client.prototype.modify = function modify(name, change, controls, callback) {
if (typeof (name) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('name (string) required');
if (typeof (change) !== 'object')
2011-08-04 20:32:01 +00:00
throw new TypeError('change (Change) required');
var changes = [];
function changeFromObject(change) {
if (!change.operation && !change.type)
throw new Error('change.operation required');
if (typeof (change.modification) !== 'object')
throw new Error('change.modification (object) required');
2012-02-24 00:02:52 +00:00
Object.keys(change.modification).forEach(function (k) {
var mod = {};
mod[k] = change.modification[k];
changes.push(new Change({
operation: change.operation || change.type,
modification: mod
}));
});
2011-08-04 20:32:01 +00:00
}
if (change instanceof Change) {
changes.push(change);
} else if (Array.isArray(change)) {
2012-02-24 00:02:52 +00:00
change.forEach(function (c) {
if (c instanceof Change) {
changes.push(c);
} else {
changeFromObject(c);
}
});
} else {
changeFromObject(change);
}
if (typeof (controls) === 'function') {
2011-08-04 20:32:01 +00:00
callback = controls;
controls = [];
} else {
2012-01-24 17:43:46 +00:00
controls = validateControls(controls);
2011-08-04 20:32:01 +00:00
}
if (typeof (callback) !== 'function')
2011-08-04 20:32:01 +00:00
throw new TypeError('callback (function) required');
var req = new ModifyRequest({
object: dn.parse(name),
changes: changes,
2011-08-04 20:32:01 +00:00
controls: controls
});
return this._send(req, [errors.LDAP_SUCCESS], null, callback);
2011-08-04 20:32:01 +00:00
};
/**
* Performs an LDAP modifyDN against the server.
*
* This does not allow you to keep the old DN, as while the LDAP protocol
* has a facility for that, it's stupid. Just Search/Add.
*
* This will automatically deal with "new superior" logic.
*
* @param {String} name the DN of the entry to modify.
* @param {String} newName the new DN to move this entry to.
* @param {Control} controls (optional) either a Control or [Control].
* @param {Function} callback of the form f(err, res).
* @throws {TypeError} on invalid input.
*/
Client.prototype.modifyDN = function modifyDN(name,
newName,
controls,
callback) {
if (typeof (name) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('name (string) required');
if (typeof (newName) !== 'string')
2011-08-04 20:32:01 +00:00
throw new TypeError('newName (string) required');
if (typeof (controls) === 'function') {
2011-08-04 20:32:01 +00:00
callback = controls;
controls = [];
} else {
2012-01-24 17:43:46 +00:00
controls = validateControls(controls);
2011-08-04 20:32:01 +00:00
}
if (typeof (callback) !== 'function')
2011-08-04 20:32:01 +00:00
throw new TypeError('callback (function) required');
var DN = dn.parse(name);
var newDN = dn.parse(newName);
var req = new ModifyDNRequest({
entry: DN,
deleteOldRdn: true,
controls: controls
});
if (newDN.length !== 1) {
req.newRdn = dn.parse(newDN.rdns.shift().toString());
req.newSuperior = newDN;
} else {
req.newRdn = newDN;
}
return this._send(req, [errors.LDAP_SUCCESS], null, callback);
2011-08-04 20:32:01 +00:00
};
/**
* Performs an LDAP search against the server.
*
* Note that the defaults for options are a 'base' search, if that's what
* you want you can just pass in a string for options and it will be treated
* as the search filter. Also, you can either pass in programatic Filter
* objects or a filter string as the filter option.
*
* Note that this method is 'special' in that the callback 'res' param will
* have two important events on it, namely 'entry' and 'end' that you can hook
* to. The former will emit a SearchEntry object for each record that comes
* back, and the latter will emit a normal LDAPResult object.
*
* @param {String} base the DN in the tree to start searching at.
* @param {Object} options parameters:
* - {String} scope default of 'base'.
* - {String} filter default of '(objectclass=*)'.
* - {Array} attributes [string] to return.
* - {Boolean} attrsOnly whether to return values.
* @param {Control} controls (optional) either a Control or [Control].
* @param {Function} callback of the form f(err, res).
* @throws {TypeError} on invalid input.
*/
Client.prototype.search = function search(base, options, controls, callback) {
if (typeof (base) !== 'string' && !(base instanceof dn.DN))
2011-08-04 20:32:01 +00:00
throw new TypeError('base (string) required');
if (Array.isArray(options) || (options instanceof Control)) {
controls = options;
options = {};
} else if (typeof (options) === 'function') {
2011-08-04 20:32:01 +00:00
callback = options;
controls = [];
options = {
filter: new PresenceFilter({attribute: 'objectclass'})
};
} else if (typeof (options) === 'string') {
2011-08-04 20:32:01 +00:00
options = {filter: filters.parseString(options)};
} else if (typeof (options) !== 'object') {
2011-08-04 20:32:01 +00:00
throw new TypeError('options (object) required');
}
if (typeof (options.filter) === 'string') {
options.filter = filters.parseString(options.filter);
} else if (!options.filter) {
options.filter = new PresenceFilter({attribute: 'objectclass'});
} else if (!(options.filter instanceof Filter)) {
2011-08-04 20:32:01 +00:00
throw new TypeError('options.filter (Filter) required');
}
if (typeof (controls) === 'function') {
2011-08-04 20:32:01 +00:00
callback = controls;
controls = [];
} else {
2011-09-16 16:06:07 +00:00
controls = validateControls(controls);
2011-08-04 20:32:01 +00:00
}
if (typeof (callback) !== 'function')
2011-08-04 20:32:01 +00:00
throw new TypeError('callback (function) required');
if (options.attributes) {
if (!Array.isArray(options.attributes)) {
if (typeof (options.attributes) === 'string') {
options.attributes = [options.attributes];
} else {
throw new TypeError('options.attributes must be an Array of Strings');
}
}
}
2011-08-04 20:32:01 +00:00
var req = new SearchRequest({
baseObject: typeof (base) === 'string' ? dn.parse(base) : base,
2011-08-04 20:32:01 +00:00
scope: options.scope || 'base',
filter: options.filter,
derefAliases: Protocol.NEVER_DEREF_ALIASES,
sizeLimit: options.sizeLimit || 0,
timeLimit: options.timeLimit || 10,
typesOnly: options.typesOnly || false,
2011-09-16 16:06:07 +00:00
attributes: options.attributes || [],
controls: controls
2011-08-04 20:32:01 +00:00
});
return this._send(req, [errors.LDAP_SUCCESS], new EventEmitter(), callback);
2011-08-04 20:32:01 +00:00
};
/**
* Unbinds this client from the LDAP server.
*
* Note that unbind does not have a response, so this callback is actually
* optional; either way, the client is disconnected.
*
* @param {Function} callback of the form f(err).
* @throws {TypeError} if you pass in callback as not a function.
*/
Client.prototype.unbind = function unbind(callback) {
2011-08-04 20:32:01 +00:00
if (!callback)
2012-02-24 00:02:52 +00:00
callback = function () {};
2011-08-04 20:32:01 +00:00
if (typeof (callback) !== 'function')
throw new TypeError('callback must be a function');
2011-09-26 23:45:49 +00:00
if (!this.connection)
2011-11-09 22:55:13 +00:00
return callback();
2011-08-04 20:32:01 +00:00
var req = new UnbindRequest();
return this._send(req, 'unbind', null, callback);
2011-08-04 20:32:01 +00:00
};
/**
* Connects this client, either at construct time, or after an unbind has
* been called. Under normal circumstances you don't need to call this method.
*
* @param {Function} (optional) callback invoked when `connect` is emitted.
*/
Client.prototype.connect = function connect(callback) {
var c = null;
var log = this.log;
var opts = this.connectOptions;
var proto = this.secure ? tls : net;
2011-08-04 20:32:01 +00:00
var self = this;
var timer = false;
2012-01-24 17:43:46 +00:00
c = proto.connect(opts.port, opts.host);
2011-08-04 20:32:01 +00:00
if (this.connectTimeout) {
2012-02-24 00:02:52 +00:00
timer = setTimeout(function () {
c.destroy();
self.emit('connectTimeout', new ConnectionError('timeout'));
}, this.connectTimeout);
}
2011-09-26 23:45:49 +00:00
if (typeof (c.setKeepAlive) !== 'function') {
c.setKeepAlive = function setKeepAlive(enable, delay) {
return c.socket ? c.socket.setKeepAlive(enable, delay) : false;
};
2011-09-26 23:45:49 +00:00
}
c.ldap = {
id: self.url ? self.url.href : opts.socketPath,
2011-09-26 23:45:49 +00:00
messageID: 0,
messages: {},
get nextMessageID() {
if (++c.ldap.messageID >= MAX_MSGID)
c.ldap.messageID = 1;
return c.ldap.messageID;
},
parser: new Parser({
log: self.log
})
2011-09-26 23:45:49 +00:00
};
2012-02-24 00:02:52 +00:00
c.on('connect', function () {
if (timer)
clearTimeout(timer);
assert.ok(c.ldap);
c.ldap.id += c.fd ? (':' + c.fd) : '';
2012-02-18 08:54:22 +00:00
if (log.trace())
2011-11-11 18:08:48 +00:00
log.trace('%s connect event', c.ldap.id);
2011-09-26 23:45:49 +00:00
self.connection = c;
self.emit('connect', c);
return (typeof (callback) === 'function' ? callback(null, c) : false);
2011-09-26 23:45:49 +00:00
});
2012-02-24 00:02:52 +00:00
c.on('end', function () {
2012-02-18 08:54:22 +00:00
if (log.trace())
2011-09-26 23:45:49 +00:00
log.trace('%s end event', c.ldap.id);
c.end();
2011-09-26 23:45:49 +00:00
});
// On close we have to walk the outstanding messages and go invoke their
// callback with an error
2012-02-24 00:02:52 +00:00
c.on('close', function (had_err) {
2012-02-18 08:54:22 +00:00
if (log.trace())
2011-09-26 23:45:49 +00:00
log.trace('%s close event had_err=%s', c.ldap.id, had_err ? 'yes' : 'no');
2012-02-24 00:02:52 +00:00
Object.keys(c.ldap.messages).forEach(function (msgid) {
2011-11-08 21:10:39 +00:00
var err;
if (c.unbindMessageID !== parseInt(msgid, 10)) {
err = new ConnectionError(c.ldap.id + ' closed');
} else {
err = new UnbindResponse({
2011-11-11 18:08:48 +00:00
messageID: msgid
2011-11-08 21:10:39 +00:00
});
err.status = 'unbind';
}
if (typeof (c.ldap.messages[msgid]) === 'function') {
2011-11-08 21:10:39 +00:00
var callback = c.ldap.messages[msgid];
2011-09-26 23:45:49 +00:00
delete c.ldap.messages[msgid];
2011-11-08 21:10:39 +00:00
return callback(err);
2011-09-26 23:45:49 +00:00
} else if (c.ldap.messages[msgid]) {
2011-11-08 21:10:39 +00:00
if (err instanceof Error)
c.ldap.messages[msgid].emit('error', err);
delete c.ldap.messages[msgid];
2011-09-26 23:45:49 +00:00
}
2011-11-08 21:10:39 +00:00
delete c.ldap.parser;
delete c.ldap;
2012-01-24 17:43:46 +00:00
return false;
});
2011-09-26 23:45:49 +00:00
});
2012-02-24 00:02:52 +00:00
c.on('error', function (err) {
2012-02-18 08:54:22 +00:00
if (log.trace())
log.trace({err: err}, '%s error event', c.ldap.id);
2011-09-26 23:45:49 +00:00
if (self.listeners('error').length)
self.emit('error', err);
2011-09-26 23:45:49 +00:00
c.end();
});
2012-02-24 00:02:52 +00:00
c.on('timeout', function () {
2012-02-18 08:54:22 +00:00
if (log.trace())
2011-09-26 23:45:49 +00:00
log.trace('%s timeout event=%s', c.ldap.id);
self.emit('timeout');
2011-09-26 23:45:49 +00:00
c.end();
});
2012-02-24 00:02:52 +00:00
c.on('data', function (data) {
2012-02-18 08:54:22 +00:00
if (log.trace())
2011-09-26 23:45:49 +00:00
log.trace('%s data event: %s', c.ldap.id, util.inspect(data));
c.ldap.parser.write(data);
2011-09-26 23:45:49 +00:00
});
// The "router"
2012-02-24 00:02:52 +00:00
c.ldap.parser.on('message', function (message) {
2011-09-26 23:45:49 +00:00
message.connection = c;
var callback = c.ldap.messages[message.messageID];
2011-09-26 23:45:49 +00:00
if (!callback) {
log.error({message: message.json}, '%s: unsolicited message', c.ldap.id);
2012-01-24 17:43:46 +00:00
return false;
2011-09-26 23:45:49 +00:00
}
return callback(message);
});
2012-02-24 00:02:52 +00:00
c.ldap.parser.on('error', function (err) {
log.debug({err: err}, '%s parser error event', c.ldap.id, err);
2011-11-11 18:08:48 +00:00
if (self.listeners('error').length)
self.emit('error', err);
c.end();
});
2011-09-26 23:45:49 +00:00
return c;
};
Client.prototype._send = function _send(message, expect, emitter, callback) {
assert.ok(message);
assert.ok(expect);
assert.ok(typeof (emitter) !== undefined);
assert.ok(callback);
var conn = this.connection;
var self = this;
var timer = false;
if (!conn)
return callback(new ConnectionError('no socket'));
message.messageID = conn.ldap.nextMessageID;
conn.ldap.messages[message.messageID] = function messageCallback(res) {
if (timer)
clearTimeout(timer);
if (expect === 'abandon')
return callback(null);
if (self.log.debug())
self.log.debug({res: res.json}, '%s: response received', conn.ldap.id);
var err = null;
if (res instanceof LDAPResult) {
delete conn.ldap.messages[message.messageID];
if (expect.indexOf(res.status) === -1) {
err = errors.getError(res);
if (emitter)
return emitter.emit('error', err);
return callback(err);
}
if (emitter)
return emitter.emit('end', res);
return callback(null, res);
} else if (res instanceof SearchEntry || res instanceof SearchReference) {
assert.ok(emitter);
var event = res.constructor.name;
event = event[0].toLowerCase() + event.slice(1);
return emitter.emit(event, res);
} else if (res instanceof Error) {
if (emitter)
return emitter.emit('error', res);
return callback(res);
}
delete conn.ldap.messages[message.messageID];
err = new errors.ProtocolError(res.type);
if (emitter)
return emitter.emit('error', err);
return callback(err);
};
// If there's a user specified timeout, pick that up
if (this.timeout) {
2012-02-24 00:02:52 +00:00
timer = setTimeout(function () {
self.emit('timeout', message);
if (conn.ldap.messages[message.messageID]) {
conn.ldap.messages[message.messageID](new LDAPResult({
status: 80, // LDAP_OTHER
errorMessage: 'request timeout (client interrupt)'
}));
}
}, this.timeout);
}
try {
// Finally send some data
if (this.log.debug())
this.log.debug({msg: message.json}, '%s: sending request', conn.ldap.id);
return conn.write(message.toBer(), function writeCallback() {
if (expect === 'abandon') {
return callback(null);
} else if (expect === 'unbind') {
conn.unbindMessageID = message.id;
conn.end();
} else if (emitter) {
return callback(null, emitter);
}
return false;
});
} catch (e) {
if (timer)
clearTimeout(timer);
conn.destroy();
delete self.connection;
return callback(e);
}
};