fix: 修复配额说明重复和undefined问题
- 在editStorageForm中初始化oss_storage_quota_value和oss_quota_unit - 删除重复的旧配额说明块,保留新的当前配额设置显示 Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
224
backend/node_modules/@smithy/node-http-handler/dist-es/node-http-handler.js
generated
vendored
Normal file
224
backend/node_modules/@smithy/node-http-handler/dist-es/node-http-handler.js
generated
vendored
Normal file
@@ -0,0 +1,224 @@
|
||||
import { HttpResponse } from "@smithy/protocol-http";
|
||||
import { buildQueryString } from "@smithy/querystring-builder";
|
||||
import { Agent as hAgent, request as hRequest } from "http";
|
||||
import { Agent as hsAgent, request as hsRequest } from "https";
|
||||
import { NODEJS_TIMEOUT_ERROR_CODES } from "./constants";
|
||||
import { getTransformedHeaders } from "./get-transformed-headers";
|
||||
import { setConnectionTimeout } from "./set-connection-timeout";
|
||||
import { setRequestTimeout } from "./set-request-timeout";
|
||||
import { setSocketKeepAlive } from "./set-socket-keep-alive";
|
||||
import { setSocketTimeout } from "./set-socket-timeout";
|
||||
import { timing } from "./timing";
|
||||
import { writeRequestBody } from "./write-request-body";
|
||||
export const DEFAULT_REQUEST_TIMEOUT = 0;
|
||||
export class NodeHttpHandler {
|
||||
config;
|
||||
configProvider;
|
||||
socketWarningTimestamp = 0;
|
||||
externalAgent = false;
|
||||
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 hAgent || typeof httpAgent?.destroy === "function") {
|
||||
this.externalAgent = true;
|
||||
return httpAgent;
|
||||
}
|
||||
return new hAgent({ keepAlive, maxSockets, ...httpAgent });
|
||||
})(),
|
||||
httpsAgent: (() => {
|
||||
if (httpsAgent instanceof hsAgent || typeof httpsAgent?.destroy === "function") {
|
||||
this.externalAgent = true;
|
||||
return httpsAgent;
|
||||
}
|
||||
return new hsAgent({ 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) => {
|
||||
const config = this.config;
|
||||
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 (abortSignal?.aborted) {
|
||||
const abortError = new Error("Request aborted");
|
||||
abortError.name = "AbortError";
|
||||
reject(abortError);
|
||||
return;
|
||||
}
|
||||
const isSSL = request.protocol === "https:";
|
||||
const headers = request.headers ?? {};
|
||||
const expectContinue = (headers.Expect ?? headers.expect) === "100-continue";
|
||||
let agent = isSSL ? config.httpsAgent : config.httpAgent;
|
||||
if (expectContinue && !this.externalAgent) {
|
||||
agent = new (isSSL ? hsAgent : hAgent)({
|
||||
keepAlive: false,
|
||||
maxSockets: Infinity,
|
||||
});
|
||||
}
|
||||
timeouts.push(timing.setTimeout(() => {
|
||||
this.socketWarningTimestamp = NodeHttpHandler.checkSocketUsage(agent, this.socketWarningTimestamp, config.logger);
|
||||
}, config.socketAcquisitionWarningTimeout ?? (config.requestTimeout ?? 2000) + (config.connectionTimeout ?? 1000)));
|
||||
const queryString = 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 ? hsRequest : hRequest;
|
||||
const req = requestFunc(nodeHttpsOptions, (res) => {
|
||||
const httpResponse = new 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 ?? config.requestTimeout;
|
||||
timeouts.push(setConnectionTimeout(req, reject, config.connectionTimeout));
|
||||
timeouts.push(setRequestTimeout(req, reject, effectiveRequestTimeout, config.throwOnRequestTimeout, config.logger ?? console));
|
||||
timeouts.push(setSocketTimeout(req, reject, 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, this.externalAgent).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 ?? {};
|
||||
}
|
||||
}
|
||||
Reference in New Issue
Block a user