fix: use socket pooling for http requests in Node.js (#12480)

This commit is contained in:
Justin Starry 2020-09-25 23:52:01 +08:00 committed by GitHub
parent 1c970bb39f
commit c94813e436
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
3 changed files with 84 additions and 0 deletions

View File

@ -0,0 +1,38 @@
// @flow
import {Agent} from 'http';
export const DESTROY_TIMEOUT_MS = 5000;
export class AgentManager {
_agent: Agent = AgentManager._newAgent();
_activeRequests = 0;
_destroyTimeout: TimeoutID | null = null;
static _newAgent(): Agent {
return new Agent({keepAlive: true, maxSockets: 25});
}
requestStart(): Agent {
// $FlowExpectedError - Don't manage agents in the browser
if (process.browser) return;
this._activeRequests++;
clearTimeout(this._destroyTimeout);
this._destroyTimeout = null;
return this._agent;
}
requestEnd() {
// $FlowExpectedError - Don't manage agents in the browser
if (process.browser) return;
this._activeRequests--;
if (this._activeRequests === 0 && this._destroyTimeout === null) {
this._destroyTimeout = setTimeout(() => {
this._agent.destroy();
this._agent = AgentManager._newAgent();
}, DESTROY_TIMEOUT_MS);
}
}
}

View File

@ -20,6 +20,7 @@ import type {Blockhash} from './blockhash';
import type {FeeCalculator} from './fee-calculator';
import type {Account} from './account';
import type {TransactionSignature} from './transaction';
import {AgentManager} from './agent-manager';
export const BLOCKHASH_CACHE_TIMEOUT_MS = 30 * 1000;
@ -502,10 +503,13 @@ type ConfirmedBlock = {
};
function createRpcRequest(url): RpcRequest {
const agentManager = new AgentManager();
const server = jayson(async (request, callback) => {
const agent = agentManager.requestStart();
const options = {
method: 'POST',
body: request,
agent,
headers: {
'Content-Type': 'application/json',
},
@ -539,6 +543,8 @@ function createRpcRequest(url): RpcRequest {
}
} catch (err) {
callback(err);
} finally {
agentManager.requestEnd();
}
});

View File

@ -0,0 +1,40 @@
// @flow
import {AgentManager, DESTROY_TIMEOUT_MS} from '../src/agent-manager';
import {sleep} from '../src/util/sleep';
jest.setTimeout(10 * 1000);
test('agent manager', async () => {
const manager = new AgentManager();
const agent = manager._agent;
expect(manager._activeRequests).toBe(0);
expect(manager._destroyTimeout).toBeNull();
manager.requestStart();
expect(manager._activeRequests).toBe(1);
expect(manager._destroyTimeout).toBeNull();
manager.requestEnd();
expect(manager._activeRequests).toBe(0);
expect(manager._destroyTimeout).not.toBeNull();
manager.requestStart();
manager.requestStart();
expect(manager._activeRequests).toBe(2);
expect(manager._destroyTimeout).toBeNull();
manager.requestEnd();
manager.requestEnd();
expect(manager._activeRequests).toBe(0);
expect(manager._destroyTimeout).not.toBeNull();
expect(manager._agent).toBe(agent);
await sleep(DESTROY_TIMEOUT_MS);
expect(manager._agent).not.toBe(agent);
});