Merge branch 'v5.8-progress'
This commit is contained in:
commit
cd5f0fe03f
10
package.json
10
package.json
@ -9,9 +9,9 @@
|
||||
"./lib.esm/wordlists/wordlists.js": "./lib.esm/wordlists/wordlists-browser.js"
|
||||
},
|
||||
"dependencies": {
|
||||
"@adraffy/ens-normalize": "1.9.2",
|
||||
"@noble/hashes": "1.1.2",
|
||||
"@noble/secp256k1": "1.7.1",
|
||||
"@adraffy/ens-normalize": "1.9.4",
|
||||
"@noble/curves": "1.2.0",
|
||||
"@noble/hashes": "1.3.2",
|
||||
"@types/node": "18.15.13",
|
||||
"aes-js": "4.0.0-beta.5",
|
||||
"tslib": "2.4.0",
|
||||
@ -93,7 +93,7 @@
|
||||
"url": "https://www.buymeacoffee.com/ricmoo"
|
||||
}
|
||||
],
|
||||
"gitHead": "7d4173049edc3b4ff2de1971c3ecca3b08588651",
|
||||
"gitHead": "9541f2f70cd7f5c6f3caf93f5a3d5e34eae5281a",
|
||||
"homepage": "https://ethers.org",
|
||||
"keywords": [
|
||||
"ethereum",
|
||||
@ -131,5 +131,5 @@
|
||||
"test-esm": "mocha --reporter ./reporter.cjs ./lib.esm/_tests/test-*.js"
|
||||
},
|
||||
"sideEffects": false,
|
||||
"version": "6.7.1"
|
||||
"version": "6.8.0"
|
||||
}
|
||||
|
@ -4,14 +4,13 @@
|
||||
* @_subsection: api/crypto:Signing [about-signing]
|
||||
*/
|
||||
|
||||
import * as secp256k1 from "@noble/secp256k1";
|
||||
import { secp256k1 } from "@noble/curves/secp256k1";
|
||||
|
||||
import {
|
||||
concat, dataLength, getBytes, getBytesCopy, hexlify, toBeHex,
|
||||
assertArgument
|
||||
} from "../utils/index.js";
|
||||
|
||||
import { computeHmac } from "./hmac.js";
|
||||
import { Signature } from "./signature.js";
|
||||
|
||||
import type { BytesLike } from "../utils/index.js";
|
||||
@ -19,13 +18,6 @@ import type { BytesLike } from "../utils/index.js";
|
||||
import type { SignatureLike } from "./index.js";
|
||||
|
||||
|
||||
//const N = BigInt("0xfffffffffffffffffffffffffffffffebaaedce6af48a03bbfd25e8cd0364141");
|
||||
|
||||
// Make noble-secp256k1 sync
|
||||
secp256k1.utils.hmacSha256Sync = function(key: Uint8Array, ...messages: Array<Uint8Array>): Uint8Array {
|
||||
return getBytes(computeHmac("sha256", key, concat(messages)));
|
||||
}
|
||||
|
||||
/**
|
||||
* A **SigningKey** provides high-level access to the elliptic curve
|
||||
* cryptography (ECC) operations and key management.
|
||||
@ -69,16 +61,14 @@ export class SigningKey {
|
||||
sign(digest: BytesLike): Signature {
|
||||
assertArgument(dataLength(digest) === 32, "invalid digest length", "digest", digest);
|
||||
|
||||
const [ sigDer, recid ] = secp256k1.signSync(getBytesCopy(digest), getBytesCopy(this.#privateKey), {
|
||||
recovered: true,
|
||||
canonical: true
|
||||
const sig = secp256k1.sign(getBytesCopy(digest), getBytesCopy(this.#privateKey), {
|
||||
lowS: true
|
||||
});
|
||||
|
||||
const sig = secp256k1.Signature.fromHex(sigDer);
|
||||
return Signature.from({
|
||||
r: toBeHex("0x" + sig.r.toString(16), 32),
|
||||
s: toBeHex("0x" + sig.s.toString(16), 32),
|
||||
v: (recid ? 0x1c: 0x1b)
|
||||
r: toBeHex(sig.r, 32),
|
||||
s: toBeHex(sig.s, 32),
|
||||
v: (sig.recovery ? 0x1c: 0x1b)
|
||||
});
|
||||
}
|
||||
|
||||
@ -106,7 +96,7 @@ export class SigningKey {
|
||||
*/
|
||||
computeSharedSecret(other: BytesLike): string {
|
||||
const pubKey = SigningKey.computePublicKey(other);
|
||||
return hexlify(secp256k1.getSharedSecret(getBytesCopy(this.#privateKey), getBytes(pubKey)));
|
||||
return hexlify(secp256k1.getSharedSecret(getBytesCopy(this.#privateKey), getBytes(pubKey), false));
|
||||
}
|
||||
|
||||
/**
|
||||
@ -151,7 +141,7 @@ export class SigningKey {
|
||||
bytes = pub;
|
||||
}
|
||||
|
||||
const point = secp256k1.Point.fromHex(bytes);
|
||||
const point = secp256k1.ProjectivePoint.fromHex(bytes);
|
||||
return hexlify(point.toRawBytes(compressed));
|
||||
}
|
||||
|
||||
@ -177,12 +167,14 @@ export class SigningKey {
|
||||
assertArgument(dataLength(digest) === 32, "invalid digest length", "digest", digest);
|
||||
|
||||
const sig = Signature.from(signature);
|
||||
const der = secp256k1.Signature.fromCompact(getBytesCopy(concat([ sig.r, sig.s ]))).toDERRawBytes();
|
||||
|
||||
const pubKey = secp256k1.recoverPublicKey(getBytesCopy(digest), der, sig.yParity);
|
||||
assertArgument(pubKey != null, "invalid signature for digest", "signature", signature);
|
||||
let secpSig = secp256k1.Signature.fromCompact(getBytesCopy(concat([ sig.r, sig.s ])));
|
||||
secpSig = secpSig.addRecoveryBit(sig.yParity);
|
||||
|
||||
return hexlify(pubKey);
|
||||
const pubKey = secpSig.recoverPublicKey(getBytesCopy(digest));
|
||||
assertArgument(pubKey != null, "invalid signautre for digest", "signature", signature);
|
||||
|
||||
return "0x" + pubKey.toHex(false);
|
||||
}
|
||||
|
||||
/**
|
||||
@ -196,8 +188,8 @@ export class SigningKey {
|
||||
* addresses from parent public keys and chain codes.
|
||||
*/
|
||||
static addPoints(p0: BytesLike, p1: BytesLike, compressed?: boolean): string {
|
||||
const pub0 = secp256k1.Point.fromHex(SigningKey.computePublicKey(p0).substring(2));
|
||||
const pub1 = secp256k1.Point.fromHex(SigningKey.computePublicKey(p1).substring(2));
|
||||
const pub0 = secp256k1.ProjectivePoint.fromHex(SigningKey.computePublicKey(p0).substring(2));
|
||||
const pub1 = secp256k1.ProjectivePoint.fromHex(SigningKey.computePublicKey(p1).substring(2));
|
||||
return "0x" + pub0.add(pub1).toHex(!!compressed)
|
||||
}
|
||||
}
|
||||
|
@ -25,6 +25,49 @@ function isWebSocketLike(value: any): value is WebSocketLike {
|
||||
|
||||
const Testnets = "goerli kovan sepolia classicKotti optimism-goerli arbitrum-goerli matic-mumbai bnbt".split(" ");
|
||||
|
||||
/**
|
||||
* Returns a default provider for %%network%%.
|
||||
*
|
||||
* If %%network%% is a [[WebSocketLike]] or string that begins with
|
||||
* ``"ws:"`` or ``"wss:"``, a [[WebSocketProvider]] is returned backed
|
||||
* by that WebSocket or URL.
|
||||
*
|
||||
* If %%network%% is a string that begins with ``"HTTP:"`` or ``"HTTPS:"``,
|
||||
* a [[JsonRpcProvider]] is returned connected to that URL.
|
||||
*
|
||||
* Otherwise, a default provider is created backed by well-known public
|
||||
* Web3 backends (such as [[link-infura]]) using community-provided API
|
||||
* keys.
|
||||
*
|
||||
* The %%options%% allows specifying custom API keys per backend (setting
|
||||
* an API key to ``"-"`` will omit that provider) and ``options.exclusive``
|
||||
* can be set to either a backend name or and array of backend names, which
|
||||
* will whitelist **only** those backends.
|
||||
*
|
||||
* Current backend strings supported are:
|
||||
* - ``"alchemy"``
|
||||
* - ``"ankr"``
|
||||
* - ``"cloudflare"``
|
||||
* - ``"etherscan"``
|
||||
* - ``"infura"``
|
||||
* - ``"publicPolygon"``
|
||||
* - ``"quicknode"``
|
||||
*
|
||||
* @example:
|
||||
* // Connect to a local Geth node
|
||||
* provider = getDefaultProvider("http://localhost:8545/");
|
||||
*
|
||||
* // Connect to Ethereum mainnet with any current and future
|
||||
* // third-party services available
|
||||
* provider = getDefaultProvider("mainnet");
|
||||
*
|
||||
* // Connect to Polygoin, but only allow Etherscan and
|
||||
* // INFURA and use "MY_API_KEY" in calls to Etherscan.
|
||||
* provider = getDefaultProvider("matic", {
|
||||
* etherscan: "MY_API_KEY",
|
||||
* exclusive: [ "etherscan", "infura" ]
|
||||
* });
|
||||
*/
|
||||
export function getDefaultProvider(network: string | Networkish | WebSocketLike, options?: any): AbstractProvider {
|
||||
if (options == null) { options = { }; }
|
||||
|
||||
|
@ -23,7 +23,7 @@ import { assert, assertArgument } from "./errors.js";
|
||||
import { defineProperties } from "./properties.js";
|
||||
import { toUtf8Bytes, toUtf8String } from "./utf8.js"
|
||||
|
||||
import { getUrl } from "./geturl.js";
|
||||
import { createGetUrl } from "./geturl.js";
|
||||
|
||||
/**
|
||||
* An environments implementation of ``getUrl`` must return this type.
|
||||
@ -77,7 +77,7 @@ const MAX_ATTEMPTS = 12;
|
||||
const SLOT_INTERVAL = 250;
|
||||
|
||||
// The global FetchGetUrlFunc implementation.
|
||||
let getUrlFunc: FetchGetUrlFunc = getUrl;
|
||||
let defaultGetUrlFunc: FetchGetUrlFunc = createGetUrl();
|
||||
|
||||
const reData = new RegExp("^data:([^;:]*)?(;base64)?,(.*)$", "i");
|
||||
const reIpfs = new RegExp("^ipfs:/\/(ipfs/)?(.*)$", "i");
|
||||
@ -201,6 +201,8 @@ export class FetchRequest implements Iterable<[ key: string, value: string ]> {
|
||||
|
||||
#throttle: Required<FetchThrottleParams>;
|
||||
|
||||
#getUrlFunc: null | FetchGetUrlFunc;
|
||||
|
||||
/**
|
||||
* The fetch URI to requrest.
|
||||
*/
|
||||
@ -429,6 +431,28 @@ export class FetchRequest implements Iterable<[ key: string, value: string ]> {
|
||||
this.#retry = retry;
|
||||
}
|
||||
|
||||
/**
|
||||
* This function is called to fetch content from HTTP and
|
||||
* HTTPS URLs and is platform specific (e.g. nodejs vs
|
||||
* browsers).
|
||||
*
|
||||
* This is by default the currently registered global getUrl
|
||||
* function, which can be changed using [[registerGetUrl]].
|
||||
* If this has been set, setting is to ``null`` will cause
|
||||
* this FetchRequest (and any future clones) to revert back to
|
||||
* using the currently registered global getUrl function.
|
||||
*
|
||||
* Setting this is generally not necessary, but may be useful
|
||||
* for developers that wish to intercept requests or to
|
||||
* configurege a proxy or other agent.
|
||||
*/
|
||||
get getUrlFunc(): FetchGetUrlFunc {
|
||||
return this.#getUrlFunc || defaultGetUrlFunc;
|
||||
}
|
||||
set getUrlFunc(value: null | FetchGetUrlFunc) {
|
||||
this.#getUrlFunc = value;
|
||||
}
|
||||
|
||||
/**
|
||||
* Create a new FetchRequest instance with default values.
|
||||
*
|
||||
@ -448,6 +472,8 @@ export class FetchRequest implements Iterable<[ key: string, value: string ]> {
|
||||
slotInterval: SLOT_INTERVAL,
|
||||
maxAttempts: MAX_ATTEMPTS
|
||||
};
|
||||
|
||||
this.#getUrlFunc = null;
|
||||
}
|
||||
|
||||
toString(): string {
|
||||
@ -510,7 +536,7 @@ export class FetchRequest implements Iterable<[ key: string, value: string ]> {
|
||||
// We have a preflight function; update the request
|
||||
if (this.preflightFunc) { req = await this.preflightFunc(req); }
|
||||
|
||||
const resp = await getUrlFunc(req, checkSignal(_request.#signal));
|
||||
const resp = await this.getUrlFunc(req, checkSignal(_request.#signal));
|
||||
let response = new FetchResponse(resp.statusCode, resp.statusMessage, resp.headers, resp.body, _request);
|
||||
|
||||
if (response.statusCode === 301 || response.statusCode === 302) {
|
||||
@ -641,6 +667,8 @@ export class FetchRequest implements Iterable<[ key: string, value: string ]> {
|
||||
clone.#process = this.#process;
|
||||
clone.#retry = this.#retry;
|
||||
|
||||
clone.#getUrlFunc = this.#getUrlFunc;
|
||||
|
||||
return clone;
|
||||
}
|
||||
|
||||
@ -686,7 +714,22 @@ export class FetchRequest implements Iterable<[ key: string, value: string ]> {
|
||||
*/
|
||||
static registerGetUrl(getUrl: FetchGetUrlFunc): void {
|
||||
if (locked) { throw new Error("gateways locked"); }
|
||||
getUrlFunc = getUrl;
|
||||
defaultGetUrlFunc = getUrl;
|
||||
}
|
||||
|
||||
/**
|
||||
* Creates a getUrl function that fetches content from HTTP and
|
||||
* HTTPS URLs.
|
||||
*
|
||||
* The available %%options%% are dependent on the platform
|
||||
* implementation of the default getUrl function.
|
||||
*
|
||||
* This is not generally something that is needed, but is useful
|
||||
* when trying to customize simple behaviour when fetching HTTP
|
||||
* content.
|
||||
*/
|
||||
static createGetUrlFunc(options?: Record<string, any>): FetchGetUrlFunc {
|
||||
return createGetUrl(options);
|
||||
}
|
||||
|
||||
/**
|
||||
|
@ -1,6 +1,8 @@
|
||||
import { assert } from "./errors.js";
|
||||
|
||||
import type { FetchRequest, FetchCancelSignal, GetUrlResponse } from "./fetch.js";
|
||||
import type {
|
||||
FetchGetUrlFunc, FetchRequest, FetchCancelSignal, GetUrlResponse
|
||||
} from "./fetch.js";
|
||||
|
||||
|
||||
declare global {
|
||||
@ -27,46 +29,58 @@ declare global {
|
||||
|
||||
// @TODO: timeout is completely ignored; start a Promise.any with a reject?
|
||||
|
||||
export async function getUrl(req: FetchRequest, _signal?: FetchCancelSignal): Promise<GetUrlResponse> {
|
||||
const protocol = req.url.split(":")[0].toLowerCase();
|
||||
export function createGetUrl(options?: Record<string, any>): FetchGetUrlFunc {
|
||||
|
||||
assert(protocol === "http" || protocol === "https", `unsupported protocol ${ protocol }`, "UNSUPPORTED_OPERATION", {
|
||||
info: { protocol },
|
||||
operation: "request"
|
||||
});
|
||||
async function getUrl(req: FetchRequest, _signal?: FetchCancelSignal): Promise<GetUrlResponse> {
|
||||
const protocol = req.url.split(":")[0].toLowerCase();
|
||||
|
||||
assert(protocol === "https" || !req.credentials || req.allowInsecureAuthentication, "insecure authorized connections unsupported", "UNSUPPORTED_OPERATION", {
|
||||
operation: "request"
|
||||
});
|
||||
assert(protocol === "http" || protocol === "https", `unsupported protocol ${ protocol }`, "UNSUPPORTED_OPERATION", {
|
||||
info: { protocol },
|
||||
operation: "request"
|
||||
});
|
||||
|
||||
let signal: undefined | AbortSignal = undefined;
|
||||
if (_signal) {
|
||||
const controller = new AbortController();
|
||||
signal = controller.signal;
|
||||
_signal.addListener(() => { controller.abort(); });
|
||||
assert(protocol === "https" || !req.credentials || req.allowInsecureAuthentication, "insecure authorized connections unsupported", "UNSUPPORTED_OPERATION", {
|
||||
operation: "request"
|
||||
});
|
||||
|
||||
let signal: undefined | AbortSignal = undefined;
|
||||
if (_signal) {
|
||||
const controller = new AbortController();
|
||||
signal = controller.signal;
|
||||
_signal.addListener(() => { controller.abort(); });
|
||||
}
|
||||
|
||||
const init = {
|
||||
method: req.method,
|
||||
headers: new Headers(Array.from(req)),
|
||||
body: req.body || undefined,
|
||||
signal
|
||||
};
|
||||
|
||||
const resp = await fetch(req.url, init);
|
||||
|
||||
const headers: Record<string, string> = { };
|
||||
resp.headers.forEach((value, key) => {
|
||||
headers[key.toLowerCase()] = value;
|
||||
});
|
||||
|
||||
const respBody = await resp.arrayBuffer();
|
||||
const body = (respBody == null) ? null: new Uint8Array(respBody);
|
||||
|
||||
return {
|
||||
statusCode: resp.status,
|
||||
statusMessage: resp.statusText,
|
||||
headers, body
|
||||
};
|
||||
}
|
||||
|
||||
const init = {
|
||||
method: req.method,
|
||||
headers: new Headers(Array.from(req)),
|
||||
body: req.body || undefined,
|
||||
signal
|
||||
};
|
||||
|
||||
const resp = await fetch(req.url, init);
|
||||
|
||||
const headers: Record<string, string> = { };
|
||||
resp.headers.forEach((value, key) => {
|
||||
headers[key.toLowerCase()] = value;
|
||||
});
|
||||
|
||||
const respBody = await resp.arrayBuffer();
|
||||
const body = (respBody == null) ? null: new Uint8Array(respBody);
|
||||
|
||||
return {
|
||||
statusCode: resp.status,
|
||||
statusMessage: resp.statusText,
|
||||
headers, body
|
||||
};
|
||||
return getUrl;
|
||||
}
|
||||
|
||||
// @TODO: remove in v7; provided for backwards compat
|
||||
const defaultGetUrl: FetchGetUrlFunc = createGetUrl({ });
|
||||
|
||||
export async function getUrl(req: FetchRequest, _signal?: FetchCancelSignal): Promise<GetUrlResponse> {
|
||||
return defaultGetUrl(req, _signal);
|
||||
}
|
||||
|
||||
|
@ -5,92 +5,112 @@ import { gunzipSync } from "zlib";
|
||||
import { assert } from "./errors.js";
|
||||
import { getBytes } from "./data.js";
|
||||
|
||||
import type { FetchRequest, FetchCancelSignal, GetUrlResponse } from "./fetch.js";
|
||||
import type {
|
||||
FetchGetUrlFunc, FetchRequest, FetchCancelSignal, GetUrlResponse
|
||||
} from "./fetch.js";
|
||||
|
||||
/**
|
||||
* @_ignore:
|
||||
*/
|
||||
export function createGetUrl(options?: Record<string, any>): FetchGetUrlFunc {
|
||||
|
||||
async function getUrl(req: FetchRequest, signal?: FetchCancelSignal): Promise<GetUrlResponse> {
|
||||
|
||||
const protocol = req.url.split(":")[0].toLowerCase();
|
||||
|
||||
assert(protocol === "http" || protocol === "https", `unsupported protocol ${ protocol }`, "UNSUPPORTED_OPERATION", {
|
||||
info: { protocol },
|
||||
operation: "request"
|
||||
});
|
||||
|
||||
assert(protocol === "https" || !req.credentials || req.allowInsecureAuthentication, "insecure authorized connections unsupported", "UNSUPPORTED_OPERATION", {
|
||||
operation: "request"
|
||||
});
|
||||
|
||||
const method = req.method;
|
||||
const headers = Object.assign({ }, req.headers);
|
||||
|
||||
const reqOptions: any = { method, headers };
|
||||
if (options) {
|
||||
if (options.agent) { reqOptions.agent = options.agent; }
|
||||
}
|
||||
|
||||
const request = ((protocol === "http") ? http: https).request(req.url, reqOptions);
|
||||
|
||||
request.setTimeout(req.timeout);
|
||||
|
||||
const body = req.body;
|
||||
if (body) { request.write(Buffer.from(body)); }
|
||||
|
||||
request.end();
|
||||
|
||||
return new Promise((resolve, reject) => {
|
||||
// @TODO: Node 15 added AbortSignal; once we drop support for
|
||||
// Node14, we can add that in here too
|
||||
|
||||
request.once("response", (resp: http.IncomingMessage) => {
|
||||
const statusCode = resp.statusCode || 0;
|
||||
const statusMessage = resp.statusMessage || "";
|
||||
const headers = Object.keys(resp.headers || {}).reduce((accum, name) => {
|
||||
let value = resp.headers[name] || "";
|
||||
if (Array.isArray(value)) {
|
||||
value = value.join(", ");
|
||||
}
|
||||
accum[name] = value;
|
||||
return accum;
|
||||
}, <{ [ name: string ]: string }>{ });
|
||||
|
||||
let body: null | Uint8Array = null;
|
||||
//resp.setEncoding("utf8");
|
||||
|
||||
resp.on("data", (chunk: Uint8Array) => {
|
||||
if (signal) {
|
||||
try {
|
||||
signal.checkSignal();
|
||||
} catch (error) {
|
||||
return reject(error);
|
||||
}
|
||||
}
|
||||
|
||||
if (body == null) {
|
||||
body = chunk;
|
||||
} else {
|
||||
const newBody = new Uint8Array(body.length + chunk.length);
|
||||
newBody.set(body, 0);
|
||||
newBody.set(chunk, body.length);
|
||||
body = newBody;
|
||||
}
|
||||
});
|
||||
|
||||
resp.on("end", () => {
|
||||
if (headers["content-encoding"] === "gzip" && body) {
|
||||
body = getBytes(gunzipSync(body));
|
||||
}
|
||||
|
||||
resolve({ statusCode, statusMessage, headers, body });
|
||||
});
|
||||
|
||||
resp.on("error", (error) => {
|
||||
//@TODO: Should this just return nornal response with a server error?
|
||||
(<any>error).response = { statusCode, statusMessage, headers, body };
|
||||
reject(error);
|
||||
});
|
||||
});
|
||||
|
||||
request.on("error", (error) => { reject(error); });
|
||||
});
|
||||
}
|
||||
|
||||
return getUrl;
|
||||
}
|
||||
|
||||
// @TODO: remove in v7; provided for backwards compat
|
||||
const defaultGetUrl: FetchGetUrlFunc = createGetUrl({ });
|
||||
|
||||
/**
|
||||
* @_ignore:
|
||||
*/
|
||||
export async function getUrl(req: FetchRequest, signal?: FetchCancelSignal): Promise<GetUrlResponse> {
|
||||
|
||||
const protocol = req.url.split(":")[0].toLowerCase();
|
||||
|
||||
assert(protocol === "http" || protocol === "https", `unsupported protocol ${ protocol }`, "UNSUPPORTED_OPERATION", {
|
||||
info: { protocol },
|
||||
operation: "request"
|
||||
});
|
||||
|
||||
assert(protocol === "https" || !req.credentials || req.allowInsecureAuthentication, "insecure authorized connections unsupported", "UNSUPPORTED_OPERATION", {
|
||||
operation: "request"
|
||||
});
|
||||
|
||||
const method = req.method;
|
||||
const headers = Object.assign({ }, req.headers);
|
||||
|
||||
const options: any = { method, headers };
|
||||
|
||||
const request = ((protocol === "http") ? http: https).request(req.url, options);
|
||||
|
||||
request.setTimeout(req.timeout);
|
||||
|
||||
const body = req.body;
|
||||
if (body) { request.write(Buffer.from(body)); }
|
||||
|
||||
request.end();
|
||||
|
||||
return new Promise((resolve, reject) => {
|
||||
// @TODO: Node 15 added AbortSignal; once we drop support for
|
||||
// Node14, we can add that in here too
|
||||
|
||||
request.once("response", (resp: http.IncomingMessage) => {
|
||||
const statusCode = resp.statusCode || 0;
|
||||
const statusMessage = resp.statusMessage || "";
|
||||
const headers = Object.keys(resp.headers || {}).reduce((accum, name) => {
|
||||
let value = resp.headers[name] || "";
|
||||
if (Array.isArray(value)) {
|
||||
value = value.join(", ");
|
||||
}
|
||||
accum[name] = value;
|
||||
return accum;
|
||||
}, <{ [ name: string ]: string }>{ });
|
||||
|
||||
let body: null | Uint8Array = null;
|
||||
//resp.setEncoding("utf8");
|
||||
|
||||
resp.on("data", (chunk: Uint8Array) => {
|
||||
if (signal) {
|
||||
try {
|
||||
signal.checkSignal();
|
||||
} catch (error) {
|
||||
return reject(error);
|
||||
}
|
||||
}
|
||||
|
||||
if (body == null) {
|
||||
body = chunk;
|
||||
} else {
|
||||
const newBody = new Uint8Array(body.length + chunk.length);
|
||||
newBody.set(body, 0);
|
||||
newBody.set(chunk, body.length);
|
||||
body = newBody;
|
||||
}
|
||||
});
|
||||
|
||||
resp.on("end", () => {
|
||||
if (headers["content-encoding"] === "gzip" && body) {
|
||||
body = getBytes(gunzipSync(body));
|
||||
}
|
||||
|
||||
resolve({ statusCode, statusMessage, headers, body });
|
||||
});
|
||||
|
||||
resp.on("error", (error) => {
|
||||
//@TODO: Should this just return nornal response with a server error?
|
||||
(<any>error).response = { statusCode, statusMessage, headers, body };
|
||||
reject(error);
|
||||
});
|
||||
});
|
||||
|
||||
request.on("error", (error) => { reject(error); });
|
||||
});
|
||||
return defaultGetUrl(req, signal);
|
||||
}
|
||||
|
||||
|
Loading…
Reference in New Issue
Block a user