-
Notifications
You must be signed in to change notification settings - Fork 476
/
channel.js
499 lines (443 loc) · 14.7 KB
/
channel.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
//
//
//
// Channel machinery.
'use strict';
var defs = require('./defs');
var closeMsg = require('./format').closeMessage;
var inspect = require('./format').inspect;
var methodName = require('./format').methodName;
var assert = require('assert');
var inherits = require('util').inherits;
var EventEmitter = require('events').EventEmitter;
var fmt = require('util').format;
var IllegalOperationError = require('./error').IllegalOperationError;
var stackCapture = require('./error').stackCapture;
function Channel(connection) {
EventEmitter.call( this );
this.connection = connection;
// for the presently outstanding RPC
this.reply = null;
// for the RPCs awaiting action
this.pending = [];
// for unconfirmed messages
this.lwm = 1; // the least, unconfirmed deliveryTag
this.unconfirmed = []; // rolling window of delivery callbacks
this.on('ack', this.handleConfirm.bind(this, function(cb) {
if (cb) cb(null);
}));
this.on('nack', this.handleConfirm.bind(this, function(cb) {
if (cb) cb(new Error('message nacked'));
}));
this.on('close', function () {
var cb;
while (cb = this.unconfirmed.shift()) {
if (cb) cb(new Error('channel closed'));
}
})
// message frame state machine
this.handleMessage = acceptDeliveryOrReturn;
}
inherits(Channel, EventEmitter);
module.exports.Channel = Channel;
module.exports.acceptMessage = acceptMessage;
var C = Channel.prototype;
C.allocate = function() {
this.ch = this.connection.freshChannel(this);
return this;
}
// Incoming frames are either notifications of e.g., message delivery,
// or replies to something we've sent. In general I deal with the
// former by emitting an event, and with the latter by keeping a track
// of what's expecting a reply.
//
// The AMQP specification implies that RPCs can't be pipelined; that
// is, you can have only one outstanding RPC on a channel at a
// time. Certainly that's what RabbitMQ and its clients assume. For
// this reason, I buffer RPCs if the channel is already waiting for a
// reply.
// Just send the damn frame.
C.sendImmediately = function(method, fields) {
return this.connection.sendMethod(this.ch, method, fields);
};
// Invariant: !this.reply -> pending.length == 0. That is, whenever we
// clear a reply, we must send another RPC (and thereby fill
// this.reply) if there is one waiting. The invariant relevant here
// and in `accept`.
C.sendOrEnqueue = function(method, fields, reply) {
if (!this.reply) { // if no reply waiting, we can go
assert(this.pending.length === 0);
this.reply = reply;
this.sendImmediately(method, fields);
}
else {
this.pending.push({method: method,
fields: fields,
reply: reply});
}
};
C.sendMessage = function(fields, properties, content) {
return this.connection.sendMessage(
this.ch,
defs.BasicPublish, fields,
defs.BasicProperties, properties,
content);
};
// Internal, synchronously resolved RPC; the return value is resolved
// with the whole frame.
C._rpc = function(method, fields, expect, cb) {
var self = this;
function reply(err, f) {
if (err === null) {
if (f.id === expect) {
return cb(null, f);
}
else {
// We have detected a problem, so it's up to us to close the
// channel
var expectedName = methodName(expect);
var e = new Error(fmt("Expected %s; got %s",
expectedName, inspect(f, false)));
self.closeWithError(f.id, fmt('Expected %s; got %s',
expectedName, methodName(f.id)),
defs.constants.UNEXPECTED_FRAME, e);
return cb(e);
}
}
// An error will be given if, for example, this is waiting to be
// sent and the connection closes
else if (err instanceof Error) return cb(err);
// A close frame will be given if this is the RPC awaiting reply
// and the channel is closed by the server
else {
// otherwise, it's a close frame
var closeReason =
(err.fields.classId << 16) + err.fields.methodId;
var e = (method === closeReason)
? fmt("Operation failed: %s; %s",
methodName(method), closeMsg(err))
: fmt("Channel closed by server: %s", closeMsg(err));
var closeFrameError = new Error(e);
closeFrameError.code = err.fields.replyCode;
closeFrameError.classId = err.fields.classId;
closeFrameError.methodId = err.fields.methodId;
return cb(closeFrameError);
}
}
this.sendOrEnqueue(method, fields, reply);
};
// Shutdown protocol. There's three scenarios:
//
// 1. The application decides to shut the channel
// 2. The server decides to shut the channel, possibly because of
// something the application did
// 3. The connection is closing, so there won't be any more frames
// going back and forth.
//
// 1 and 2 involve an exchange of method frames (Close and CloseOk),
// while 3 doesn't; the connection simply says "shutdown" to the
// channel, which then acts as if it's closing, without going through
// the exchange.
function invalidOp(msg, stack) {
return function() {
throw new IllegalOperationError(msg, stack);
};
}
function invalidateSend(ch, msg, stack) {
ch.sendImmediately = ch.sendOrEnqueue = ch.sendMessage =
invalidOp(msg, stack);
}
// Move to entirely closed state.
C.toClosed = function(capturedStack) {
this._rejectPending();
invalidateSend(this, 'Channel closed', capturedStack);
this.accept = invalidOp('Channel closed', capturedStack);
this.connection.releaseChannel(this.ch);
this.emit('close');
};
// Stop being able to send and receive methods and content. Used when
// we close the channel. Invokes the continuation once the server has
// acknowledged the close, but before the channel is moved to the
// closed state.
C.toClosing = function(capturedStack, k) {
var send = this.sendImmediately.bind(this);
invalidateSend(this, 'Channel closing', capturedStack);
this.accept = function(f) {
if (f.id === defs.ChannelCloseOk) {
if (k) k();
var s = stackCapture('ChannelCloseOk frame received');
this.toClosed(s);
}
else if (f.id === defs.ChannelClose) {
send(defs.ChannelCloseOk, {});
}
// else ignore frame
};
};
C._rejectPending = function() {
function rej(r) {
r(new Error("Channel ended, no reply will be forthcoming"));
}
if (this.reply !== null) rej(this.reply);
this.reply = null;
var discard;
while (discard = this.pending.shift()) rej(discard.reply);
this.pending = null; // so pushes will break
};
C.closeBecause = function(reason, code, k) {
this.sendImmediately(defs.ChannelClose, {
replyText: reason,
replyCode: code,
methodId:0, classId: 0
});
var s = stackCapture('closeBecause called: ' + reason);
this.toClosing(s, k);
};
// If we close because there's been an error, we need to distinguish
// between what we tell the server (`reason`) and what we report as
// the cause in the client (`error`).
C.closeWithError = function(id, reason, code, error) {
var self = this;
this.closeBecause(reason, code, function() {
error.code = code;
// content frames and consumer errors do not provide a method a class/method ID
if (id) {
error.classId = defs.info(id).classId;
error.methodId = defs.info(id).methodId;
}
self.emit('error', error);
});
};
// A trampolining state machine for message frames on a channel. A
// message arrives in at least two frames: first, a method announcing
// the message (either a BasicDeliver or BasicGetOk); then, a message
// header with the message properties; then, zero or more content
// frames.
// Keep the try/catch localised, in an attempt to avoid disabling
// optimisation
C.acceptMessageFrame = function(f) {
try {
this.handleMessage = this.handleMessage(f);
}
catch (msg) {
if (typeof msg === 'string') {
this.closeWithError(f.id, msg, defs.constants.UNEXPECTED_FRAME,
new Error(msg));
}
else if (msg instanceof Error) {
this.closeWithError(f.id, 'Error while processing message',
defs.constants.INTERNAL_ERROR, msg);
}
else {
this.closeWithError(f.id, 'Internal error while processing message',
defs.constants.INTERNAL_ERROR,
new Error(msg.toString()));
}
}
};
// Kick off a message delivery given a BasicDeliver or BasicReturn
// frame (BasicGet uses the RPC mechanism)
function acceptDeliveryOrReturn(f) {
var event;
if (f.id === defs.BasicDeliver) event = 'delivery';
else if (f.id === defs.BasicReturn) event = 'return';
else throw fmt("Expected BasicDeliver or BasicReturn; got %s",
inspect(f));
var self = this;
var fields = f.fields;
return acceptMessage(function(message) {
message.fields = fields;
self.emit(event, message);
});
}
// Move to the state of waiting for message frames (headers, then
// one or more content frames)
function acceptMessage(continuation) {
var totalSize = 0, remaining = 0;
var buffers = null;
var message = {
fields: null,
properties: null,
content: null
};
return headers;
// expect a headers frame
function headers(f) {
if (f.id === defs.BasicProperties) {
message.properties = f.fields;
totalSize = remaining = f.size;
// for zero-length messages, content frames aren't required.
if (totalSize === 0) {
message.content = Buffer.alloc(0);
continuation(message);
return acceptDeliveryOrReturn;
}
else {
return content;
}
}
else {
throw "Expected headers frame after delivery";
}
}
// expect a content frame
// %%% TODO cancelled messages (sent as zero-length content frame)
function content(f) {
if (f.content) {
var size = f.content.length;
remaining -= size;
if (remaining === 0) {
if (buffers !== null) {
buffers.push(f.content);
message.content = Buffer.concat(buffers);
}
else {
message.content = f.content;
}
continuation(message);
return acceptDeliveryOrReturn;
}
else if (remaining < 0) {
throw fmt("Too much content sent! Expected %d bytes",
totalSize);
}
else {
if (buffers !== null)
buffers.push(f.content);
else
buffers = [f.content];
return content;
}
}
else throw "Expected content frame after headers"
}
}
C.handleConfirm = function(handle, f) {
var tag = f.deliveryTag;
var multi = f.multiple;
if (multi) {
var confirmed = this.unconfirmed.splice(0, tag - this.lwm + 1);
this.lwm = tag + 1;
confirmed.forEach(handle);
}
else {
var c;
if (tag === this.lwm) {
c = this.unconfirmed.shift();
this.lwm++;
// Advance the LWM and the window to the next non-gap, or
// possibly to the end
while (this.unconfirmed[0] === null) {
this.unconfirmed.shift();
this.lwm++;
}
}
else {
c = this.unconfirmed[tag - this.lwm];
this.unconfirmed[tag - this.lwm] = null;
}
// Technically, in the single-deliveryTag case, I should report a
// protocol breach if it's already been confirmed.
handle(c);
}
};
C.pushConfirmCallback = function(cb) {
// `null` is used specifically for marking already confirmed slots,
// so I coerce `undefined` and `null` to false; functions are never
// falsey.
this.unconfirmed.push(cb || false);
};
// Interface for connection to use
C.accept = function(f) {
switch (f.id) {
// Message frames
case undefined: // content frame!
case defs.BasicDeliver:
case defs.BasicReturn:
case defs.BasicProperties:
return this.acceptMessageFrame(f);
// confirmations, need to do confirm.select first
case defs.BasicAck:
return this.emit('ack', f.fields);
case defs.BasicNack:
return this.emit('nack', f.fields);
case defs.BasicCancel:
// The broker can send this if e.g., the queue is deleted.
return this.emit('cancel', f.fields);
case defs.ChannelClose:
// Any remote closure is an error to us. Reject the pending reply
// with the close frame, so it can see whether it was that
// operation that caused it to close.
if (this.reply) {
var reply = this.reply; this.reply = null;
reply(f);
}
var emsg = "Channel closed by server: " + closeMsg(f);
this.sendImmediately(defs.ChannelCloseOk, {});
var error = new Error(emsg);
error.code = f.fields.replyCode;
error.classId = f.fields.classId;
error.methodId = f.fields.methodId;
this.emit('error', error);
var s = stackCapture(emsg);
this.toClosed(s);
return;
case defs.BasicFlow:
// RabbitMQ doesn't send this, it just blocks the TCP socket
return this.closeWithError(f.id, "Flow not implemented",
defs.constants.NOT_IMPLEMENTED,
new Error('Flow not implemented'));
default: // assume all other things are replies
// Resolving the reply may lead to another RPC; to make sure we
// don't hold that up, clear this.reply
var reply = this.reply; this.reply = null;
// however, maybe there's an RPC waiting to go? If so, that'll
// fill this.reply again, restoring the invariant. This does rely
// on any response being recv'ed after resolving the promise,
// below; hence, I use synchronous defer.
if (this.pending.length > 0) {
var send = this.pending.shift();
this.reply = send.reply;
this.sendImmediately(send.method, send.fields);
}
return reply(null, f);
}
};
C.onBufferDrain = function() {
this.emit('drain');
};
// This adds just a bit more stuff useful for the APIs, but not
// low-level machinery.
function BaseChannel(connection) {
Channel.call(this, connection);
this.consumers = new Map();
}
inherits(BaseChannel, Channel);
module.exports.BaseChannel = BaseChannel;
// Not sure I like the ff, it's going to be changing hidden classes
// all over the place. On the other hand, whaddya do.
BaseChannel.prototype.registerConsumer = function(tag, callback) {
this.consumers.set(tag, callback);
};
BaseChannel.prototype.unregisterConsumer = function(tag) {
this.consumers.delete(tag);
};
BaseChannel.prototype.dispatchMessage = function(fields, message) {
var consumerTag = fields.consumerTag;
var consumer = this.consumers.get(consumerTag);
if (consumer) {
return consumer(message);
}
else {
// %%% Surely a race here
throw new Error("Unknown consumer: " + consumerTag);
}
};
BaseChannel.prototype.handleDelivery = function(message) {
return this.dispatchMessage(message.fields, message);
};
BaseChannel.prototype.handleCancel = function(fields) {
var result = this.dispatchMessage(fields, null);
this.unregisterConsumer(fields.consumerTag);
return result;
};