Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Create inflightRequestThrottle plugin #1431

Merged
merged 7 commits into from Aug 7, 2017
Merged
Show file tree
Hide file tree
Changes from 3 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
25 changes: 25 additions & 0 deletions docs/api/plugins.md
Expand Up @@ -153,6 +153,13 @@ event, e.g., `server.on('after', plugins.metrics());`:
* `res` {Object} the response obj
* `route` {Object} the route obj that serviced the request

The module includes the following plugins to be used with restify's `pre` event:
* `inflightRequestThrottle(options)` - limits the max number of inflight requests
* `options.limit` {Number} the maximum number of simultaneous connections the server will handle before returning an error
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

options vs opts?

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Second this -- let's keep it consistent :)

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

s/simultaneous connections/inflight requests.

* `options.resp` {Error} An error that will be passed to `res.send` when the limit is reached.
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

what does resp stand for? Response? If so can use the convention of res?

* `options.resp.statusCode` {Number} The status code to return when the limit is reached.
* `options.server.inflightReuqests` {Function} Should return the number of active connections to the server

## Accept Parser

Parses out the `Accept` header, and ensures that the server can respond to what
Expand Down Expand Up @@ -439,6 +446,24 @@ uniform request distribution. To enable this, you can pass in
`options.tokensTable`, which is simply any Object that supports `put` and `get`
with a `String` key, and an `Object` value.

## Inflight Request Throttling

```js
const options = { limit: 600, server: server };
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The server property is not in docs. Do we need to pass in server or should we be only passing in the specific properties that the throttle plugin needs?

options.resp = new require('restify-errors').InternalServerError();
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Since people copy paste snippets all the time, we should hoist the require up to the top and then call new on the constructor. Additionally, I thought this was a response? Why is it now an error object?

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Errors get serialized by res.__send

server.pre(restify.plugins.inflightRequestThrottle(options));
```

The `inflightRequestThrottle` module allows you to specify an upper limit to
the maximum number of inflight requests your server is able to handle. This
is a simple heuristic for protecting against event loop contention between
requests causing unacceptable latencies.

The custom response is optional, and allows you to specify your own response
and status code when rejecting incoming requests due to too many inflight
requests. It defaults to `503 ServiceUnavailableError`.


## Conditional Request Handler

```js
Expand Down
1 change: 1 addition & 0 deletions lib/plugins/index.js
Expand Up @@ -25,6 +25,7 @@ module.exports = {
serveStatic: require('./static'),
throttle: require('./throttle'),
urlEncodedBodyParser: require('./formBodyParser'),
inflightRequestThrottle: require('./inflightRequestThrottle'),
Copy link
Member

@yunong yunong Aug 3, 2017

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

We generally sort these alphabetically -- so please do that. And yes it'd be awesome if we had a lint rule for this, but we don't yet :(



pre: {
Expand Down
66 changes: 66 additions & 0 deletions lib/plugins/inflightRequestThrottle.js
@@ -0,0 +1,66 @@
'use strict';

var assert = require('assert-plus');
var ServiceUnavailableError = require('restify-errors').ServiceUnavailableError;
var defaultResponse = new ServiceUnavailableError('resource exhausted');

/**
* inflightRequestThrottle
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

You may want to specify both here and in docs that users should register this plugin first as order matters and you want the throttle check to occur as early as possible.

*
* @param {Object} opts configure this plugin
* @param {Number} opts.limit maximum number of simultanenous
* connections the server will handle before returning an error
* @param {Error} opts.resp the error object to pass to res.send when the
* maximum concurrency is exceeded
* @param {Number} opts.resp.statusCode the status code to return when the
* maximum concurrency is exceeded
* @param {Function} opts.server.inflightRequests A function that, when
* invoked, returns the number of requests currently being handled by the
* server.
* @returns {Function} middleware to be registered on server.pre
*/
function inflightRequestThrottle (opts) {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Does this class need a constructor? Generally, the pattern for plugins in restify has been to use a closure, and obviating the need for a constructor. Can we keep it consistent and do that here? We can of course, debate closure vs constructor trade offs at another point in time. Here's an example: https://github.com/restify/node-restify/blob/5.x/lib/plugins/metrics.js#L23

// Be nice to our users and let them drop the `new` keyword
if (!(this instanceof inflightRequestThrottle)) {
return new inflightRequestThrottle(opts); //jscs:ignore
}
var self = this;

// Scrub input and populate our configuration
assert.object(opts, 'opts');
assert.number(opts.limit, 'opts.limit');
assert.object(opts.server, 'opts.server');
assert.func(opts.server.inflightRequests, 'opts.server.inflightRequests');

if (opts.resp !== undefined && opts.resp !== null) {
assert.ok(opts.resp instanceof Error, 'opts.resp must be an error');
assert.optionalNumber(opts.resp.statusCode, 'opts.resp.statusCode');
}

self._resp = opts.resp || defaultResponse;
self._limit = opts.limit;
self._server = opts.server;

// We need to bind in order to keep our `this` context when passed back
// out of the constructor.
return self.onRequest.bind(self);
}

inflightRequestThrottle.prototype.onRequest =
function onRequest (req, res, next) {
var self = this;
var inflightRequests = self._server.inflightRequests();

if (inflightRequests > self._limit) {
req.log.trace({
plugin: 'inflightRequestThrottle',
inflightRequests: inflightRequests,
limit: self._limit
}, 'maximum inflight requests exceeded, rejecting request');
return res.send(self._resp);
}

return next();
};

module.exports = inflightRequestThrottle;
119 changes: 119 additions & 0 deletions test/plugins/inflightRequestThrottle.test.js
@@ -0,0 +1,119 @@
'use strict';

var assert = require('chai').assert;
var restify = require('../../lib/index.js');
var restifyClients = require('restify-clients');
var P = restify.plugins.inflightRequestThrottle;
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Why P?

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Line length in the tests, it stands for Plugin. I will try something else though, single letter variables feel wrong.


function fakeServer(count) {
return {
inflightRequests: function () {
return count;
}
};
}

describe('inlfightRequestThrottle', function () {

it('Unit: Should shed load', function (done) {
var logged = false;
var p = P({ server: fakeServer(10), limit: 1 });
function send (body) {
assert(logged, 'Should have emitted a log');
assert.equal(body.statusCode, 503, 'Defaults to 503 status');
assert(body instanceof Error, 'Defaults to error body');
done();
}
function next () {
assert(false, 'Should not call next');
done();
}
function trace () {
logged = true;
}
var log = { trace: trace };
var fakeReq = { log: log };
p(fakeReq, { send: send }, next);
});

it('Unit: Should support custom response', function (done) {
var server = fakeServer(10);
var resp = new Error('foo');
var p = P({ server: server, limit: 1, resp: resp });
function send (body) {
assert.equal(body, resp, 'Overrides body');
done();
}
function next () {
assert(false, 'Should not call next');
done();
}
var fakeReq = { log : { trace: function () {} } };
p(fakeReq, { send: send }, next);
});

it('Unit: Should let request through when not under load', function (done) {
var p = P({ server: fakeServer(1), limit: 2 });
function send () {
assert(false, 'Should not call send');
done();
}
function next () {
assert(true, 'Should call next');
done();
}
var fakeReq = { log : { trace: function () {} } };
p(fakeReq, { send: send }, next);
});

it('Integration: Should shed load', function (done) {
var server = restify.createServer();
var client = {
close: function () {}
};
var isDone = false;
var to;
function finish() {
if (isDone) {
return null;
}
clearTimeout(to);
isDone = true;
client.close();
server.close();
return done();
}
to = setTimeout(finish, 2000);
var resp = new Error('foo');
resp.statusCode = 555;
server.pre(P({ server: server, limit: 1, resp: resp }));
var RESP;
server.get('/foo', function (req, res) {
if (RESP) {
res.send(999);
} else {
RESP = res;
}
});
server.listen(0, '127.0.0.1', function () {
client = restifyClients.createJsonClient({
url: 'http://127.0.0.1:' + server.address().port,
retry: false
});
client.get({ path: '/foo' }, function (e, _, res) {
assert(e === null || e === undefined,
'First request isnt shed');
assert.equal(res.statusCode, 200, '200 returned on success');
finish();
});
client.get({ path: '/foo' }, function (e, _, res) {
assert(e, 'Second request is shed');
assert.equal(e.name,
'InternalServerError', 'Default err returned');
assert.equal(res.statusCode, 555,
'Default shed status code returned');
RESP.send(200);
});
});
});
});