725 lines
27 KiB
JavaScript
725 lines
27 KiB
JavaScript
'use strict';
|
|
|
|
var protocolHttp = require('@smithy/protocol-http');
|
|
var querystringBuilder = require('@smithy/querystring-builder');
|
|
var http = require('http');
|
|
var https = require('https');
|
|
var stream = require('stream');
|
|
var http2 = require('http2');
|
|
|
|
const NODEJS_TIMEOUT_ERROR_CODES = ["ECONNRESET", "EPIPE", "ETIMEDOUT"];
|
|
|
|
const getTransformedHeaders = (headers) => {
|
|
const transformedHeaders = {};
|
|
for (const name of Object.keys(headers)) {
|
|
const headerValues = headers[name];
|
|
transformedHeaders[name] = Array.isArray(headerValues) ? headerValues.join(",") : headerValues;
|
|
}
|
|
return transformedHeaders;
|
|
};
|
|
|
|
const timing = {
|
|
setTimeout: (cb, ms) => setTimeout(cb, ms),
|
|
clearTimeout: (timeoutId) => clearTimeout(timeoutId),
|
|
};
|
|
|
|
const DEFER_EVENT_LISTENER_TIME$2 = 1000;
|
|
const setConnectionTimeout = (request, reject, timeoutInMs = 0) => {
|
|
if (!timeoutInMs) {
|
|
return -1;
|
|
}
|
|
const registerTimeout = (offset) => {
|
|
const timeoutId = timing.setTimeout(() => {
|
|
request.destroy();
|
|
reject(Object.assign(new Error(`@smithy/node-http-handler - the request socket did not establish a connection with the server within the configured timeout of ${timeoutInMs} ms.`), {
|
|
name: "TimeoutError",
|
|
}));
|
|
}, timeoutInMs - offset);
|
|
const doWithSocket = (socket) => {
|
|
if (socket?.connecting) {
|
|
socket.on("connect", () => {
|
|
timing.clearTimeout(timeoutId);
|
|
});
|
|
}
|
|
else {
|
|
timing.clearTimeout(timeoutId);
|
|
}
|
|
};
|
|
if (request.socket) {
|
|
doWithSocket(request.socket);
|
|
}
|
|
else {
|
|
request.on("socket", doWithSocket);
|
|
}
|
|
};
|
|
if (timeoutInMs < 2000) {
|
|
registerTimeout(0);
|
|
return 0;
|
|
}
|
|
return timing.setTimeout(registerTimeout.bind(null, DEFER_EVENT_LISTENER_TIME$2), DEFER_EVENT_LISTENER_TIME$2);
|
|
};
|
|
|
|
const setRequestTimeout = (req, reject, timeoutInMs = 0, throwOnRequestTimeout, logger) => {
|
|
if (timeoutInMs) {
|
|
return timing.setTimeout(() => {
|
|
let msg = `@smithy/node-http-handler - [${throwOnRequestTimeout ? "ERROR" : "WARN"}] a request has exceeded the configured ${timeoutInMs} ms requestTimeout.`;
|
|
if (throwOnRequestTimeout) {
|
|
const error = Object.assign(new Error(msg), {
|
|
name: "TimeoutError",
|
|
code: "ETIMEDOUT",
|
|
});
|
|
req.destroy(error);
|
|
reject(error);
|
|
}
|
|
else {
|
|
msg += ` Init client requestHandler with throwOnRequestTimeout=true to turn this into an error.`;
|
|
logger?.warn?.(msg);
|
|
}
|
|
}, timeoutInMs);
|
|
}
|
|
return -1;
|
|
};
|
|
|
|
const DEFER_EVENT_LISTENER_TIME$1 = 3000;
|
|
const setSocketKeepAlive = (request, { keepAlive, keepAliveMsecs }, deferTimeMs = DEFER_EVENT_LISTENER_TIME$1) => {
|
|
if (keepAlive !== true) {
|
|
return -1;
|
|
}
|
|
const registerListener = () => {
|
|
if (request.socket) {
|
|
request.socket.setKeepAlive(keepAlive, keepAliveMsecs || 0);
|
|
}
|
|
else {
|
|
request.on("socket", (socket) => {
|
|
socket.setKeepAlive(keepAlive, keepAliveMsecs || 0);
|
|
});
|
|
}
|
|
};
|
|
if (deferTimeMs === 0) {
|
|
registerListener();
|
|
return 0;
|
|
}
|
|
return timing.setTimeout(registerListener, deferTimeMs);
|
|
};
|
|
|
|
const DEFER_EVENT_LISTENER_TIME = 3000;
|
|
const setSocketTimeout = (request, reject, timeoutInMs = 0) => {
|
|
const registerTimeout = (offset) => {
|
|
const timeout = timeoutInMs - offset;
|
|
const onTimeout = () => {
|
|
request.destroy();
|
|
reject(Object.assign(new Error(`@smithy/node-http-handler - the request socket timed out after ${timeoutInMs} ms of inactivity (configured by client requestHandler).`), { name: "TimeoutError" }));
|
|
};
|
|
if (request.socket) {
|
|
request.socket.setTimeout(timeout, onTimeout);
|
|
request.on("close", () => request.socket?.removeListener("timeout", onTimeout));
|
|
}
|
|
else {
|
|
request.setTimeout(timeout, onTimeout);
|
|
}
|
|
};
|
|
if (0 < timeoutInMs && timeoutInMs < 6000) {
|
|
registerTimeout(0);
|
|
return 0;
|
|
}
|
|
return timing.setTimeout(registerTimeout.bind(null, timeoutInMs === 0 ? 0 : DEFER_EVENT_LISTENER_TIME), DEFER_EVENT_LISTENER_TIME);
|
|
};
|
|
|
|
const MIN_WAIT_TIME = 6_000;
|
|
async function writeRequestBody(httpRequest, request, maxContinueTimeoutMs = MIN_WAIT_TIME) {
|
|
const headers = request.headers ?? {};
|
|
const expect = headers["Expect"] || headers["expect"];
|
|
let timeoutId = -1;
|
|
let sendBody = true;
|
|
if (expect === "100-continue") {
|
|
sendBody = await Promise.race([
|
|
new Promise((resolve) => {
|
|
timeoutId = Number(timing.setTimeout(() => resolve(true), Math.max(MIN_WAIT_TIME, maxContinueTimeoutMs)));
|
|
}),
|
|
new Promise((resolve) => {
|
|
httpRequest.on("continue", () => {
|
|
timing.clearTimeout(timeoutId);
|
|
resolve(true);
|
|
});
|
|
httpRequest.on("response", () => {
|
|
timing.clearTimeout(timeoutId);
|
|
resolve(false);
|
|
});
|
|
httpRequest.on("error", () => {
|
|
timing.clearTimeout(timeoutId);
|
|
resolve(false);
|
|
});
|
|
}),
|
|
]);
|
|
}
|
|
if (sendBody) {
|
|
writeBody(httpRequest, request.body);
|
|
}
|
|
}
|
|
function writeBody(httpRequest, body) {
|
|
if (body instanceof stream.Readable) {
|
|
body.pipe(httpRequest);
|
|
return;
|
|
}
|
|
if (body) {
|
|
if (Buffer.isBuffer(body) || typeof body === "string") {
|
|
httpRequest.end(body);
|
|
return;
|
|
}
|
|
const uint8 = body;
|
|
if (typeof uint8 === "object" &&
|
|
uint8.buffer &&
|
|
typeof uint8.byteOffset === "number" &&
|
|
typeof uint8.byteLength === "number") {
|
|
httpRequest.end(Buffer.from(uint8.buffer, uint8.byteOffset, uint8.byteLength));
|
|
return;
|
|
}
|
|
httpRequest.end(Buffer.from(body));
|
|
return;
|
|
}
|
|
httpRequest.end();
|
|
}
|
|
|
|
const DEFAULT_REQUEST_TIMEOUT = 0;
|
|
class NodeHttpHandler {
|
|
config;
|
|
configProvider;
|
|
socketWarningTimestamp = 0;
|
|
metadata = { handlerProtocol: "http/1.1" };
|
|
static create(instanceOrOptions) {
|
|
if (typeof instanceOrOptions?.handle === "function") {
|
|
return instanceOrOptions;
|
|
}
|
|
return new NodeHttpHandler(instanceOrOptions);
|
|
}
|
|
static checkSocketUsage(agent, socketWarningTimestamp, logger = console) {
|
|
const { sockets, requests, maxSockets } = agent;
|
|
if (typeof maxSockets !== "number" || maxSockets === Infinity) {
|
|
return socketWarningTimestamp;
|
|
}
|
|
const interval = 15_000;
|
|
if (Date.now() - interval < socketWarningTimestamp) {
|
|
return socketWarningTimestamp;
|
|
}
|
|
if (sockets && requests) {
|
|
for (const origin in sockets) {
|
|
const socketsInUse = sockets[origin]?.length ?? 0;
|
|
const requestsEnqueued = requests[origin]?.length ?? 0;
|
|
if (socketsInUse >= maxSockets && requestsEnqueued >= 2 * maxSockets) {
|
|
logger?.warn?.(`@smithy/node-http-handler:WARN - socket usage at capacity=${socketsInUse} and ${requestsEnqueued} additional requests are enqueued.
|
|
See https://docs.aws.amazon.com/sdk-for-javascript/v3/developer-guide/node-configuring-maxsockets.html
|
|
or increase socketAcquisitionWarningTimeout=(millis) in the NodeHttpHandler config.`);
|
|
return Date.now();
|
|
}
|
|
}
|
|
}
|
|
return socketWarningTimestamp;
|
|
}
|
|
constructor(options) {
|
|
this.configProvider = new Promise((resolve, reject) => {
|
|
if (typeof options === "function") {
|
|
options()
|
|
.then((_options) => {
|
|
resolve(this.resolveDefaultConfig(_options));
|
|
})
|
|
.catch(reject);
|
|
}
|
|
else {
|
|
resolve(this.resolveDefaultConfig(options));
|
|
}
|
|
});
|
|
}
|
|
resolveDefaultConfig(options) {
|
|
const { requestTimeout, connectionTimeout, socketTimeout, socketAcquisitionWarningTimeout, httpAgent, httpsAgent, throwOnRequestTimeout, } = options || {};
|
|
const keepAlive = true;
|
|
const maxSockets = 50;
|
|
return {
|
|
connectionTimeout,
|
|
requestTimeout,
|
|
socketTimeout,
|
|
socketAcquisitionWarningTimeout,
|
|
throwOnRequestTimeout,
|
|
httpAgent: (() => {
|
|
if (httpAgent instanceof http.Agent || typeof httpAgent?.destroy === "function") {
|
|
return httpAgent;
|
|
}
|
|
return new http.Agent({ keepAlive, maxSockets, ...httpAgent });
|
|
})(),
|
|
httpsAgent: (() => {
|
|
if (httpsAgent instanceof https.Agent || typeof httpsAgent?.destroy === "function") {
|
|
return httpsAgent;
|
|
}
|
|
return new https.Agent({ keepAlive, maxSockets, ...httpsAgent });
|
|
})(),
|
|
logger: console,
|
|
};
|
|
}
|
|
destroy() {
|
|
this.config?.httpAgent?.destroy();
|
|
this.config?.httpsAgent?.destroy();
|
|
}
|
|
async handle(request, { abortSignal, requestTimeout } = {}) {
|
|
if (!this.config) {
|
|
this.config = await this.configProvider;
|
|
}
|
|
return new Promise((_resolve, _reject) => {
|
|
let writeRequestBodyPromise = undefined;
|
|
const timeouts = [];
|
|
const resolve = async (arg) => {
|
|
await writeRequestBodyPromise;
|
|
timeouts.forEach(timing.clearTimeout);
|
|
_resolve(arg);
|
|
};
|
|
const reject = async (arg) => {
|
|
await writeRequestBodyPromise;
|
|
timeouts.forEach(timing.clearTimeout);
|
|
_reject(arg);
|
|
};
|
|
if (!this.config) {
|
|
throw new Error("Node HTTP request handler config is not resolved");
|
|
}
|
|
if (abortSignal?.aborted) {
|
|
const abortError = new Error("Request aborted");
|
|
abortError.name = "AbortError";
|
|
reject(abortError);
|
|
return;
|
|
}
|
|
const isSSL = request.protocol === "https:";
|
|
const agent = isSSL ? this.config.httpsAgent : this.config.httpAgent;
|
|
timeouts.push(timing.setTimeout(() => {
|
|
this.socketWarningTimestamp = NodeHttpHandler.checkSocketUsage(agent, this.socketWarningTimestamp, this.config.logger);
|
|
}, this.config.socketAcquisitionWarningTimeout ??
|
|
(this.config.requestTimeout ?? 2000) + (this.config.connectionTimeout ?? 1000)));
|
|
const queryString = querystringBuilder.buildQueryString(request.query || {});
|
|
let auth = undefined;
|
|
if (request.username != null || request.password != null) {
|
|
const username = request.username ?? "";
|
|
const password = request.password ?? "";
|
|
auth = `${username}:${password}`;
|
|
}
|
|
let path = request.path;
|
|
if (queryString) {
|
|
path += `?${queryString}`;
|
|
}
|
|
if (request.fragment) {
|
|
path += `#${request.fragment}`;
|
|
}
|
|
let hostname = request.hostname ?? "";
|
|
if (hostname[0] === "[" && hostname.endsWith("]")) {
|
|
hostname = request.hostname.slice(1, -1);
|
|
}
|
|
else {
|
|
hostname = request.hostname;
|
|
}
|
|
const nodeHttpsOptions = {
|
|
headers: request.headers,
|
|
host: hostname,
|
|
method: request.method,
|
|
path,
|
|
port: request.port,
|
|
agent,
|
|
auth,
|
|
};
|
|
const requestFunc = isSSL ? https.request : http.request;
|
|
const req = requestFunc(nodeHttpsOptions, (res) => {
|
|
const httpResponse = new protocolHttp.HttpResponse({
|
|
statusCode: res.statusCode || -1,
|
|
reason: res.statusMessage,
|
|
headers: getTransformedHeaders(res.headers),
|
|
body: res,
|
|
});
|
|
resolve({ response: httpResponse });
|
|
});
|
|
req.on("error", (err) => {
|
|
if (NODEJS_TIMEOUT_ERROR_CODES.includes(err.code)) {
|
|
reject(Object.assign(err, { name: "TimeoutError" }));
|
|
}
|
|
else {
|
|
reject(err);
|
|
}
|
|
});
|
|
if (abortSignal) {
|
|
const onAbort = () => {
|
|
req.destroy();
|
|
const abortError = new Error("Request aborted");
|
|
abortError.name = "AbortError";
|
|
reject(abortError);
|
|
};
|
|
if (typeof abortSignal.addEventListener === "function") {
|
|
const signal = abortSignal;
|
|
signal.addEventListener("abort", onAbort, { once: true });
|
|
req.once("close", () => signal.removeEventListener("abort", onAbort));
|
|
}
|
|
else {
|
|
abortSignal.onabort = onAbort;
|
|
}
|
|
}
|
|
const effectiveRequestTimeout = requestTimeout ?? this.config.requestTimeout;
|
|
timeouts.push(setConnectionTimeout(req, reject, this.config.connectionTimeout));
|
|
timeouts.push(setRequestTimeout(req, reject, effectiveRequestTimeout, this.config.throwOnRequestTimeout, this.config.logger ?? console));
|
|
timeouts.push(setSocketTimeout(req, reject, this.config.socketTimeout));
|
|
const httpAgent = nodeHttpsOptions.agent;
|
|
if (typeof httpAgent === "object" && "keepAlive" in httpAgent) {
|
|
timeouts.push(setSocketKeepAlive(req, {
|
|
keepAlive: httpAgent.keepAlive,
|
|
keepAliveMsecs: httpAgent.keepAliveMsecs,
|
|
}));
|
|
}
|
|
writeRequestBodyPromise = writeRequestBody(req, request, effectiveRequestTimeout).catch((e) => {
|
|
timeouts.forEach(timing.clearTimeout);
|
|
return _reject(e);
|
|
});
|
|
});
|
|
}
|
|
updateHttpClientConfig(key, value) {
|
|
this.config = undefined;
|
|
this.configProvider = this.configProvider.then((config) => {
|
|
return {
|
|
...config,
|
|
[key]: value,
|
|
};
|
|
});
|
|
}
|
|
httpHandlerConfigs() {
|
|
return this.config ?? {};
|
|
}
|
|
}
|
|
|
|
class NodeHttp2ConnectionPool {
|
|
sessions = [];
|
|
constructor(sessions) {
|
|
this.sessions = sessions ?? [];
|
|
}
|
|
poll() {
|
|
if (this.sessions.length > 0) {
|
|
return this.sessions.shift();
|
|
}
|
|
}
|
|
offerLast(session) {
|
|
this.sessions.push(session);
|
|
}
|
|
contains(session) {
|
|
return this.sessions.includes(session);
|
|
}
|
|
remove(session) {
|
|
this.sessions = this.sessions.filter((s) => s !== session);
|
|
}
|
|
[Symbol.iterator]() {
|
|
return this.sessions[Symbol.iterator]();
|
|
}
|
|
destroy(connection) {
|
|
for (const session of this.sessions) {
|
|
if (session === connection) {
|
|
if (!session.destroyed) {
|
|
session.destroy();
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
class NodeHttp2ConnectionManager {
|
|
constructor(config) {
|
|
this.config = config;
|
|
if (this.config.maxConcurrency && this.config.maxConcurrency <= 0) {
|
|
throw new RangeError("maxConcurrency must be greater than zero.");
|
|
}
|
|
}
|
|
config;
|
|
sessionCache = new Map();
|
|
lease(requestContext, connectionConfiguration) {
|
|
const url = this.getUrlString(requestContext);
|
|
const existingPool = this.sessionCache.get(url);
|
|
if (existingPool) {
|
|
const existingSession = existingPool.poll();
|
|
if (existingSession && !this.config.disableConcurrency) {
|
|
return existingSession;
|
|
}
|
|
}
|
|
const session = http2.connect(url);
|
|
if (this.config.maxConcurrency) {
|
|
session.settings({ maxConcurrentStreams: this.config.maxConcurrency }, (err) => {
|
|
if (err) {
|
|
throw new Error("Fail to set maxConcurrentStreams to " +
|
|
this.config.maxConcurrency +
|
|
"when creating new session for " +
|
|
requestContext.destination.toString());
|
|
}
|
|
});
|
|
}
|
|
session.unref();
|
|
const destroySessionCb = () => {
|
|
session.destroy();
|
|
this.deleteSession(url, session);
|
|
};
|
|
session.on("goaway", destroySessionCb);
|
|
session.on("error", destroySessionCb);
|
|
session.on("frameError", destroySessionCb);
|
|
session.on("close", () => this.deleteSession(url, session));
|
|
if (connectionConfiguration.requestTimeout) {
|
|
session.setTimeout(connectionConfiguration.requestTimeout, destroySessionCb);
|
|
}
|
|
const connectionPool = this.sessionCache.get(url) || new NodeHttp2ConnectionPool();
|
|
connectionPool.offerLast(session);
|
|
this.sessionCache.set(url, connectionPool);
|
|
return session;
|
|
}
|
|
deleteSession(authority, session) {
|
|
const existingConnectionPool = this.sessionCache.get(authority);
|
|
if (!existingConnectionPool) {
|
|
return;
|
|
}
|
|
if (!existingConnectionPool.contains(session)) {
|
|
return;
|
|
}
|
|
existingConnectionPool.remove(session);
|
|
this.sessionCache.set(authority, existingConnectionPool);
|
|
}
|
|
release(requestContext, session) {
|
|
const cacheKey = this.getUrlString(requestContext);
|
|
this.sessionCache.get(cacheKey)?.offerLast(session);
|
|
}
|
|
destroy() {
|
|
for (const [key, connectionPool] of this.sessionCache) {
|
|
for (const session of connectionPool) {
|
|
if (!session.destroyed) {
|
|
session.destroy();
|
|
}
|
|
connectionPool.remove(session);
|
|
}
|
|
this.sessionCache.delete(key);
|
|
}
|
|
}
|
|
setMaxConcurrentStreams(maxConcurrentStreams) {
|
|
if (maxConcurrentStreams && maxConcurrentStreams <= 0) {
|
|
throw new RangeError("maxConcurrentStreams must be greater than zero.");
|
|
}
|
|
this.config.maxConcurrency = maxConcurrentStreams;
|
|
}
|
|
setDisableConcurrentStreams(disableConcurrentStreams) {
|
|
this.config.disableConcurrency = disableConcurrentStreams;
|
|
}
|
|
getUrlString(request) {
|
|
return request.destination.toString();
|
|
}
|
|
}
|
|
|
|
class NodeHttp2Handler {
|
|
config;
|
|
configProvider;
|
|
metadata = { handlerProtocol: "h2" };
|
|
connectionManager = new NodeHttp2ConnectionManager({});
|
|
static create(instanceOrOptions) {
|
|
if (typeof instanceOrOptions?.handle === "function") {
|
|
return instanceOrOptions;
|
|
}
|
|
return new NodeHttp2Handler(instanceOrOptions);
|
|
}
|
|
constructor(options) {
|
|
this.configProvider = new Promise((resolve, reject) => {
|
|
if (typeof options === "function") {
|
|
options()
|
|
.then((opts) => {
|
|
resolve(opts || {});
|
|
})
|
|
.catch(reject);
|
|
}
|
|
else {
|
|
resolve(options || {});
|
|
}
|
|
});
|
|
}
|
|
destroy() {
|
|
this.connectionManager.destroy();
|
|
}
|
|
async handle(request, { abortSignal, requestTimeout } = {}) {
|
|
if (!this.config) {
|
|
this.config = await this.configProvider;
|
|
this.connectionManager.setDisableConcurrentStreams(this.config.disableConcurrentStreams || false);
|
|
if (this.config.maxConcurrentStreams) {
|
|
this.connectionManager.setMaxConcurrentStreams(this.config.maxConcurrentStreams);
|
|
}
|
|
}
|
|
const { requestTimeout: configRequestTimeout, disableConcurrentStreams } = this.config;
|
|
const effectiveRequestTimeout = requestTimeout ?? configRequestTimeout;
|
|
return new Promise((_resolve, _reject) => {
|
|
let fulfilled = false;
|
|
let writeRequestBodyPromise = undefined;
|
|
const resolve = async (arg) => {
|
|
await writeRequestBodyPromise;
|
|
_resolve(arg);
|
|
};
|
|
const reject = async (arg) => {
|
|
await writeRequestBodyPromise;
|
|
_reject(arg);
|
|
};
|
|
if (abortSignal?.aborted) {
|
|
fulfilled = true;
|
|
const abortError = new Error("Request aborted");
|
|
abortError.name = "AbortError";
|
|
reject(abortError);
|
|
return;
|
|
}
|
|
const { hostname, method, port, protocol, query } = request;
|
|
let auth = "";
|
|
if (request.username != null || request.password != null) {
|
|
const username = request.username ?? "";
|
|
const password = request.password ?? "";
|
|
auth = `${username}:${password}@`;
|
|
}
|
|
const authority = `${protocol}//${auth}${hostname}${port ? `:${port}` : ""}`;
|
|
const requestContext = { destination: new URL(authority) };
|
|
const session = this.connectionManager.lease(requestContext, {
|
|
requestTimeout: this.config?.sessionTimeout,
|
|
disableConcurrentStreams: disableConcurrentStreams || false,
|
|
});
|
|
const rejectWithDestroy = (err) => {
|
|
if (disableConcurrentStreams) {
|
|
this.destroySession(session);
|
|
}
|
|
fulfilled = true;
|
|
reject(err);
|
|
};
|
|
const queryString = querystringBuilder.buildQueryString(query || {});
|
|
let path = request.path;
|
|
if (queryString) {
|
|
path += `?${queryString}`;
|
|
}
|
|
if (request.fragment) {
|
|
path += `#${request.fragment}`;
|
|
}
|
|
const req = session.request({
|
|
...request.headers,
|
|
[http2.constants.HTTP2_HEADER_PATH]: path,
|
|
[http2.constants.HTTP2_HEADER_METHOD]: method,
|
|
});
|
|
session.ref();
|
|
req.on("response", (headers) => {
|
|
const httpResponse = new protocolHttp.HttpResponse({
|
|
statusCode: headers[":status"] || -1,
|
|
headers: getTransformedHeaders(headers),
|
|
body: req,
|
|
});
|
|
fulfilled = true;
|
|
resolve({ response: httpResponse });
|
|
if (disableConcurrentStreams) {
|
|
session.close();
|
|
this.connectionManager.deleteSession(authority, session);
|
|
}
|
|
});
|
|
if (effectiveRequestTimeout) {
|
|
req.setTimeout(effectiveRequestTimeout, () => {
|
|
req.close();
|
|
const timeoutError = new Error(`Stream timed out because of no activity for ${effectiveRequestTimeout} ms`);
|
|
timeoutError.name = "TimeoutError";
|
|
rejectWithDestroy(timeoutError);
|
|
});
|
|
}
|
|
if (abortSignal) {
|
|
const onAbort = () => {
|
|
req.close();
|
|
const abortError = new Error("Request aborted");
|
|
abortError.name = "AbortError";
|
|
rejectWithDestroy(abortError);
|
|
};
|
|
if (typeof abortSignal.addEventListener === "function") {
|
|
const signal = abortSignal;
|
|
signal.addEventListener("abort", onAbort, { once: true });
|
|
req.once("close", () => signal.removeEventListener("abort", onAbort));
|
|
}
|
|
else {
|
|
abortSignal.onabort = onAbort;
|
|
}
|
|
}
|
|
req.on("frameError", (type, code, id) => {
|
|
rejectWithDestroy(new Error(`Frame type id ${type} in stream id ${id} has failed with code ${code}.`));
|
|
});
|
|
req.on("error", rejectWithDestroy);
|
|
req.on("aborted", () => {
|
|
rejectWithDestroy(new Error(`HTTP/2 stream is abnormally aborted in mid-communication with result code ${req.rstCode}.`));
|
|
});
|
|
req.on("close", () => {
|
|
session.unref();
|
|
if (disableConcurrentStreams) {
|
|
session.destroy();
|
|
}
|
|
if (!fulfilled) {
|
|
rejectWithDestroy(new Error("Unexpected error: http2 request did not get a response"));
|
|
}
|
|
});
|
|
writeRequestBodyPromise = writeRequestBody(req, request, effectiveRequestTimeout);
|
|
});
|
|
}
|
|
updateHttpClientConfig(key, value) {
|
|
this.config = undefined;
|
|
this.configProvider = this.configProvider.then((config) => {
|
|
return {
|
|
...config,
|
|
[key]: value,
|
|
};
|
|
});
|
|
}
|
|
httpHandlerConfigs() {
|
|
return this.config ?? {};
|
|
}
|
|
destroySession(session) {
|
|
if (!session.destroyed) {
|
|
session.destroy();
|
|
}
|
|
}
|
|
}
|
|
|
|
class Collector extends stream.Writable {
|
|
bufferedBytes = [];
|
|
_write(chunk, encoding, callback) {
|
|
this.bufferedBytes.push(chunk);
|
|
callback();
|
|
}
|
|
}
|
|
|
|
const streamCollector = (stream) => {
|
|
if (isReadableStreamInstance(stream)) {
|
|
return collectReadableStream(stream);
|
|
}
|
|
return new Promise((resolve, reject) => {
|
|
const collector = new Collector();
|
|
stream.pipe(collector);
|
|
stream.on("error", (err) => {
|
|
collector.end();
|
|
reject(err);
|
|
});
|
|
collector.on("error", reject);
|
|
collector.on("finish", function () {
|
|
const bytes = new Uint8Array(Buffer.concat(this.bufferedBytes));
|
|
resolve(bytes);
|
|
});
|
|
});
|
|
};
|
|
const isReadableStreamInstance = (stream) => typeof ReadableStream === "function" && stream instanceof ReadableStream;
|
|
async function collectReadableStream(stream) {
|
|
const chunks = [];
|
|
const reader = stream.getReader();
|
|
let isDone = false;
|
|
let length = 0;
|
|
while (!isDone) {
|
|
const { done, value } = await reader.read();
|
|
if (value) {
|
|
chunks.push(value);
|
|
length += value.length;
|
|
}
|
|
isDone = done;
|
|
}
|
|
const collected = new Uint8Array(length);
|
|
let offset = 0;
|
|
for (const chunk of chunks) {
|
|
collected.set(chunk, offset);
|
|
offset += chunk.length;
|
|
}
|
|
return collected;
|
|
}
|
|
|
|
exports.DEFAULT_REQUEST_TIMEOUT = DEFAULT_REQUEST_TIMEOUT;
|
|
exports.NodeHttp2Handler = NodeHttp2Handler;
|
|
exports.NodeHttpHandler = NodeHttpHandler;
|
|
exports.streamCollector = streamCollector;
|