Skip to content

Commit 57da3db

Browse files
nodejs-github-botRafaelGSS
authored andcommittedSep 5, 2022
deps: update undici to 5.9.1
PR-URL: #44319 Reviewed-By: Tobias Nießen <tniessen@tnie.de> Reviewed-By: Rich Trott <rtrott@gmail.com> Reviewed-By: Antoine du Hamel <duhamelantoine1995@gmail.com> Reviewed-By: Mohammed Keyvanzadeh <mohammadkeyvanzade94@gmail.com> Reviewed-By: Matteo Collina <matteo.collina@gmail.com>
1 parent c4a45a9 commit 57da3db

File tree

13 files changed

+335
-62
lines changed

13 files changed

+335
-62
lines changed
 

‎deps/undici/src/docs/api/Client.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -18,7 +18,7 @@ Returns: `Client`
1818
### Parameter: `ClientOptions`
1919

2020
* **bodyTimeout** `number | null` (optional) - Default: `30e3` - The timeout after which a request will time out, in milliseconds. Monitors time between receiving body data. Use `0` to disable it entirely. Defaults to 30 seconds.
21-
* **headersTimeout** `number | null` (optional) - Default: `30e3` - The amount of time the parser will wait to receive the complete HTTP headers. Defaults to 30 seconds.
21+
* **headersTimeout** `number | null` (optional) - Default: `30e3` - The amount of time the parser will wait to receive the complete HTTP headers while not sending the request. Defaults to 30 seconds.
2222
* **keepAliveMaxTimeout** `number | null` (optional) - Default: `600e3` - The maximum allowed `keepAliveTimeout` when overridden by *keep-alive* hints from the server. Defaults to 10 minutes.
2323
* **keepAliveTimeout** `number | null` (optional) - Default: `4e3` - The timeout after which a socket without active requests will time out. Monitors time between activity on a connected socket. This value may be overridden by *keep-alive* hints from the server. See [MDN: HTTP - Headers - Keep-Alive directives](https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Keep-Alive#directives) for more details. Defaults to 4 seconds.
2424
* **keepAliveTimeoutThreshold** `number | null` (optional) - Default: `1e3` - A number subtracted from server *keep-alive* hints when overriding `keepAliveTimeout` to account for timing inaccuracies caused by e.g. transport latency. Defaults to 1 second.

‎deps/undici/src/docs/api/Dispatcher.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -199,7 +199,7 @@ Returns: `Boolean` - `false` if dispatcher is busy and further dispatch calls wo
199199
* **blocking** `boolean` (optional) - Default: `false` - Whether the response is expected to take a long time and would end up blocking the pipeline. When this is set to `true` further pipelining will be avoided on the same connection until headers have been received.
200200
* **upgrade** `string | null` (optional) - Default: `null` - Upgrade the request. Should be used to specify the kind of upgrade i.e. `'Websocket'`.
201201
* **bodyTimeout** `number | null` (optional) - The timeout after which a request will time out, in milliseconds. Monitors time between receiving body data. Use `0` to disable it entirely. Defaults to 30 seconds.
202-
* **headersTimeout** `number | null` (optional) - The amount of time the parser will wait to receive the complete HTTP headers. Defaults to 30 seconds.
202+
* **headersTimeout** `number | null` (optional) - The amount of time the parser will wait to receive the complete HTTP headers while not sending the request. Defaults to 30 seconds.
203203
* **throwOnError** `boolean` (optional) - Default: `false` - Whether Undici should throw an error upon receiving a 4xx or 5xx response from the server.
204204

205205
#### Parameter: `DispatchHandler`

‎deps/undici/src/lib/api/readable.js

+1-1
Original file line numberDiff line numberDiff line change
@@ -93,7 +93,7 @@ module.exports = class BodyReadable extends Readable {
9393
}
9494

9595
push (chunk) {
96-
if (this[kConsume] && chunk !== null) {
96+
if (this[kConsume] && chunk !== null && this.readableLength === 0) {
9797
consumePush(this[kConsume], chunk)
9898
return this[kReading] ? super.push(chunk) : true
9999
}

‎deps/undici/src/lib/client.js

+15-2
Original file line numberDiff line numberDiff line change
@@ -889,8 +889,10 @@ function onParserTimeout (parser) {
889889

890890
/* istanbul ignore else */
891891
if (timeoutType === TIMEOUT_HEADERS) {
892-
assert(!parser.paused, 'cannot be paused while waiting for headers')
893-
util.destroy(socket, new HeadersTimeoutError())
892+
if (!socket[kWriting] || socket.writableNeedDrain || client[kRunning] > 1) {
893+
assert(!parser.paused, 'cannot be paused while waiting for headers')
894+
util.destroy(socket, new HeadersTimeoutError())
895+
}
894896
} else if (timeoutType === TIMEOUT_BODY) {
895897
if (!parser.paused) {
896898
util.destroy(socket, new BodyTimeoutError())
@@ -1641,7 +1643,18 @@ class AsyncWriter {
16411643
this.bytesWritten += len
16421644

16431645
const ret = socket.write(chunk)
1646+
16441647
request.onBodySent(chunk)
1648+
1649+
if (!ret) {
1650+
if (socket[kParser].timeout && socket[kParser].timeoutType === TIMEOUT_HEADERS) {
1651+
// istanbul ignore else: only for jest
1652+
if (socket[kParser].timeout.refresh) {
1653+
socket[kParser].timeout.refresh()
1654+
}
1655+
}
1656+
}
1657+
16451658
return ret
16461659
}
16471660

‎deps/undici/src/lib/core/util.js

+5-1
Original file line numberDiff line numberDiff line change
@@ -244,7 +244,11 @@ function parseHeaders (headers, obj = {}) {
244244
const key = headers[i].toString().toLowerCase()
245245
let val = obj[key]
246246
if (!val) {
247-
obj[key] = headers[i + 1].toString()
247+
if (Array.isArray(headers[i + 1])) {
248+
obj[key] = headers[i + 1]
249+
} else {
250+
obj[key] = headers[i + 1].toString()
251+
}
248252
} else {
249253
if (!Array.isArray(val)) {
250254
val = [val]

‎deps/undici/src/lib/fetch/body.js

+7-7
Original file line numberDiff line numberDiff line change
@@ -57,16 +57,16 @@ function extractBody (object, keepalive = false) {
5757

5858
// Set Content-Type to `application/x-www-form-urlencoded;charset=UTF-8`.
5959
contentType = 'application/x-www-form-urlencoded;charset=UTF-8'
60-
} else if (isArrayBuffer(object) || ArrayBuffer.isView(object)) {
61-
// BufferSource
60+
} else if (isArrayBuffer(object)) {
61+
// BufferSource/ArrayBuffer
6262

63-
if (object instanceof DataView) {
64-
// TODO: Blob doesn't seem to work with DataView?
65-
object = object.buffer
66-
}
63+
// Set source to a copy of the bytes held by object.
64+
source = new Uint8Array(object.slice())
65+
} else if (ArrayBuffer.isView(object)) {
66+
// BufferSource/ArrayBufferView
6767

6868
// Set source to a copy of the bytes held by object.
69-
source = new Uint8Array(object)
69+
source = new Uint8Array(object.buffer.slice(object.byteOffset, object.byteOffset + object.byteLength))
7070
} else if (util.isFormDataLike(object)) {
7171
const boundary = '----formdata-undici-' + Math.random()
7272
const prefix = `--${boundary}\r\nContent-Disposition: form-data`

‎deps/undici/src/lib/fetch/file.js

+3-1
Original file line numberDiff line numberDiff line change
@@ -278,7 +278,9 @@ function processBlobParts (parts, options) {
278278
if (!element.buffer) { // ArrayBuffer
279279
bytes.push(new Uint8Array(element))
280280
} else {
281-
bytes.push(element.buffer)
281+
bytes.push(
282+
new Uint8Array(element.buffer, element.byteOffset, element.byteLength)
283+
)
282284
}
283285
} else if (isBlobLike(element)) {
284286
// 3. If element is a Blob, append the bytes it represents

‎deps/undici/src/lib/fetch/index.js

+6-13
Original file line numberDiff line numberDiff line change
@@ -13,7 +13,7 @@ const { Headers } = require('./headers')
1313
const { Request, makeRequest } = require('./request')
1414
const zlib = require('zlib')
1515
const {
16-
matchRequestIntegrity,
16+
bytesMatch,
1717
makePolicyContainer,
1818
clonePolicyContainer,
1919
requestBadPort,
@@ -34,7 +34,8 @@ const {
3434
sameOrigin,
3535
isCancelled,
3636
isAborted,
37-
isErrorLike
37+
isErrorLike,
38+
fullyReadBody
3839
} = require('./util')
3940
const { kState, kHeaders, kGuard, kRealm } = require('./symbols')
4041
const assert = require('assert')
@@ -724,7 +725,7 @@ async function mainFetch (fetchParams, recursive = false) {
724725
const processBody = (bytes) => {
725726
// 1. If bytes do not match request’s integrity metadata,
726727
// then run processBodyError and abort these steps. [SRI]
727-
if (!matchRequestIntegrity(request, bytes)) {
728+
if (!bytesMatch(bytes, request.integrity)) {
728729
processBodyError('integrity mismatch')
729730
return
730731
}
@@ -738,11 +739,7 @@ async function mainFetch (fetchParams, recursive = false) {
738739
}
739740

740741
// 4. Fully read response’s body given processBody and processBodyError.
741-
try {
742-
processBody(await response.arrayBuffer())
743-
} catch (err) {
744-
processBodyError(err)
745-
}
742+
await fullyReadBody(response.body, processBody, processBodyError)
746743
} else {
747744
// 21. Otherwise, run fetch finale given fetchParams and response.
748745
fetchFinale(fetchParams, response)
@@ -974,11 +971,7 @@ async function fetchFinale (fetchParams, response) {
974971
} else {
975972
// 4. Otherwise, fully read response’s body given processBody, processBodyError,
976973
// and fetchParams’s task destination.
977-
try {
978-
processBody(await response.body.stream.arrayBuffer())
979-
} catch (err) {
980-
processBodyError(err)
981-
}
974+
await fullyReadBody(response.body, processBody, processBodyError)
982975
}
983976
}
984977
}

‎deps/undici/src/lib/fetch/request.js

+5-1
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@
44

55
const { extractBody, mixinBody, cloneBody } = require('./body')
66
const { Headers, fill: fillHeaders, HeadersList } = require('./headers')
7+
const { FinalizationRegistry } = require('../compat/dispatcher-weakref')()
78
const util = require('../core/util')
89
const {
910
isValidHTTPToken,
@@ -914,7 +915,10 @@ webidl.converters.RequestInit = webidl.dictionaryConverter([
914915
{
915916
key: 'signal',
916917
converter: webidl.nullableConverter(
917-
webidl.converters.AbortSignal
918+
(signal) => webidl.converters.AbortSignal(
919+
signal,
920+
{ strict: false }
921+
)
918922
)
919923
},
920924
{

‎deps/undici/src/lib/fetch/util.js

+168-3
Original file line numberDiff line numberDiff line change
@@ -4,9 +4,20 @@ const { redirectStatus } = require('./constants')
44
const { performance } = require('perf_hooks')
55
const { isBlobLike, toUSVString, ReadableStreamFrom } = require('../core/util')
66
const assert = require('assert')
7+
const { isUint8Array } = require('util/types')
78

89
let File
910

11+
// https://nodejs.org/api/crypto.html#determining-if-crypto-support-is-unavailable
12+
/** @type {import('crypto')|undefined} */
13+
let crypto
14+
15+
try {
16+
crypto = require('crypto')
17+
} catch {
18+
19+
}
20+
1021
// https://fetch.spec.whatwg.org/#block-bad-port
1122
const badPorts = [
1223
'1', '7', '9', '11', '13', '15', '17', '19', '20', '21', '22', '23', '25', '37', '42', '43', '53', '69', '77', '79',
@@ -339,10 +350,116 @@ function determineRequestsReferrer (request) {
339350
return 'no-referrer'
340351
}
341352

342-
function matchRequestIntegrity (request, bytes) {
353+
/**
354+
* @see https://w3c.github.io/webappsec-subresource-integrity/#does-response-match-metadatalist
355+
* @param {Uint8Array} bytes
356+
* @param {string} metadataList
357+
*/
358+
function bytesMatch (bytes, metadataList) {
359+
// If node is not built with OpenSSL support, we cannot check
360+
// a request's integrity, so allow it by default (the spec will
361+
// allow requests if an invalid hash is given, as precedence).
362+
/* istanbul ignore if: only if node is built with --without-ssl */
363+
if (crypto === undefined) {
364+
return true
365+
}
366+
367+
// 1. Let parsedMetadata be the result of parsing metadataList.
368+
const parsedMetadata = parseMetadata(metadataList)
369+
370+
// 2. If parsedMetadata is no metadata, return true.
371+
if (parsedMetadata === 'no metadata') {
372+
return true
373+
}
374+
375+
// 3. If parsedMetadata is the empty set, return true.
376+
if (parsedMetadata.length === 0) {
377+
return true
378+
}
379+
380+
// 4. Let metadata be the result of getting the strongest
381+
// metadata from parsedMetadata.
382+
// Note: this will only work for SHA- algorithms and it's lazy *at best*.
383+
const metadata = parsedMetadata.sort((c, d) => d.algo.localeCompare(c.algo))
384+
385+
// 5. For each item in metadata:
386+
for (const item of metadata) {
387+
// 1. Let algorithm be the alg component of item.
388+
const algorithm = item.algo
389+
390+
// 2. Let expectedValue be the val component of item.
391+
const expectedValue = item.hash
392+
393+
// 3. Let actualValue be the result of applying algorithm to bytes.
394+
// Note: "applying algorithm to bytes" converts the result to base64
395+
const actualValue = crypto.createHash(algorithm).update(bytes).digest('base64')
396+
397+
// 4. If actualValue is a case-sensitive match for expectedValue,
398+
// return true.
399+
if (actualValue === expectedValue) {
400+
return true
401+
}
402+
}
403+
404+
// 6. Return false.
343405
return false
344406
}
345407

408+
// https://w3c.github.io/webappsec-subresource-integrity/#grammardef-hash-with-options
409+
// hash-algo is defined in Content Security Policy 2 Section 4.2
410+
// base64-value is similary defined there
411+
// VCHAR is defined https://www.rfc-editor.org/rfc/rfc5234#appendix-B.1
412+
const parseHashWithOptions = /((?<algo>sha256|sha384|sha512)-(?<hash>[A-z0-9+/]{1}.*={1,2}))( +[\x21-\x7e]?)?/i
413+
414+
/**
415+
* @see https://w3c.github.io/webappsec-subresource-integrity/#parse-metadata
416+
* @param {string} metadata
417+
*/
418+
function parseMetadata (metadata) {
419+
// 1. Let result be the empty set.
420+
/** @type {{ algo: string, hash: string }[]} */
421+
const result = []
422+
423+
// 2. Let empty be equal to true.
424+
let empty = true
425+
426+
const supportedHashes = crypto.getHashes()
427+
428+
// 3. For each token returned by splitting metadata on spaces:
429+
for (const token of metadata.split(' ')) {
430+
// 1. Set empty to false.
431+
empty = false
432+
433+
// 2. Parse token as a hash-with-options.
434+
const parsedToken = parseHashWithOptions.exec(token)
435+
436+
// 3. If token does not parse, continue to the next token.
437+
if (parsedToken === null || parsedToken.groups === undefined) {
438+
// Note: Chromium blocks the request at this point, but Firefox
439+
// gives a warning that an invalid integrity was given. The
440+
// correct behavior is to ignore these, and subsequently not
441+
// check the integrity of the resource.
442+
continue
443+
}
444+
445+
// 4. Let algorithm be the hash-algo component of token.
446+
const algorithm = parsedToken.groups.algo
447+
448+
// 5. If algorithm is a hash function recognized by the user
449+
// agent, add the parsed token to result.
450+
if (supportedHashes.includes(algorithm.toLowerCase())) {
451+
result.push(parsedToken.groups)
452+
}
453+
}
454+
455+
// 4. Return no metadata if empty is true, otherwise return result.
456+
if (empty === true) {
457+
return 'no metadata'
458+
}
459+
460+
return result
461+
}
462+
346463
// https://w3c.github.io/webappsec-upgrade-insecure-requests/#upgrade-request
347464
function tryUpgradeRequestToAPotentiallyTrustworthyURL (request) {
348465
// TODO
@@ -438,6 +555,53 @@ function makeIterator (iterator, name) {
438555
return Object.setPrototypeOf({}, i)
439556
}
440557

558+
/**
559+
* @see https://fetch.spec.whatwg.org/#body-fully-read
560+
*/
561+
async function fullyReadBody (body, processBody, processBodyError) {
562+
// 1. If taskDestination is null, then set taskDestination to
563+
// the result of starting a new parallel queue.
564+
565+
// 2. Let promise be the result of fully reading body as promise
566+
// given body.
567+
try {
568+
/** @type {Uint8Array[]} */
569+
const chunks = []
570+
let length = 0
571+
572+
const reader = body.stream.getReader()
573+
574+
while (true) {
575+
const { done, value } = await reader.read()
576+
577+
if (done === true) {
578+
break
579+
}
580+
581+
// read-loop chunk steps
582+
assert(isUint8Array(value))
583+
584+
chunks.push(value)
585+
length += value.byteLength
586+
}
587+
588+
// 3. Let fulfilledSteps given a byte sequence bytes be to queue
589+
// a fetch task to run processBody given bytes, with
590+
// taskDestination.
591+
const fulfilledSteps = (bytes) => queueMicrotask(() => {
592+
processBody(bytes)
593+
})
594+
595+
fulfilledSteps(Buffer.concat(chunks, length))
596+
} catch (err) {
597+
// 4. Let rejectedSteps be to queue a fetch task to run
598+
// processBodyError, with taskDestination.
599+
queueMicrotask(() => processBodyError(err))
600+
}
601+
602+
// 5. React to promise with fulfilledSteps and rejectedSteps.
603+
}
604+
441605
/**
442606
* Fetch supports node >= 16.8.0, but Object.hasOwn was added in v16.9.0.
443607
*/
@@ -451,7 +615,6 @@ module.exports = {
451615
toUSVString,
452616
tryUpgradeRequestToAPotentiallyTrustworthyURL,
453617
coarsenedSharedCurrentTime,
454-
matchRequestIntegrity,
455618
determineRequestsReferrer,
456619
makePolicyContainer,
457620
clonePolicyContainer,
@@ -477,5 +640,7 @@ module.exports = {
477640
isValidHeaderName,
478641
isValidHeaderValue,
479642
hasOwn,
480-
isErrorLike
643+
isErrorLike,
644+
fullyReadBody,
645+
bytesMatch
481646
}

‎deps/undici/src/lib/mock/mock-utils.js

+19-2
Original file line numberDiff line numberDiff line change
@@ -85,6 +85,22 @@ function matchHeaders (mockDispatch, headers) {
8585
return true
8686
}
8787

88+
function safeUrl (path) {
89+
if (typeof path !== 'string') {
90+
return path
91+
}
92+
93+
const pathSegments = path.split('?')
94+
95+
if (pathSegments.length !== 2) {
96+
return path
97+
}
98+
99+
const qp = new URLSearchParams(pathSegments.pop())
100+
qp.sort()
101+
return [...pathSegments, qp.toString()].join('?')
102+
}
103+
88104
function matchKey (mockDispatch, { path, method, body, headers }) {
89105
const pathMatch = matchValue(mockDispatch.path, path)
90106
const methodMatch = matchValue(mockDispatch.method, method)
@@ -104,10 +120,11 @@ function getResponseData (data) {
104120
}
105121

106122
function getMockDispatch (mockDispatches, key) {
107-
const resolvedPath = key.query ? buildURL(key.path, key.query) : key.path
123+
const basePath = key.query ? buildURL(key.path, key.query) : key.path
124+
const resolvedPath = typeof basePath === 'string' ? safeUrl(basePath) : basePath
108125

109126
// Match path
110-
let matchedMockDispatches = mockDispatches.filter(({ consumed }) => !consumed).filter(({ path }) => matchValue(path, resolvedPath))
127+
let matchedMockDispatches = mockDispatches.filter(({ consumed }) => !consumed).filter(({ path }) => matchValue(safeUrl(path), resolvedPath))
111128
if (matchedMockDispatches.length === 0) {
112129
throw new MockNotMatchedError(`Mock dispatch not matched for path '${resolvedPath}'`)
113130
}

‎deps/undici/src/package.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
{
22
"name": "undici",
3-
"version": "5.8.2",
3+
"version": "5.10.0",
44
"description": "An HTTP/1.1 client, written from scratch for Node.js",
55
"homepage": "https://undici.nodejs.org",
66
"bugs": {

‎deps/undici/undici.js

+103-28
Original file line numberDiff line numberDiff line change
@@ -835,7 +835,11 @@ var require_util = __commonJS({
835835
const key = headers[i].toString().toLowerCase();
836836
let val = obj[key];
837837
if (!val) {
838-
obj[key] = headers[i + 1].toString();
838+
if (Array.isArray(headers[i + 1])) {
839+
obj[key] = headers[i + 1];
840+
} else {
841+
obj[key] = headers[i + 1].toString();
842+
}
839843
} else {
840844
if (!Array.isArray(val)) {
841845
val = [val];
@@ -1537,7 +1541,7 @@ var require_file = __commonJS({
15371541
if (!element.buffer) {
15381542
bytes.push(new Uint8Array(element));
15391543
} else {
1540-
bytes.push(element.buffer);
1544+
bytes.push(new Uint8Array(element.buffer, element.byteOffset, element.byteLength));
15411545
}
15421546
} else if (isBlobLike(element)) {
15431547
bytes.push(element);
@@ -1564,7 +1568,13 @@ var require_util2 = __commonJS({
15641568
var { performance: performance2 } = require("perf_hooks");
15651569
var { isBlobLike, toUSVString, ReadableStreamFrom } = require_util();
15661570
var assert = require("assert");
1571+
var { isUint8Array } = require("util/types");
15671572
var File;
1573+
var crypto;
1574+
try {
1575+
crypto = require("crypto");
1576+
} catch {
1577+
}
15681578
var badPorts = [
15691579
"1",
15701580
"7",
@@ -1803,9 +1813,49 @@ var require_util2 = __commonJS({
18031813
function determineRequestsReferrer(request) {
18041814
return "no-referrer";
18051815
}
1806-
function matchRequestIntegrity(request, bytes) {
1816+
function bytesMatch(bytes, metadataList) {
1817+
if (crypto === void 0) {
1818+
return true;
1819+
}
1820+
const parsedMetadata = parseMetadata(metadataList);
1821+
if (parsedMetadata === "no metadata") {
1822+
return true;
1823+
}
1824+
if (parsedMetadata.length === 0) {
1825+
return true;
1826+
}
1827+
const metadata = parsedMetadata.sort((c, d) => d.algo.localeCompare(c.algo));
1828+
for (const item of metadata) {
1829+
const algorithm = item.algo;
1830+
const expectedValue = item.hash;
1831+
const actualValue = crypto.createHash(algorithm).update(bytes).digest("base64");
1832+
if (actualValue === expectedValue) {
1833+
return true;
1834+
}
1835+
}
18071836
return false;
18081837
}
1838+
var parseHashWithOptions = /((?<algo>sha256|sha384|sha512)-(?<hash>[A-z0-9+/]{1}.*={1,2}))( +[\x21-\x7e]?)?/i;
1839+
function parseMetadata(metadata) {
1840+
const result = [];
1841+
let empty = true;
1842+
const supportedHashes = crypto.getHashes();
1843+
for (const token of metadata.split(" ")) {
1844+
empty = false;
1845+
const parsedToken = parseHashWithOptions.exec(token);
1846+
if (parsedToken === null || parsedToken.groups === void 0) {
1847+
continue;
1848+
}
1849+
const algorithm = parsedToken.groups.algo;
1850+
if (supportedHashes.includes(algorithm.toLowerCase())) {
1851+
result.push(parsedToken.groups);
1852+
}
1853+
}
1854+
if (empty === true) {
1855+
return "no metadata";
1856+
}
1857+
return result;
1858+
}
18091859
function tryUpgradeRequestToAPotentiallyTrustworthyURL(request) {
18101860
}
18111861
function sameOrigin(A, B) {
@@ -1854,6 +1904,28 @@ var require_util2 = __commonJS({
18541904
Object.setPrototypeOf(i, esIteratorPrototype);
18551905
return Object.setPrototypeOf({}, i);
18561906
}
1907+
async function fullyReadBody(body, processBody, processBodyError) {
1908+
try {
1909+
const chunks = [];
1910+
let length = 0;
1911+
const reader = body.stream.getReader();
1912+
while (true) {
1913+
const { done, value } = await reader.read();
1914+
if (done === true) {
1915+
break;
1916+
}
1917+
assert(isUint8Array(value));
1918+
chunks.push(value);
1919+
length += value.byteLength;
1920+
}
1921+
const fulfilledSteps = (bytes) => queueMicrotask(() => {
1922+
processBody(bytes);
1923+
});
1924+
fulfilledSteps(Buffer.concat(chunks, length));
1925+
} catch (err) {
1926+
queueMicrotask(() => processBodyError(err));
1927+
}
1928+
}
18571929
var hasOwn = Object.hasOwn || ((dict, key) => Object.prototype.hasOwnProperty.call(dict, key));
18581930
module2.exports = {
18591931
isAborted,
@@ -1863,7 +1935,6 @@ var require_util2 = __commonJS({
18631935
toUSVString,
18641936
tryUpgradeRequestToAPotentiallyTrustworthyURL,
18651937
coarsenedSharedCurrentTime,
1866-
matchRequestIntegrity,
18671938
determineRequestsReferrer,
18681939
makePolicyContainer,
18691940
clonePolicyContainer,
@@ -1889,7 +1960,9 @@ var require_util2 = __commonJS({
18891960
isValidHeaderName,
18901961
isValidHeaderValue,
18911962
hasOwn,
1892-
isErrorLike
1963+
isErrorLike,
1964+
fullyReadBody,
1965+
bytesMatch
18931966
};
18941967
}
18951968
});
@@ -2105,11 +2178,10 @@ var require_body = __commonJS({
21052178
} else if (object instanceof URLSearchParams) {
21062179
source = object.toString();
21072180
contentType = "application/x-www-form-urlencoded;charset=UTF-8";
2108-
} else if (isArrayBuffer(object) || ArrayBuffer.isView(object)) {
2109-
if (object instanceof DataView) {
2110-
object = object.buffer;
2111-
}
2112-
source = new Uint8Array(object);
2181+
} else if (isArrayBuffer(object)) {
2182+
source = new Uint8Array(object.slice());
2183+
} else if (ArrayBuffer.isView(object)) {
2184+
source = new Uint8Array(object.buffer.slice(object.byteOffset, object.byteOffset + object.byteLength));
21132185
} else if (util.isFormDataLike(object)) {
21142186
const boundary = "----formdata-undici-" + Math.random();
21152187
const prefix = `--${boundary}\r
@@ -3903,8 +3975,10 @@ var require_client = __commonJS({
39033975
function onParserTimeout(parser) {
39043976
const { socket, timeoutType, client } = parser;
39053977
if (timeoutType === TIMEOUT_HEADERS) {
3906-
assert(!parser.paused, "cannot be paused while waiting for headers");
3907-
util.destroy(socket, new HeadersTimeoutError());
3978+
if (!socket[kWriting] || socket.writableNeedDrain || client[kRunning] > 1) {
3979+
assert(!parser.paused, "cannot be paused while waiting for headers");
3980+
util.destroy(socket, new HeadersTimeoutError());
3981+
}
39083982
} else if (timeoutType === TIMEOUT_BODY) {
39093983
if (!parser.paused) {
39103984
util.destroy(socket, new BodyTimeoutError());
@@ -4452,6 +4526,13 @@ ${len.toString(16)}\r
44524526
this.bytesWritten += len;
44534527
const ret = socket.write(chunk);
44544528
request.onBodySent(chunk);
4529+
if (!ret) {
4530+
if (socket[kParser].timeout && socket[kParser].timeoutType === TIMEOUT_HEADERS) {
4531+
if (socket[kParser].timeout.refresh) {
4532+
socket[kParser].timeout.refresh();
4533+
}
4534+
}
4535+
}
44554536
return ret;
44564537
}
44574538
end() {
@@ -4631,7 +4712,7 @@ var require_agent = __commonJS({
46314712
var Client = require_client();
46324713
var util = require_util();
46334714
var RedirectHandler = require_redirect();
4634-
var { WeakRef, FinalizationRegistry: FinalizationRegistry2 } = require_dispatcher_weakref()();
4715+
var { WeakRef, FinalizationRegistry } = require_dispatcher_weakref()();
46354716
var kOnConnect = Symbol("onConnect");
46364717
var kOnDisconnect = Symbol("onDisconnect");
46374718
var kOnConnectionError = Symbol("onConnectionError");
@@ -4662,7 +4743,7 @@ var require_agent = __commonJS({
46624743
this[kMaxRedirections] = maxRedirections;
46634744
this[kFactory] = factory;
46644745
this[kClients] = /* @__PURE__ */ new Map();
4665-
this[kFinalizer] = new FinalizationRegistry2((key) => {
4746+
this[kFinalizer] = new FinalizationRegistry((key) => {
46664747
const ref = this[kClients].get(key);
46674748
if (ref !== void 0 && ref.deref() === void 0) {
46684749
this[kClients].delete(key);
@@ -5443,6 +5524,7 @@ var require_request2 = __commonJS({
54435524
"use strict";
54445525
var { extractBody, mixinBody, cloneBody } = require_body();
54455526
var { Headers, fill: fillHeaders, HeadersList } = require_headers();
5527+
var { FinalizationRegistry } = require_dispatcher_weakref()();
54465528
var util = require_util();
54475529
var {
54485530
isValidHTTPToken,
@@ -5975,7 +6057,7 @@ var require_request2 = __commonJS({
59756057
},
59766058
{
59776059
key: "signal",
5978-
converter: webidl.nullableConverter(webidl.converters.AbortSignal)
6060+
converter: webidl.nullableConverter((signal) => webidl.converters.AbortSignal(signal, { strict: false }))
59796061
},
59806062
{
59816063
key: "window",
@@ -6207,7 +6289,7 @@ var require_fetch = __commonJS({
62076289
var { Request, makeRequest } = require_request2();
62086290
var zlib = require("zlib");
62096291
var {
6210-
matchRequestIntegrity,
6292+
bytesMatch,
62116293
makePolicyContainer,
62126294
clonePolicyContainer,
62136295
requestBadPort,
@@ -6228,7 +6310,8 @@ var require_fetch = __commonJS({
62286310
sameOrigin,
62296311
isCancelled,
62306312
isAborted,
6231-
isErrorLike
6313+
isErrorLike,
6314+
fullyReadBody
62326315
} = require_util2();
62336316
var { kState, kHeaders, kGuard, kRealm } = require_symbols2();
62346317
var assert = require("assert");
@@ -6533,18 +6616,14 @@ var require_fetch = __commonJS({
65336616
return;
65346617
}
65356618
const processBody = (bytes) => {
6536-
if (!matchRequestIntegrity(request, bytes)) {
6619+
if (!bytesMatch(bytes, request.integrity)) {
65376620
processBodyError("integrity mismatch");
65386621
return;
65396622
}
65406623
response.body = safelyExtractBody(bytes)[0];
65416624
fetchFinale(fetchParams, response);
65426625
};
6543-
try {
6544-
processBody(await response.arrayBuffer());
6545-
} catch (err) {
6546-
processBodyError(err);
6547-
}
6626+
await fullyReadBody(response.body, processBody, processBodyError);
65486627
} else {
65496628
fetchFinale(fetchParams, response);
65506629
}
@@ -6667,11 +6746,7 @@ var require_fetch = __commonJS({
66676746
if (response.body == null) {
66686747
queueMicrotask(() => processBody(null));
66696748
} else {
6670-
try {
6671-
processBody(await response.body.stream.arrayBuffer());
6672-
} catch (err) {
6673-
processBodyError(err);
6674-
}
6749+
await fullyReadBody(response.body, processBody, processBodyError);
66756750
}
66766751
}
66776752
}

0 commit comments

Comments
 (0)
Please sign in to comment.