Skip to content

Commit 0d24163

Browse files
nodejs-github-botRafaelGSS
authored andcommittedNov 10, 2022
deps: update undici to 5.12.0
PR-URL: #45236 Reviewed-By: Antoine du Hamel <duhamelantoine1995@gmail.com> Reviewed-By: Mohammed Keyvanzadeh <mohammadkeyvanzade94@gmail.com> Reviewed-By: Moshe Atlow <moshe@atlow.co.il>
1 parent 0040030 commit 0d24163

40 files changed

+9571
-4711
lines changed
 

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

+1
Original file line numberDiff line numberDiff line change
@@ -23,6 +23,7 @@ Returns: `Client`
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.
2525
* **maxHeaderSize** `number | null` (optional) - Default: `16384` - The maximum length of request headers in bytes. Defaults to 16KiB.
26+
* **maxResponseSize** `number | null` (optional) - Default: `-1` - The maximum length of response body in bytes. Set to `-1` to disable.
2627
* **pipelining** `number | null` (optional) - Default: `1` - The amount of concurrent requests to be sent over the single TCP/TLS connection according to [RFC7230](https://tools.ietf.org/html/rfc7230#section-6.3.2). Carefully consider your workload and environment before enabling concurrent requests as pipelining may reduce performance if used incorrectly. Pipelining is sensitive to network stack settings as well as head of line blocking caused by e.g. long running requests. Set to `0` to disable keep-alive connections.
2728
* **connect** `ConnectOptions | Function | null` (optional) - Default: `null`.
2829
* **strictContentLength** `Boolean` (optional) - Default: `true` - Whether to treat request content length mismatches as errors. If true, an error is thrown when the request content-length header doesn't match the length of the request body.

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

+1
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,7 @@ import { errors } from 'undici'
1919
| `RequestContentLengthMismatchError` | `UND_ERR_REQ_CONTENT_LENGTH_MISMATCH` | request body does not match content-length header |
2020
| `ResponseContentLengthMismatchError` | `UND_ERR_RES_CONTENT_LENGTH_MISMATCH` | response body does not match content-length header |
2121
| `InformationalError` | `UND_ERR_INFO` | expected error with reason |
22+
| `ResponseExceededMaxSizeError` | `UND_ERR_RES_EXCEEDED_MAX_SIZE` | response body exceed the max size allowed |
2223

2324
### `SocketError`
2425

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

+22
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,8 @@ Returns: `ProxyAgent`
1717
Extends: [`AgentOptions`](Agent.md#parameter-agentoptions)
1818

1919
* **uri** `string` (required) - It can be passed either by a string or a object containing `uri` as string.
20+
* **token** `string` (optional) - It can be passed by a string of token for authentication.
21+
* **auth** `string` (**deprecated**) - Use token.
2022

2123
Examples:
2224

@@ -74,6 +76,26 @@ for await (const data of body) {
7476
}
7577
```
7678

79+
#### Example - Basic Proxy Request with authentication
80+
81+
```js
82+
import { setGlobalDispatcher, request, ProxyAgent } from 'undici';
83+
84+
const proxyAgent = new ProxyAgent({
85+
uri: 'my.proxy.server',
86+
token: 'Bearer xxxx'
87+
});
88+
setGlobalDispatcher(proxyAgent);
89+
90+
const { statusCode, body } = await request('http://localhost:3000/foo');
91+
92+
console.log('response received', statusCode); // response received 200
93+
94+
for await (const data of body) {
95+
console.log('data', data.toString('utf8')); // data foo
96+
}
97+
```
98+
7799
### `ProxyAgent.close()`
78100

79101
Closes the proxy agent and waits for registered pools and clients to also close before resolving.

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

+1-3
Original file line numberDiff line numberDiff line change
@@ -1,12 +1,10 @@
11
'use strict'
22

3-
const { getGlobalDispatcher } = require('./lib/global')
43
const fetchImpl = require('./lib/fetch').fetch
54

65
module.exports.fetch = async function fetch (resource) {
7-
const dispatcher = (arguments[1] && arguments[1].dispatcher) || getGlobalDispatcher()
86
try {
9-
return await fetchImpl.apply(dispatcher, arguments)
7+
return await fetchImpl(...arguments)
108
} catch (err) {
119
Error.captureStackTrace(err, this)
1210
throw err

‎deps/undici/src/index.d.ts

+1
Original file line numberDiff line numberDiff line change
@@ -18,6 +18,7 @@ import { request, pipeline, stream, connect, upgrade } from './types/api'
1818

1919
export * from './types/fetch'
2020
export * from './types/file'
21+
export * from './types/filereader'
2122
export * from './types/formdata'
2223
export * from './types/diagnostics-channel'
2324
export { Interceptable } from './types/mock-interceptor'

‎deps/undici/src/index.js

+3-2
Original file line numberDiff line numberDiff line change
@@ -98,9 +98,9 @@ if (nodeMajor > 16 || (nodeMajor === 16 && nodeMinor >= 8)) {
9898
if (!fetchImpl) {
9999
fetchImpl = require('./lib/fetch').fetch
100100
}
101-
const dispatcher = (arguments[1] && arguments[1].dispatcher) || getGlobalDispatcher()
101+
102102
try {
103-
return await fetchImpl.apply(dispatcher, arguments)
103+
return await fetchImpl(...arguments)
104104
} catch (err) {
105105
Error.captureStackTrace(err, this)
106106
throw err
@@ -111,6 +111,7 @@ if (nodeMajor > 16 || (nodeMajor === 16 && nodeMinor >= 8)) {
111111
module.exports.Request = require('./lib/fetch/request').Request
112112
module.exports.FormData = require('./lib/fetch/formdata').FormData
113113
module.exports.File = require('./lib/fetch/file').File
114+
module.exports.FileReader = require('./lib/fileapi/filereader').FileReader
114115

115116
const { setGlobalOrigin, getGlobalOrigin } = require('./lib/fetch/global')
116117

‎deps/undici/src/lib/api/api-stream.js

+1-1
Original file line numberDiff line numberDiff line change
@@ -106,7 +106,7 @@ class StreamHandler extends AsyncResource {
106106
}
107107

108108
res.on('drain', resume)
109-
// TODO: Avoid finished. It registers an unecessary amount of listeners.
109+
// TODO: Avoid finished. It registers an unnecessary amount of listeners.
110110
finished(res, { readable: false }, (err) => {
111111
const { callback, res, opaque, trailers, abort } = this
112112

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

+40-23
Original file line numberDiff line numberDiff line change
@@ -17,7 +17,8 @@ const {
1717
SocketError,
1818
InformationalError,
1919
BodyTimeoutError,
20-
HTTPParserError
20+
HTTPParserError,
21+
ResponseExceededMaxSizeError
2122
} = require('./core/errors')
2223
const buildConnector = require('./core/connect')
2324
const {
@@ -60,7 +61,9 @@ const {
6061
kClose,
6162
kDestroy,
6263
kDispatch,
63-
kInterceptors
64+
kInterceptors,
65+
kLocalAddress,
66+
kMaxResponseSize
6467
} = require('./core/symbols')
6568

6669
const kClosedResolve = Symbol('kClosedResolve')
@@ -102,7 +105,9 @@ class Client extends DispatcherBase {
102105
maxCachedSessions,
103106
maxRedirections,
104107
connect,
105-
maxRequestsPerClient
108+
maxRequestsPerClient,
109+
localAddress,
110+
maxResponseSize
106111
} = {}) {
107112
super()
108113

@@ -170,6 +175,14 @@ class Client extends DispatcherBase {
170175
throw new InvalidArgumentError('maxRequestsPerClient must be a positive number')
171176
}
172177

178+
if (localAddress != null && (typeof localAddress !== 'string' || net.isIP(localAddress) === 0)) {
179+
throw new InvalidArgumentError('localAddress must be valid string IP address')
180+
}
181+
182+
if (maxResponseSize != null && (!Number.isInteger(maxResponseSize) || maxResponseSize < -1)) {
183+
throw new InvalidArgumentError('maxResponseSize must be a positive number')
184+
}
185+
173186
if (typeof connect !== 'function') {
174187
connect = buildConnector({
175188
...tls,
@@ -193,6 +206,7 @@ class Client extends DispatcherBase {
193206
this[kKeepAliveTimeoutThreshold] = keepAliveTimeoutThreshold == null ? 1e3 : keepAliveTimeoutThreshold
194207
this[kKeepAliveTimeoutValue] = this[kKeepAliveDefaultTimeout]
195208
this[kServerName] = null
209+
this[kLocalAddress] = localAddress != null ? localAddress : null
196210
this[kResuming] = 0 // 0, idle, 1, scheduled, 2 resuming
197211
this[kNeedDrain] = 0 // 0, idle, 1, scheduled, 2 resuming
198212
this[kHostHeader] = `host: ${this[kUrl].hostname}${this[kUrl].port ? `:${this[kUrl].port}` : ''}\r\n`
@@ -202,6 +216,7 @@ class Client extends DispatcherBase {
202216
this[kMaxRedirections] = maxRedirections
203217
this[kMaxRequests] = maxRequestsPerClient
204218
this[kClosedResolve] = null
219+
this[kMaxResponseSize] = maxResponseSize > -1 ? maxResponseSize : -1
205220

206221
// kQueue is built up of 3 sections separated by
207222
// the kRunningIdx and kPendingIdx indices.
@@ -426,6 +441,7 @@ class Parser {
426441

427442
this.keepAlive = ''
428443
this.contentLength = ''
444+
this.maxResponseSize = client[kMaxResponseSize]
429445
}
430446

431447
setTimeout (value, type) {
@@ -542,19 +558,6 @@ class Parser {
542558
}
543559
}
544560

545-
finish () {
546-
try {
547-
try {
548-
currentParser = this
549-
} finally {
550-
currentParser = null
551-
}
552-
} catch (err) {
553-
/* istanbul ignore next: difficult to make a test case for */
554-
util.destroy(this.socket, err)
555-
}
556-
}
557-
558561
destroy () {
559562
assert(this.ptr != null)
560563
assert(currentParser == null)
@@ -783,7 +786,7 @@ class Parser {
783786
}
784787

785788
onBody (buf) {
786-
const { client, socket, statusCode } = this
789+
const { client, socket, statusCode, maxResponseSize } = this
787790

788791
if (socket.destroyed) {
789792
return -1
@@ -802,6 +805,11 @@ class Parser {
802805

803806
assert(statusCode >= 200)
804807

808+
if (maxResponseSize > -1 && this.bytesRead + buf.length > maxResponseSize) {
809+
util.destroy(socket, new ResponseExceededMaxSizeError())
810+
return -1
811+
}
812+
805813
this.bytesRead += buf.length
806814

807815
try {
@@ -917,7 +925,7 @@ function onSocketError (err) {
917925
// to the user.
918926
if (err.code === 'ECONNRESET' && parser.statusCode && !parser.shouldKeepAlive) {
919927
// We treat all incoming data so for as a valid response.
920-
parser.finish()
928+
parser.onMessageComplete()
921929
return
922930
}
923931

@@ -951,7 +959,7 @@ function onSocketEnd () {
951959

952960
if (parser.statusCode && !parser.shouldKeepAlive) {
953961
// We treat all incoming data so far as a valid response.
954-
parser.finish()
962+
parser.onMessageComplete()
955963
return
956964
}
957965

@@ -961,6 +969,11 @@ function onSocketEnd () {
961969
function onSocketClose () {
962970
const { [kClient]: client } = this
963971

972+
if (!this[kError] && this[kParser].statusCode && !this[kParser].shouldKeepAlive) {
973+
// We treat all incoming data so far as a valid response.
974+
this[kParser].onMessageComplete()
975+
}
976+
964977
this[kParser].destroy()
965978
this[kParser] = null
966979

@@ -1020,7 +1033,8 @@ async function connect (client) {
10201033
hostname,
10211034
protocol,
10221035
port,
1023-
servername: client[kServerName]
1036+
servername: client[kServerName],
1037+
localAddress: client[kLocalAddress]
10241038
},
10251039
connector: client[kConnector]
10261040
})
@@ -1033,7 +1047,8 @@ async function connect (client) {
10331047
hostname,
10341048
protocol,
10351049
port,
1036-
servername: client[kServerName]
1050+
servername: client[kServerName],
1051+
localAddress: client[kLocalAddress]
10371052
}, (err, socket) => {
10381053
if (err) {
10391054
reject(err)
@@ -1076,7 +1091,8 @@ async function connect (client) {
10761091
hostname,
10771092
protocol,
10781093
port,
1079-
servername: client[kServerName]
1094+
servername: client[kServerName],
1095+
localAddress: client[kLocalAddress]
10801096
},
10811097
connector: client[kConnector],
10821098
socket
@@ -1093,7 +1109,8 @@ async function connect (client) {
10931109
hostname,
10941110
protocol,
10951111
port,
1096-
servername: client[kServerName]
1112+
servername: client[kServerName],
1113+
localAddress: client[kLocalAddress]
10971114
},
10981115
connector: client[kConnector],
10991116
error: err

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

+3-1
Original file line numberDiff line numberDiff line change
@@ -21,7 +21,7 @@ function buildConnector ({ maxCachedSessions, socketPath, timeout, ...opts }) {
2121
timeout = timeout == null ? 10e3 : timeout
2222
maxCachedSessions = maxCachedSessions == null ? 100 : maxCachedSessions
2323

24-
return function connect ({ hostname, host, protocol, port, servername, httpSocket }, callback) {
24+
return function connect ({ hostname, host, protocol, port, servername, localAddress, httpSocket }, callback) {
2525
let socket
2626
if (protocol === 'https:') {
2727
if (!tls) {
@@ -39,6 +39,7 @@ function buildConnector ({ maxCachedSessions, socketPath, timeout, ...opts }) {
3939
...options,
4040
servername,
4141
session,
42+
localAddress,
4243
socket: httpSocket, // upgrade socket connection
4344
port: port || 443,
4445
host: hostname
@@ -70,6 +71,7 @@ function buildConnector ({ maxCachedSessions, socketPath, timeout, ...opts }) {
7071
socket = net.connect({
7172
highWaterMark: 64 * 1024, // Same as nodejs fs streams.
7273
...options,
74+
localAddress,
7375
port: port || 80,
7476
host: hostname
7577
})

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

+12-1
Original file line numberDiff line numberDiff line change
@@ -183,6 +183,16 @@ class HTTPParserError extends Error {
183183
}
184184
}
185185

186+
class ResponseExceededMaxSizeError extends UndiciError {
187+
constructor (message) {
188+
super(message)
189+
Error.captureStackTrace(this, ResponseExceededMaxSizeError)
190+
this.name = 'ResponseExceededMaxSizeError'
191+
this.message = message || 'Response content exceeded max size'
192+
this.code = 'UND_ERR_RES_EXCEEDED_MAX_SIZE'
193+
}
194+
}
195+
186196
module.exports = {
187197
HTTPParserError,
188198
UndiciError,
@@ -201,5 +211,6 @@ module.exports = {
201211
SocketError,
202212
NotSupportedError,
203213
ResponseContentLengthMismatchError,
204-
BalancedPoolMissingUpstreamError
214+
BalancedPoolMissingUpstreamError,
215+
ResponseExceededMaxSizeError
205216
}

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

+3-1
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,7 @@ module.exports = {
1717
kHeadersTimeout: Symbol('headers timeout'),
1818
kBodyTimeout: Symbol('body timeout'),
1919
kServerName: Symbol('server name'),
20+
kLocalAddress: Symbol('local address'),
2021
kHost: Symbol('host'),
2122
kNoRef: Symbol('no ref'),
2223
kBodyUsed: Symbol('used'),
@@ -49,5 +50,6 @@ module.exports = {
4950
kMaxRequests: Symbol('maxRequestsPerClient'),
5051
kProxy: Symbol('proxy agent options'),
5152
kCounter: Symbol('socket request counter'),
52-
kInterceptors: Symbol('dispatch interceptors')
53+
kInterceptors: Symbol('dispatch interceptors'),
54+
kMaxResponseSize: Symbol('max response size')
5355
}

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

+239-167
Large diffs are not rendered by default.

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

+24
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,7 @@
11
'use strict'
22

3+
const { MessageChannel, receiveMessageOnPort } = require('worker_threads')
4+
35
const corsSafeListedMethods = ['GET', 'HEAD', 'POST']
46

57
const nullBodyStatus = [101, 204, 205, 304]
@@ -71,8 +73,30 @@ const DOMException = globalThis.DOMException ?? (() => {
7173
}
7274
})()
7375

76+
let channel
77+
78+
/** @type {globalThis['structuredClone']} */
79+
const structuredClone =
80+
globalThis.structuredClone ??
81+
// https://github.com/nodejs/node/blob/b27ae24dcc4251bad726d9d84baf678d1f707fed/lib/internal/structured_clone.js
82+
// structuredClone was added in v17.0.0, but fetch supports v16.8
83+
function structuredClone (value, options = undefined) {
84+
if (arguments.length === 0) {
85+
throw new TypeError('missing argument')
86+
}
87+
88+
if (!channel) {
89+
channel = new MessageChannel()
90+
}
91+
channel.port1.unref()
92+
channel.port2.unref()
93+
channel.port1.postMessage(value, options?.transfer)
94+
return receiveMessageOnPort(channel.port2).message
95+
}
96+
7497
module.exports = {
7598
DOMException,
99+
structuredClone,
76100
subresource,
77101
forbiddenMethods,
78102
requestBodyHeader,

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

+7-3
Original file line numberDiff line numberDiff line change
@@ -135,7 +135,7 @@ function URLSerializer (url, excludeFragment = false) {
135135
}
136136

137137
// 3. Append url’s host, serialized, to output.
138-
output += decodeURIComponent(url.host)
138+
output += decodeURIComponent(url.hostname)
139139

140140
// 4. If url’s port is non-null, append U+003A (:) followed by url’s port,
141141
// serialized, to output.
@@ -305,7 +305,7 @@ function parseMIMEType (input) {
305305
)
306306

307307
// 8. Remove any trailing HTTP whitespace from subtype.
308-
subtype = subtype.trim()
308+
subtype = subtype.trimEnd()
309309

310310
// 9. If subtype is the empty string or does not solely
311311
// contain HTTP token code points, then return failure.
@@ -321,7 +321,11 @@ function parseMIMEType (input) {
321321
type: type.toLowerCase(),
322322
subtype: subtype.toLowerCase(),
323323
/** @type {Map<string, string>} */
324-
parameters: new Map()
324+
parameters: new Map(),
325+
// https://mimesniff.spec.whatwg.org/#mime-type-essence
326+
get essence () {
327+
return `${this.type}/${this.subtype}`
328+
}
325329
}
326330

327331
// 11. While position is not past the end of input:

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

+48-11
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,8 @@ const { types } = require('util')
55
const { kState } = require('./symbols')
66
const { isBlobLike } = require('./util')
77
const { webidl } = require('./webidl')
8+
const { parseMIMEType, serializeAMimeType } = require('./dataURL')
9+
const { kEnumerableProperty } = require('../core/util')
810

911
class File extends Blob {
1012
constructor (fileBits, fileName, options = {}) {
@@ -34,13 +36,29 @@ class File extends Blob {
3436
// outside the range U+0020 to U+007E, then set t to the empty string
3537
// and return from these substeps.
3638
// 2. Convert every character in t to ASCII lowercase.
37-
// Note: Blob handles both of these steps for us
39+
let t = options.type
40+
let d
3841

39-
// 3. If the lastModified member is provided, let d be set to the
40-
// lastModified dictionary member. If it is not provided, set d to the
41-
// current date and time represented as the number of milliseconds since
42-
// the Unix Epoch (which is the equivalent of Date.now() [ECMA-262]).
43-
const d = options.lastModified
42+
// eslint-disable-next-line no-labels
43+
substep: {
44+
if (t) {
45+
t = parseMIMEType(t)
46+
47+
if (t === 'failure') {
48+
t = ''
49+
// eslint-disable-next-line no-labels
50+
break substep
51+
}
52+
53+
t = serializeAMimeType(t).toLowerCase()
54+
}
55+
56+
// 3. If the lastModified member is provided, let d be set to the
57+
// lastModified dictionary member. If it is not provided, set d to the
58+
// current date and time represented as the number of milliseconds since
59+
// the Unix Epoch (which is the equivalent of Date.now() [ECMA-262]).
60+
d = options.lastModified
61+
}
4462

4563
// 4. Return a new File object F such that:
4664
// F refers to the bytes byte sequence.
@@ -49,10 +67,11 @@ class File extends Blob {
4967
// F.type is set to t.
5068
// F.lastModified is set to d.
5169

52-
super(processBlobParts(fileBits, options), { type: options.type })
70+
super(processBlobParts(fileBits, options), { type: t })
5371
this[kState] = {
5472
name: n,
55-
lastModified: d
73+
lastModified: d,
74+
type: t
5675
}
5776
}
5877

@@ -72,6 +91,14 @@ class File extends Blob {
7291
return this[kState].lastModified
7392
}
7493

94+
get type () {
95+
if (!(this instanceof File)) {
96+
throw new TypeError('Illegal invocation')
97+
}
98+
99+
return this[kState].type
100+
}
101+
75102
get [Symbol.toStringTag] () {
76103
return this.constructor.name
77104
}
@@ -194,6 +221,11 @@ class FileLike {
194221
}
195222
}
196223

224+
Object.defineProperties(File.prototype, {
225+
name: kEnumerableProperty,
226+
lastModified: kEnumerableProperty
227+
})
228+
197229
webidl.converters.Blob = webidl.interfaceConverter(Blob)
198230

199231
webidl.converters.BlobPart = function (V, opts) {
@@ -202,10 +234,15 @@ webidl.converters.BlobPart = function (V, opts) {
202234
return webidl.converters.Blob(V, { strict: false })
203235
}
204236

205-
return webidl.converters.BufferSource(V, opts)
206-
} else {
207-
return webidl.converters.USVString(V, opts)
237+
if (
238+
ArrayBuffer.isView(V) ||
239+
types.isAnyArrayBuffer(V)
240+
) {
241+
return webidl.converters.BufferSource(V, opts)
242+
}
208243
}
244+
245+
return webidl.converters.USVString(V, opts)
209246
}
210247

211248
webidl.converters['sequence<BlobPart>'] = webidl.sequenceConverter(

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

+19-24
Original file line numberDiff line numberDiff line change
@@ -11,11 +11,11 @@ class FormData {
1111
static name = 'FormData'
1212

1313
constructor (form) {
14-
if (arguments.length > 0 && form != null) {
14+
if (form !== undefined) {
1515
webidl.errors.conversionFailed({
1616
prefix: 'FormData constructor',
1717
argument: 'Argument 1',
18-
types: ['null']
18+
types: ['undefined']
1919
})
2020
}
2121

@@ -206,8 +206,9 @@ class FormData {
206206
}
207207

208208
return makeIterator(
209-
makeIterable(this[kState], 'entries'),
210-
'FormData'
209+
() => this[kState].map(pair => [pair.name, pair.value]),
210+
'FormData',
211+
'key+value'
211212
)
212213
}
213214

@@ -217,8 +218,9 @@ class FormData {
217218
}
218219

219220
return makeIterator(
220-
makeIterable(this[kState], 'keys'),
221-
'FormData'
221+
() => this[kState].map(pair => [pair.name, pair.value]),
222+
'FormData',
223+
'key'
222224
)
223225
}
224226

@@ -228,8 +230,9 @@ class FormData {
228230
}
229231

230232
return makeIterator(
231-
makeIterable(this[kState], 'values'),
232-
'FormData'
233+
() => this[kState].map(pair => [pair.name, pair.value]),
234+
'FormData',
235+
'value'
233236
)
234237
}
235238

@@ -294,28 +297,20 @@ function makeEntry (name, value, filename) {
294297
// 2. If filename is given, then set value to a new File object,
295298
// representing the same bytes, whose name attribute is filename.
296299
if (filename !== undefined) {
300+
/** @type {FilePropertyBag} */
301+
const options = {
302+
type: value.type,
303+
lastModified: value.lastModified
304+
}
305+
297306
value = value instanceof File
298-
? new File([value], filename, { type: value.type })
299-
: new FileLike(value, filename, { type: value.type })
307+
? new File([value], filename, options)
308+
: new FileLike(value, filename, options)
300309
}
301310
}
302311

303312
// 4. Return an entry whose name is name and whose value is value.
304313
return { name, value }
305314
}
306315

307-
function * makeIterable (entries, type) {
308-
// The value pairs to iterate over are this’s entry list’s entries
309-
// with the key being the name and the value being the value.
310-
for (const { name, value } of entries) {
311-
if (type === 'entries') {
312-
yield [name, value]
313-
} else if (type === 'values') {
314-
yield value
315-
} else {
316-
yield name
317-
}
318-
}
319-
}
320-
321316
module.exports = { FormData }

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

+21-18
Original file line numberDiff line numberDiff line change
@@ -147,20 +147,10 @@ class HeadersList {
147147
return this[kHeadersMap].has(name)
148148
}
149149

150-
keys () {
151-
return this[kHeadersMap].keys()
152-
}
153-
154-
values () {
155-
return this[kHeadersMap].values()
156-
}
157-
158-
entries () {
159-
return this[kHeadersMap].entries()
160-
}
161-
162-
[Symbol.iterator] () {
163-
return this[kHeadersMap][Symbol.iterator]()
150+
* [Symbol.iterator] () {
151+
for (const pair of this[kHeadersMap]) {
152+
yield pair
153+
}
164154
}
165155
}
166156

@@ -413,23 +403,35 @@ class Headers {
413403
throw new TypeError('Illegal invocation')
414404
}
415405

416-
return makeIterator(this[kHeadersSortedMap].keys(), 'Headers')
406+
return makeIterator(
407+
() => [...this[kHeadersSortedMap].entries()],
408+
'Headers',
409+
'key'
410+
)
417411
}
418412

419413
values () {
420414
if (!(this instanceof Headers)) {
421415
throw new TypeError('Illegal invocation')
422416
}
423417

424-
return makeIterator(this[kHeadersSortedMap].values(), 'Headers')
418+
return makeIterator(
419+
() => [...this[kHeadersSortedMap].entries()],
420+
'Headers',
421+
'value'
422+
)
425423
}
426424

427425
entries () {
428426
if (!(this instanceof Headers)) {
429427
throw new TypeError('Illegal invocation')
430428
}
431429

432-
return makeIterator(this[kHeadersSortedMap].entries(), 'Headers')
430+
return makeIterator(
431+
() => [...this[kHeadersSortedMap].entries()],
432+
'Headers',
433+
'key+value'
434+
)
433435
}
434436

435437
/**
@@ -478,7 +480,8 @@ Object.defineProperties(Headers.prototype, {
478480
keys: kEnumerableProperty,
479481
values: kEnumerableProperty,
480482
entries: kEnumerableProperty,
481-
forEach: kEnumerableProperty
483+
forEach: kEnumerableProperty,
484+
[Symbol.iterator]: { enumerable: false }
482485
})
483486

484487
webidl.converters.HeadersInit = function (V) {

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

+126-85
Original file line numberDiff line numberDiff line change
@@ -35,11 +35,12 @@ const {
3535
isCancelled,
3636
isAborted,
3737
isErrorLike,
38-
fullyReadBody
38+
fullyReadBody,
39+
readableStreamClose
3940
} = require('./util')
4041
const { kState, kHeaders, kGuard, kRealm } = require('./symbols')
4142
const assert = require('assert')
42-
const { safelyExtractBody, extractBody } = require('./body')
43+
const { safelyExtractBody } = require('./body')
4344
const {
4445
redirectStatus,
4546
nullBodyStatus,
@@ -54,9 +55,11 @@ const { Readable, pipeline } = require('stream')
5455
const { isErrored, isReadable } = require('../core/util')
5556
const { dataURLProcessor, serializeAMimeType } = require('./dataURL')
5657
const { TransformStream } = require('stream/web')
58+
const { getGlobalDispatcher } = require('../../index')
5759

5860
/** @type {import('buffer').resolveObjectURL} */
5961
let resolveObjectURL
62+
/** @type {globalThis['ReadableStream']} */
6063
let ReadableStream
6164

6265
const nodeVersion = process.versions.node.split('.')
@@ -71,6 +74,12 @@ class Fetch extends EE {
7174
this.connection = null
7275
this.dump = false
7376
this.state = 'ongoing'
77+
// 2 terminated listeners get added per request,
78+
// but only 1 gets removed. If there are 20 redirects,
79+
// 21 listeners will be added.
80+
// See https://github.com/nodejs/undici/issues/1711
81+
// TODO (fix): Find and fix root cause for leaked listener.
82+
this.setMaxListeners(21)
7483
}
7584

7685
terminate (reason) {
@@ -83,16 +92,30 @@ class Fetch extends EE {
8392
this.emit('terminated', reason)
8493
}
8594

86-
abort () {
95+
// https://fetch.spec.whatwg.org/#fetch-controller-abort
96+
abort (error) {
8797
if (this.state !== 'ongoing') {
8898
return
8999
}
90100

91-
const reason = new DOMException('The operation was aborted.', 'AbortError')
92-
101+
// 1. Set controller’s state to "aborted".
93102
this.state = 'aborted'
94-
this.connection?.destroy(reason)
95-
this.emit('terminated', reason)
103+
104+
// 2. Let fallbackError be an "AbortError" DOMException.
105+
// 3. Set error to fallbackError if it is not given.
106+
if (!error) {
107+
error = new DOMException('The operation was aborted.', 'AbortError')
108+
}
109+
110+
// 4. Let serializedError be StructuredSerialize(error).
111+
// If that threw an exception, catch it, and let
112+
// serializedError be StructuredSerialize(fallbackError).
113+
114+
// 5. Set controller’s serialized abort reason to serializedError.
115+
this.serializedAbortReason = error
116+
117+
this.connection?.destroy(error)
118+
this.emit('terminated', error)
96119
}
97120
}
98121

@@ -124,8 +147,9 @@ async function fetch (input, init = {}) {
124147

125148
// 4. If requestObject’s signal’s aborted flag is set, then:
126149
if (requestObject.signal.aborted) {
127-
// 1. Abort fetch with p, request, and null.
128-
abortFetch(p, request, null)
150+
// 1. Abort the fetch() call with p, request, null, and
151+
// requestObject’s signal’s abort reason.
152+
abortFetch(p, request, null, requestObject.signal.reason)
129153

130154
// 2. Return p.
131155
return p.promise
@@ -159,8 +183,9 @@ async function fetch (input, init = {}) {
159183
// 1. Set locallyAborted to true.
160184
locallyAborted = true
161185

162-
// 2. Abort fetch with p, request, and responseObject.
163-
abortFetch(p, request, responseObject)
186+
// 2. Abort the fetch() call with p, request, responseObject,
187+
// and requestObject’s signal’s abort reason.
188+
abortFetch(p, request, responseObject, requestObject.signal.reason)
164189

165190
// 3. If controller is not null, then abort controller.
166191
if (controller != null) {
@@ -185,10 +210,16 @@ async function fetch (input, init = {}) {
185210
return
186211
}
187212

188-
// 2. If response’s aborted flag is set, then abort fetch with p,
189-
// request, and responseObject, and terminate these substeps.
213+
// 2. If response’s aborted flag is set, then:
190214
if (response.aborted) {
191-
abortFetch(p, request, responseObject)
215+
// 1. Let deserializedError be the result of deserialize a serialized
216+
// abort reason given controller’s serialized abort reason and
217+
// relevantRealm.
218+
219+
// 2. Abort the fetch() call with p, request, responseObject, and
220+
// deserializedError.
221+
222+
abortFetch(p, request, responseObject, controller.serializedAbortReason)
192223
return
193224
}
194225

@@ -218,7 +249,7 @@ async function fetch (input, init = {}) {
218249
request,
219250
processResponseEndOfBody: handleFetchDone,
220251
processResponse,
221-
dispatcher: this // undici
252+
dispatcher: init.dispatcher ?? getGlobalDispatcher() // undici
222253
})
223254

224255
// 14. Return p.
@@ -296,14 +327,18 @@ function markResourceTiming (timingInfo, originalURL, initiatorType, globalThis,
296327
}
297328

298329
// https://fetch.spec.whatwg.org/#abort-fetch
299-
function abortFetch (p, request, responseObject) {
300-
// 1. Let error be an "AbortError" DOMException.
301-
const error = new DOMException('The operation was aborted.', 'AbortError')
330+
function abortFetch (p, request, responseObject, error) {
331+
// Note: AbortSignal.reason was added in node v17.2.0
332+
// which would give us an undefined error to reject with.
333+
// Remove this once node v16 is no longer supported.
334+
if (!error) {
335+
error = new DOMException('The operation was aborted.', 'AbortError')
336+
}
302337

303-
// 2. Reject promise with error.
338+
// 1. Reject promise with error.
304339
p.reject(error)
305340

306-
// 3. If request’s body is not null and is readable, then cancel request’s
341+
// 2. If request’s body is not null and is readable, then cancel request’s
307342
// body with error.
308343
if (request.body != null && isReadable(request.body?.stream)) {
309344
request.body.stream.cancel(error).catch((err) => {
@@ -315,15 +350,15 @@ function abortFetch (p, request, responseObject) {
315350
})
316351
}
317352

318-
// 4. If responseObject is null, then return.
353+
// 3. If responseObject is null, then return.
319354
if (responseObject == null) {
320355
return
321356
}
322357

323-
// 5. Let response be responseObject’s response.
358+
// 4. Let response be responseObject’s response.
324359
const response = responseObject[kState]
325360

326-
// 6. If response’s body is not null and is readable, then error response’s
361+
// 5. If response’s body is not null and is readable, then error response’s
327362
// body with error.
328363
if (response.body != null && isReadable(response.body?.stream)) {
329364
response.body.stream.cancel(error).catch((err) => {
@@ -399,8 +434,8 @@ function fetching ({
399434
crossOriginIsolatedCapability
400435
}
401436

402-
// 7. If request’s body is a byte sequence, then set request’s body to the
403-
// first return value of safely extracting request’s body.
437+
// 7. If request’s body is a byte sequence, then set request’s body to
438+
// request’s body as a body.
404439
// NOTE: Since fetching is only called from fetch, body should already be
405440
// extracted.
406441
assert(!request.body || request.body.stream)
@@ -730,8 +765,7 @@ async function mainFetch (fetchParams, recursive = false) {
730765
return
731766
}
732767

733-
// 2. Set response’s body to the first return value of safely
734-
// extracting bytes.
768+
// 2. Set response’s body to bytes as a body.
735769
response.body = safelyExtractBody(bytes)[0]
736770

737771
// 3. Run fetch finale given fetchParams and response.
@@ -749,75 +783,73 @@ async function mainFetch (fetchParams, recursive = false) {
749783
// https://fetch.spec.whatwg.org/#concept-scheme-fetch
750784
// given a fetch params fetchParams
751785
async function schemeFetch (fetchParams) {
752-
// let request be fetchParams’s request
786+
// 1. If fetchParams is canceled, then return the appropriate network error for fetchParams.
787+
if (isCancelled(fetchParams)) {
788+
return makeAppropriateNetworkError(fetchParams)
789+
}
790+
791+
// 2. Let request be fetchParams’s request.
753792
const { request } = fetchParams
754793

755-
const {
756-
protocol: scheme,
757-
pathname: path
758-
} = requestCurrentURL(request)
794+
const { protocol: scheme } = requestCurrentURL(request)
759795

760-
// switch on request’s current URL’s scheme, and run the associated steps:
796+
// 3. Switch on request’s current URL’s scheme and run the associated steps:
761797
switch (scheme) {
762798
case 'about:': {
763799
// If request’s current URL’s path is the string "blank", then return a new response
764800
// whose status message is `OK`, header list is « (`Content-Type`, `text/html;charset=utf-8`) »,
765-
// and body is the empty byte sequence.
766-
if (path === 'blank') {
767-
const resp = makeResponse({
768-
statusText: 'OK',
769-
headersList: [
770-
['content-type', 'text/html;charset=utf-8']
771-
]
772-
})
773-
774-
resp.urlList = [new URL('about:blank')]
775-
return resp
776-
}
801+
// and body is the empty byte sequence as a body.
777802

778803
// Otherwise, return a network error.
779-
return makeNetworkError('invalid path called')
804+
return makeNetworkError('about scheme is not supported')
780805
}
781806
case 'blob:': {
782-
resolveObjectURL = resolveObjectURL || require('buffer').resolveObjectURL
807+
if (!resolveObjectURL) {
808+
resolveObjectURL = require('buffer').resolveObjectURL
809+
}
783810

784-
// 1. Run these steps, but abort when the ongoing fetch is terminated:
785-
// 1. Let blob be request’s current URL’s blob URL entry’s object.
786-
// https://w3c.github.io/FileAPI/#blob-url-entry
787-
// P.S. Thank God this method is available in node.
788-
const currentURL = requestCurrentURL(request)
811+
// 1. Let blobURLEntry be request’s current URL’s blob URL entry.
812+
const blobURLEntry = requestCurrentURL(request)
789813

790814
// https://github.com/web-platform-tests/wpt/blob/7b0ebaccc62b566a1965396e5be7bb2bc06f841f/FileAPI/url/resources/fetch-tests.js#L52-L56
791815
// Buffer.resolveObjectURL does not ignore URL queries.
792-
if (currentURL.search.length !== 0) {
816+
if (blobURLEntry.search.length !== 0) {
793817
return makeNetworkError('NetworkError when attempting to fetch resource.')
794818
}
795819

796-
const blob = resolveObjectURL(currentURL.toString())
820+
const blobURLEntryObject = resolveObjectURL(blobURLEntry.toString())
797821

798-
// 2. If request’s method is not `GET` or blob is not a Blob object, then return a network error. [FILEAPI]
799-
if (request.method !== 'GET' || !isBlobLike(blob)) {
822+
// 2. If request’s method is not `GET`, blobURLEntry is null, or blobURLEntry’s
823+
// object is not a Blob object, then return a network error.
824+
if (request.method !== 'GET' || !isBlobLike(blobURLEntryObject)) {
800825
return makeNetworkError('invalid method')
801826
}
802827

803-
// 3. Let response be a new response whose status message is `OK`.
804-
const response = makeResponse({ statusText: 'OK', urlList: [currentURL] })
828+
// 3. Let bodyWithType be the result of safely extracting blobURLEntry’s object.
829+
const bodyWithType = safelyExtractBody(blobURLEntryObject)
805830

806-
// 4. Append (`Content-Length`, blob’s size attribute value) to response’s header list.
807-
response.headersList.set('content-length', `${blob.size}`)
831+
// 4. Let body be bodyWithType’s body.
832+
const body = bodyWithType[0]
808833

809-
// 5. Append (`Content-Type`, blob’s type attribute value) to response’s header list.
810-
response.headersList.set('content-type', blob.type)
834+
// 5. Let length be body’s length, serialized and isomorphic encoded.
835+
const length = `${body.length}`
811836

812-
// 6. Set response’s body to the result of performing the read operation on blob.
813-
// TODO (fix): This needs to read?
814-
response.body = extractBody(blob)[0]
837+
// 6. Let type be bodyWithType’s type if it is non-null; otherwise the empty byte sequence.
838+
const type = bodyWithType[1] ?? ''
815839

816-
// 7. Return response.
817-
return response
840+
// 7. Return a new response whose status message is `OK`, header list is
841+
// « (`Content-Length`, length), (`Content-Type`, type) », and body is body.
842+
const response = makeResponse({
843+
statusText: 'OK',
844+
headersList: [
845+
['content-length', length],
846+
['content-type', type]
847+
]
848+
})
818849

819-
// 2. If aborted, then return the appropriate network error for fetchParams.
820-
// TODO
850+
response.body = body
851+
852+
return response
821853
}
822854
case 'data:': {
823855
// 1. Let dataURLStruct be the result of running the
@@ -836,13 +868,13 @@ async function schemeFetch (fetchParams) {
836868

837869
// 4. Return a response whose status message is `OK`,
838870
// header list is « (`Content-Type`, mimeType) »,
839-
// and body is dataURLStruct’s body.
871+
// and body is dataURLStruct’s body as a body.
840872
return makeResponse({
841873
statusText: 'OK',
842874
headersList: [
843875
['content-type', mimeType]
844876
],
845-
body: extractBody(dataURLStruct.body)[0]
877+
body: safelyExtractBody(dataURLStruct.body)[0]
846878
})
847879
}
848880
case 'file:': {
@@ -930,6 +962,14 @@ async function fetchFinale (fetchParams, response) {
930962
start () {},
931963
transform: identityTransformAlgorithm,
932964
flush: processResponseEndOfBody
965+
}, {
966+
size () {
967+
return 1
968+
}
969+
}, {
970+
size () {
971+
return 1
972+
}
933973
})
934974

935975
// 4. Set response’s body to the result of piping response’s body through transformStream.
@@ -1725,9 +1765,9 @@ async function httpNetworkFetch (
17251765
}
17261766

17271767
// 12. Let cancelAlgorithm be an algorithm that aborts fetchParams’s
1728-
// controller.
1729-
const cancelAlgorithm = () => {
1730-
fetchParams.controller.abort()
1768+
// controller with reason, given reason.
1769+
const cancelAlgorithm = (reason) => {
1770+
fetchParams.controller.abort(reason)
17311771
}
17321772

17331773
// 13. Let highWaterMark be a non-negative, non-NaN number, chosen by
@@ -1758,7 +1798,12 @@ async function httpNetworkFetch (
17581798
await cancelAlgorithm(reason)
17591799
}
17601800
},
1761-
{ highWaterMark: 0 }
1801+
{
1802+
highWaterMark: 0,
1803+
size () {
1804+
return 1
1805+
}
1806+
}
17621807
)
17631808

17641809
// 17. Run these steps, but abort when the ongoing fetch is terminated:
@@ -1814,14 +1859,7 @@ async function httpNetworkFetch (
18141859
// body is done normally and stream is readable, then close
18151860
// stream, finalize response for fetchParams and response, and
18161861
// abort these in-parallel steps.
1817-
try {
1818-
fetchParams.controller.controller.close()
1819-
} catch (err) {
1820-
// TODO (fix): How/Why can this happen? Do we have a bug?
1821-
if (!/Controller is already closed/.test(err)) {
1822-
throw err
1823-
}
1824-
}
1862+
readableStreamClose(fetchParams.controller.controller)
18251863

18261864
finalizeResponse(fetchParams, response)
18271865

@@ -1862,10 +1900,13 @@ async function httpNetworkFetch (
18621900
// 1. Set response’s aborted flag.
18631901
response.aborted = true
18641902

1865-
// 2. If stream is readable, error stream with an "AbortError" DOMException.
1903+
// 2. If stream is readable, then error stream with the result of
1904+
// deserialize a serialized abort reason given fetchParams’s
1905+
// controller’s serialized abort reason and an
1906+
// implementation-defined realm.
18661907
if (isReadable(stream)) {
18671908
fetchParams.controller.controller.error(
1868-
new DOMException('The operation was aborted.', 'AbortError')
1909+
fetchParams.controller.serializedAbortReason
18691910
)
18701911
}
18711912
} else {

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

+54-4
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,7 @@ const { kEnumerableProperty } = util
2424
const { kHeaders, kSignal, kState, kGuard, kRealm } = require('./symbols')
2525
const { webidl } = require('./webidl')
2626
const { getGlobalOrigin } = require('./global')
27+
const { URLSerializer } = require('./dataURL')
2728
const { kHeadersList } = require('../core/symbols')
2829
const assert = require('assert')
2930

@@ -472,15 +473,21 @@ class Request {
472473
// 38. If inputOrInitBody is non-null and inputOrInitBody’s source is
473474
// null, then:
474475
if (inputOrInitBody != null && inputOrInitBody.source == null) {
475-
// 1. If this’s request’s mode is neither "same-origin" nor "cors",
476+
// 1. If initBody is non-null and init["duplex"] does not exist,
477+
// then throw a TypeError.
478+
if (initBody != null && init.duplex == null) {
479+
throw new TypeError('RequestInit: duplex option is required when sending a body.')
480+
}
481+
482+
// 2. If this’s request’s mode is neither "same-origin" nor "cors",
476483
// then throw a TypeError.
477484
if (request.mode !== 'same-origin' && request.mode !== 'cors') {
478485
throw new TypeError(
479486
'If request is made from ReadableStream, mode should be "same-origin" or "cors"'
480487
)
481488
}
482489

483-
// 2. Set this’s request’s use-CORS-preflight flag.
490+
// 3. Set this’s request’s use-CORS-preflight flag.
484491
request.useCORSPreflightFlag = true
485492
}
486493

@@ -536,7 +543,7 @@ class Request {
536543
}
537544

538545
// The url getter steps are to return this’s request’s URL, serialized.
539-
return this[kState].url.toString()
546+
return URLSerializer(this[kState].url)
540547
}
541548

542549
// Returns a Headers object consisting of the headers associated with request.
@@ -705,6 +712,30 @@ class Request {
705712
return this[kSignal]
706713
}
707714

715+
get body () {
716+
if (!this || !this[kState]) {
717+
throw new TypeError('Illegal invocation')
718+
}
719+
720+
return this[kState].body ? this[kState].body.stream : null
721+
}
722+
723+
get bodyUsed () {
724+
if (!this || !this[kState]) {
725+
throw new TypeError('Illegal invocation')
726+
}
727+
728+
return !!this[kState].body && util.isDisturbed(this[kState].body.stream)
729+
}
730+
731+
get duplex () {
732+
if (!(this instanceof Request)) {
733+
throw new TypeError('Illegal invocation')
734+
}
735+
736+
return 'half'
737+
}
738+
708739
// Returns a clone of request.
709740
clone () {
710741
if (!(this instanceof Request)) {
@@ -821,7 +852,21 @@ Object.defineProperties(Request.prototype, {
821852
headers: kEnumerableProperty,
822853
redirect: kEnumerableProperty,
823854
clone: kEnumerableProperty,
824-
signal: kEnumerableProperty
855+
signal: kEnumerableProperty,
856+
duplex: kEnumerableProperty,
857+
destination: kEnumerableProperty,
858+
body: kEnumerableProperty,
859+
bodyUsed: kEnumerableProperty,
860+
isHistoryNavigation: kEnumerableProperty,
861+
isReloadNavigation: kEnumerableProperty,
862+
keepalive: kEnumerableProperty,
863+
integrity: kEnumerableProperty,
864+
cache: kEnumerableProperty,
865+
credentials: kEnumerableProperty,
866+
attribute: kEnumerableProperty,
867+
referrerPolicy: kEnumerableProperty,
868+
referrer: kEnumerableProperty,
869+
mode: kEnumerableProperty
825870
})
826871

827872
webidl.converters.Request = webidl.interfaceConverter(
@@ -929,6 +974,11 @@ webidl.converters.RequestInit = webidl.dictionaryConverter([
929974
{
930975
key: 'window',
931976
converter: webidl.converters.any
977+
},
978+
{
979+
key: 'duplex',
980+
converter: webidl.converters.DOMString,
981+
allowedValues: ['half']
932982
}
933983
])
934984

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

+32-11
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,6 @@ const { extractBody, cloneBody, mixinBody } = require('./body')
55
const util = require('../core/util')
66
const { kEnumerableProperty } = util
77
const {
8-
responseURL,
98
isValidReasonPhrase,
109
isCancelled,
1110
isAborted,
@@ -22,6 +21,7 @@ const { kState, kHeaders, kGuard, kRealm } = require('./symbols')
2221
const { webidl } = require('./webidl')
2322
const { FormData } = require('./formdata')
2423
const { getGlobalOrigin } = require('./global')
24+
const { URLSerializer } = require('./dataURL')
2525
const { kHeadersList } = require('../core/symbols')
2626
const assert = require('assert')
2727
const { types } = require('util')
@@ -48,7 +48,7 @@ class Response {
4848
}
4949

5050
// https://fetch.spec.whatwg.org/#dom-response-json
51-
static json (data, init = {}) {
51+
static json (data = undefined, init = {}) {
5252
if (arguments.length === 0) {
5353
throw new TypeError(
5454
'Failed to execute \'json\' on \'Response\': 1 argument required, but 0 present.'
@@ -189,21 +189,18 @@ class Response {
189189
throw new TypeError('Illegal invocation')
190190
}
191191

192+
const urlList = this[kState].urlList
193+
192194
// The url getter steps are to return the empty string if this’s
193195
// response’s URL is null; otherwise this’s response’s URL,
194196
// serialized with exclude fragment set to true.
195-
let url = responseURL(this[kState])
197+
const url = urlList[urlList.length - 1] ?? null
196198

197-
if (url == null) {
199+
if (url === null) {
198200
return ''
199201
}
200202

201-
if (url.hash) {
202-
url = new URL(url)
203-
url.hash = ''
204-
}
205-
206-
return url.toString()
203+
return URLSerializer(url, true)
207204
}
208205

209206
// Returns whether response was obtained through a redirect.
@@ -259,6 +256,22 @@ class Response {
259256
return this[kHeaders]
260257
}
261258

259+
get body () {
260+
if (!this || !this[kState]) {
261+
throw new TypeError('Illegal invocation')
262+
}
263+
264+
return this[kState].body ? this[kState].body.stream : null
265+
}
266+
267+
get bodyUsed () {
268+
if (!this || !this[kState]) {
269+
throw new TypeError('Illegal invocation')
270+
}
271+
272+
return !!this[kState].body && util.isDisturbed(this[kState].body.stream)
273+
}
274+
262275
// Returns a clone of response.
263276
clone () {
264277
if (!(this instanceof Response)) {
@@ -299,7 +312,15 @@ Object.defineProperties(Response.prototype, {
299312
redirected: kEnumerableProperty,
300313
statusText: kEnumerableProperty,
301314
headers: kEnumerableProperty,
302-
clone: kEnumerableProperty
315+
clone: kEnumerableProperty,
316+
body: kEnumerableProperty,
317+
bodyUsed: kEnumerableProperty
318+
})
319+
320+
Object.defineProperties(Response, {
321+
json: kEnumerableProperty,
322+
redirect: kEnumerableProperty,
323+
error: kEnumerableProperty
303324
})
304325

305326
// https://fetch.spec.whatwg.org/#concept-response-clone

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

+128-11
Original file line numberDiff line numberDiff line change
@@ -532,8 +532,11 @@ function bytesMatch (bytes, metadataList) {
532532

533533
// 4. Let metadata be the result of getting the strongest
534534
// metadata from parsedMetadata.
535-
// Note: this will only work for SHA- algorithms and it's lazy *at best*.
536-
const metadata = parsedMetadata.sort((c, d) => d.algo.localeCompare(c.algo))
535+
const list = parsedMetadata.sort((c, d) => d.algo.localeCompare(c.algo))
536+
// get the strongest algorithm
537+
const strongest = list[0].algo
538+
// get all entries that use the strongest algorithm; ignore weaker
539+
const metadata = list.filter((item) => item.algo === strongest)
537540

538541
// 5. For each item in metadata:
539542
for (const item of metadata) {
@@ -544,7 +547,6 @@ function bytesMatch (bytes, metadataList) {
544547
const expectedValue = item.hash
545548

546549
// 3. Let actualValue be the result of applying algorithm to bytes.
547-
// Note: "applying algorithm to bytes" converts the result to base64
548550
const actualValue = crypto.createHash(algorithm).update(bytes).digest('base64')
549551

550552
// 4. If actualValue is a case-sensitive match for expectedValue,
@@ -559,10 +561,9 @@ function bytesMatch (bytes, metadataList) {
559561
}
560562

561563
// https://w3c.github.io/webappsec-subresource-integrity/#grammardef-hash-with-options
562-
// hash-algo is defined in Content Security Policy 2 Section 4.2
563-
// base64-value is similary defined there
564-
// VCHAR is defined https://www.rfc-editor.org/rfc/rfc5234#appendix-B.1
565-
const parseHashWithOptions = /((?<algo>sha256|sha384|sha512)-(?<hash>[A-z0-9+/]{1}.*={1,2}))( +[\x21-\x7e]?)?/i
564+
// https://www.w3.org/TR/CSP2/#source-list-syntax
565+
// https://www.rfc-editor.org/rfc/rfc5234#appendix-B.1
566+
const parseHashWithOptions = /((?<algo>sha256|sha384|sha512)-(?<hash>[A-z0-9+/]{1}.*={0,2}))( +[\x21-\x7e]?)?/i
566567

567568
/**
568569
* @see https://w3c.github.io/webappsec-subresource-integrity/#parse-metadata
@@ -684,17 +685,61 @@ function serializeJavascriptValueToJSONString (value) {
684685
// https://tc39.es/ecma262/#sec-%25iteratorprototype%25-object
685686
const esIteratorPrototype = Object.getPrototypeOf(Object.getPrototypeOf([][Symbol.iterator]()))
686687

687-
// https://webidl.spec.whatwg.org/#dfn-iterator-prototype-object
688-
function makeIterator (iterator, name) {
688+
/**
689+
* @see https://webidl.spec.whatwg.org/#dfn-iterator-prototype-object
690+
* @param {() => unknown[]} iterator
691+
* @param {string} name name of the instance
692+
* @param {'key'|'value'|'key+value'} kind
693+
*/
694+
function makeIterator (iterator, name, kind) {
695+
const object = {
696+
index: 0,
697+
kind,
698+
target: iterator
699+
}
700+
689701
const i = {
690702
next () {
703+
// 1. Let interface be the interface for which the iterator prototype object exists.
704+
705+
// 2. Let thisValue be the this value.
706+
707+
// 3. Let object be ? ToObject(thisValue).
708+
709+
// 4. If object is a platform object, then perform a security
710+
// check, passing:
711+
712+
// 5. If object is not a default iterator object for interface,
713+
// then throw a TypeError.
691714
if (Object.getPrototypeOf(this) !== i) {
692715
throw new TypeError(
693716
`'next' called on an object that does not implement interface ${name} Iterator.`
694717
)
695718
}
696719

697-
return iterator.next()
720+
// 6. Let index be object’s index.
721+
// 7. Let kind be object’s kind.
722+
// 8. Let values be object’s target's value pairs to iterate over.
723+
const { index, kind, target } = object
724+
const values = target()
725+
726+
// 9. Let len be the length of values.
727+
const len = values.length
728+
729+
// 10. If index is greater than or equal to len, then return
730+
// CreateIterResultObject(undefined, true).
731+
if (index >= len) {
732+
return { value: undefined, done: true }
733+
}
734+
735+
// 11. Let pair be the entry in values at index index.
736+
const pair = values[index]
737+
738+
// 12. Set object’s index to index + 1.
739+
object.index = index + 1
740+
741+
// 13. Return the iterator result for pair and kind.
742+
return iteratorResult(pair, kind)
698743
},
699744
// The class string of an iterator prototype object for a given interface is the
700745
// result of concatenating the identifier of the interface and the string " Iterator".
@@ -708,6 +753,48 @@ function makeIterator (iterator, name) {
708753
return Object.setPrototypeOf({}, i)
709754
}
710755

756+
// https://webidl.spec.whatwg.org/#iterator-result
757+
function iteratorResult (pair, kind) {
758+
let result
759+
760+
// 1. Let result be a value determined by the value of kind:
761+
switch (kind) {
762+
case 'key': {
763+
// 1. Let idlKey be pair’s key.
764+
// 2. Let key be the result of converting idlKey to an
765+
// ECMAScript value.
766+
// 3. result is key.
767+
result = pair[0]
768+
break
769+
}
770+
case 'value': {
771+
// 1. Let idlValue be pair’s value.
772+
// 2. Let value be the result of converting idlValue to
773+
// an ECMAScript value.
774+
// 3. result is value.
775+
result = pair[1]
776+
break
777+
}
778+
case 'key+value': {
779+
// 1. Let idlKey be pair’s key.
780+
// 2. Let idlValue be pair’s value.
781+
// 3. Let key be the result of converting idlKey to an
782+
// ECMAScript value.
783+
// 4. Let value be the result of converting idlValue to
784+
// an ECMAScript value.
785+
// 5. Let array be ! ArrayCreate(2).
786+
// 6. Call ! CreateDataProperty(array, "0", key).
787+
// 7. Call ! CreateDataProperty(array, "1", value).
788+
// 8. result is array.
789+
result = pair
790+
break
791+
}
792+
}
793+
794+
// 2. Return CreateIterResultObject(result, false).
795+
return { value: result, done: false }
796+
}
797+
711798
/**
712799
* @see https://fetch.spec.whatwg.org/#body-fully-read
713800
*/
@@ -755,6 +842,34 @@ async function fullyReadBody (body, processBody, processBodyError) {
755842
// 5. React to promise with fulfilledSteps and rejectedSteps.
756843
}
757844

845+
/** @type {ReadableStream} */
846+
let ReadableStream = globalThis.ReadableStream
847+
848+
function isReadableStreamLike (stream) {
849+
if (!ReadableStream) {
850+
ReadableStream = require('stream/web').ReadableStream
851+
}
852+
853+
return stream instanceof ReadableStream || (
854+
stream[Symbol.toStringTag] === 'ReadableStream' &&
855+
typeof stream.tee === 'function'
856+
)
857+
}
858+
859+
/**
860+
* @param {ReadableStreamController<Uint8Array>} controller
861+
*/
862+
function readableStreamClose (controller) {
863+
try {
864+
controller.close()
865+
} catch (err) {
866+
// TODO: add comment explaining why this error occurs.
867+
if (!err.message.includes('Controller is already closed')) {
868+
throw err
869+
}
870+
}
871+
}
872+
758873
/**
759874
* Fetch supports node >= 16.8.0, but Object.hasOwn was added in v16.9.0.
760875
*/
@@ -795,5 +910,7 @@ module.exports = {
795910
hasOwn,
796911
isErrorLike,
797912
fullyReadBody,
798-
bytesMatch
913+
bytesMatch,
914+
isReadableStreamLike,
915+
readableStreamClose
799916
}

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

+63-17
Original file line numberDiff line numberDiff line change
@@ -250,30 +250,64 @@ webidl.sequenceConverter = function (converter) {
250250
}
251251
}
252252

253+
// https://webidl.spec.whatwg.org/#es-to-record
253254
webidl.recordConverter = function (keyConverter, valueConverter) {
254-
return (V) => {
255-
const record = {}
256-
const type = webidl.util.Type(V)
257-
258-
if (type === 'Undefined' || type === 'Null') {
259-
return record
260-
}
261-
262-
if (type !== 'Object') {
255+
return (O) => {
256+
// 1. If Type(O) is not Object, throw a TypeError.
257+
if (webidl.util.Type(O) !== 'Object') {
263258
webidl.errors.exception({
264259
header: 'Record',
265-
message: `Expected ${V} to be an Object type.`
260+
message: `Value of type ${webidl.util.Type(O)} is not an Object.`
266261
})
267262
}
268263

269-
for (let [key, value] of Object.entries(V)) {
270-
key = keyConverter(key)
271-
value = valueConverter(value)
264+
// 2. Let result be a new empty instance of record<K, V>.
265+
const result = {}
266+
267+
if (!types.isProxy(O)) {
268+
// Object.keys only returns enumerable properties
269+
const keys = Object.keys(O)
270+
271+
for (const key of keys) {
272+
// 1. Let typedKey be key converted to an IDL value of type K.
273+
const typedKey = keyConverter(key)
274+
275+
// 2. Let value be ? Get(O, key).
276+
// 3. Let typedValue be value converted to an IDL value of type V.
277+
const typedValue = valueConverter(O[key])
278+
279+
// 4. Set result[typedKey] to typedValue.
280+
result[typedKey] = typedValue
281+
}
282+
283+
// 5. Return result.
284+
return result
285+
}
286+
287+
// 3. Let keys be ? O.[[OwnPropertyKeys]]().
288+
const keys = Reflect.ownKeys(O)
289+
290+
// 4. For each key of keys.
291+
for (const key of keys) {
292+
// 1. Let desc be ? O.[[GetOwnProperty]](key).
293+
const desc = Reflect.getOwnPropertyDescriptor(O, key)
294+
295+
// 2. If desc is not undefined and desc.[[Enumerable]] is true:
296+
if (desc?.enumerable) {
297+
// 1. Let typedKey be key converted to an IDL value of type K.
298+
const typedKey = keyConverter(key)
299+
300+
// 2. Let value be ? Get(O, key).
301+
// 3. Let typedValue be value converted to an IDL value of type V.
302+
const typedValue = valueConverter(O[key])
272303

273-
record[key] = value
304+
// 4. Set result[typedKey] to typedValue.
305+
result[typedKey] = typedValue
306+
}
274307
}
275308

276-
return record
309+
// 5. Return result.
310+
return result
277311
}
278312
}
279313

@@ -305,7 +339,9 @@ webidl.dictionaryConverter = function (converters) {
305339
const type = webidl.util.Type(dictionary)
306340
const dict = {}
307341

308-
if (type !== 'Null' && type !== 'Undefined' && type !== 'Object') {
342+
if (type === 'Null' || type === 'Undefined') {
343+
return dict
344+
} else if (type !== 'Object') {
309345
webidl.errors.exception({
310346
header: 'Dictionary',
311347
message: `Expected ${dictionary} to be one of: Null, Undefined, Object.`
@@ -401,7 +437,7 @@ webidl.converters.ByteString = function (V) {
401437

402438
if (charCode > 255) {
403439
throw new TypeError(
404-
'Cannot convert argument to a ByteString because the character at' +
440+
'Cannot convert argument to a ByteString because the character at ' +
405441
`index ${index} has a value of ${charCode} which is greater than 255.`
406442
)
407443
}
@@ -442,6 +478,16 @@ webidl.converters['long long'] = function (V, opts) {
442478
return x
443479
}
444480

481+
// https://webidl.spec.whatwg.org/#es-unsigned-long-long
482+
webidl.converters['unsigned long long'] = function (V) {
483+
// 1. Let x be ? ConvertToInt(V, 64, "unsigned").
484+
const x = webidl.util.ConvertToInt(V, 64, 'unsigned')
485+
486+
// 2. Return the IDL unsigned long long value that
487+
// represents the same numeric value as x.
488+
return x
489+
}
490+
445491
// https://webidl.spec.whatwg.org/#es-unsigned-short
446492
webidl.converters['unsigned short'] = function (V) {
447493
// 1. Let x be ? ConvertToInt(V, 16, "unsigned").
+286
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,286 @@
1+
'use strict'
2+
3+
/**
4+
* @see https://encoding.spec.whatwg.org/#concept-encoding-get
5+
* @param {string} label
6+
*/
7+
function getEncoding (label) {
8+
// 1. Remove any leading and trailing ASCII whitespace from label.
9+
// 2. If label is an ASCII case-insensitive match for any of the
10+
// labels listed in the table below, then return the
11+
// corresponding encoding; otherwise return failure.
12+
switch (label.trim().toLowerCase()) {
13+
case 'unicode-1-1-utf-8':
14+
case 'unicode11utf8':
15+
case 'unicode20utf8':
16+
case 'utf-8':
17+
case 'utf8':
18+
case 'x-unicode20utf8':
19+
return 'UTF-8'
20+
case '866':
21+
case 'cp866':
22+
case 'csibm866':
23+
case 'ibm866':
24+
return 'IBM866'
25+
case 'csisolatin2':
26+
case 'iso-8859-2':
27+
case 'iso-ir-101':
28+
case 'iso8859-2':
29+
case 'iso88592':
30+
case 'iso_8859-2':
31+
case 'iso_8859-2:1987':
32+
case 'l2':
33+
case 'latin2':
34+
return 'ISO-8859-2'
35+
case 'csisolatin3':
36+
case 'iso-8859-3':
37+
case 'iso-ir-109':
38+
case 'iso8859-3':
39+
case 'iso88593':
40+
case 'iso_8859-3':
41+
case 'iso_8859-3:1988':
42+
case 'l3':
43+
case 'latin3':
44+
return 'ISO-8859-3'
45+
case 'csisolatin4':
46+
case 'iso-8859-4':
47+
case 'iso-ir-110':
48+
case 'iso8859-4':
49+
case 'iso88594':
50+
case 'iso_8859-4':
51+
case 'iso_8859-4:1988':
52+
case 'l4':
53+
case 'latin4':
54+
return 'ISO-8859-4'
55+
case 'csisolatincyrillic':
56+
case 'cyrillic':
57+
case 'iso-8859-5':
58+
case 'iso-ir-144':
59+
case 'iso8859-5':
60+
case 'iso88595':
61+
case 'iso_8859-5':
62+
case 'iso_8859-5:1988':
63+
return 'ISO-8859-5'
64+
case 'arabic':
65+
case 'asmo-708':
66+
case 'csiso88596e':
67+
case 'csiso88596i':
68+
case 'csisolatinarabic':
69+
case 'ecma-114':
70+
case 'iso-8859-6':
71+
case 'iso-8859-6-e':
72+
case 'iso-8859-6-i':
73+
case 'iso-ir-127':
74+
case 'iso8859-6':
75+
case 'iso88596':
76+
case 'iso_8859-6':
77+
case 'iso_8859-6:1987':
78+
return 'ISO-8859-6'
79+
case 'csisolatingreek':
80+
case 'ecma-118':
81+
case 'elot_928':
82+
case 'greek':
83+
case 'greek8':
84+
case 'iso-8859-7':
85+
case 'iso-ir-126':
86+
case 'iso8859-7':
87+
case 'iso88597':
88+
case 'iso_8859-7':
89+
case 'iso_8859-7:1987':
90+
case 'sun_eu_greek':
91+
return 'ISO-8859-7'
92+
case 'csiso88598e':
93+
case 'csisolatinhebrew':
94+
case 'hebrew':
95+
case 'iso-8859-8':
96+
case 'iso-8859-8-e':
97+
case 'iso-ir-138':
98+
case 'iso8859-8':
99+
case 'iso88598':
100+
case 'iso_8859-8':
101+
case 'iso_8859-8:1988':
102+
case 'visual':
103+
return 'ISO-8859-8'
104+
case 'csiso88598i':
105+
case 'iso-8859-8-i':
106+
case 'logical':
107+
return 'ISO-8859-8-I'
108+
case 'csisolatin6':
109+
case 'iso-8859-10':
110+
case 'iso-ir-157':
111+
case 'iso8859-10':
112+
case 'iso885910':
113+
case 'l6':
114+
case 'latin6':
115+
return 'ISO-8859-10'
116+
case 'iso-8859-13':
117+
case 'iso8859-13':
118+
case 'iso885913':
119+
return 'ISO-8859-13'
120+
case 'iso-8859-14':
121+
case 'iso8859-14':
122+
case 'iso885914':
123+
return 'ISO-8859-14'
124+
case 'csisolatin9':
125+
case 'iso-8859-15':
126+
case 'iso8859-15':
127+
case 'iso885915':
128+
case 'iso_8859-15':
129+
case 'l9':
130+
return 'ISO-8859-15'
131+
case 'iso-8859-16':
132+
return 'ISO-8859-16'
133+
case 'cskoi8r':
134+
case 'koi':
135+
case 'koi8':
136+
case 'koi8-r':
137+
case 'koi8_r':
138+
return 'KOI8-R'
139+
case 'koi8-ru':
140+
case 'koi8-u':
141+
return 'KOI8-U'
142+
case 'csmacintosh':
143+
case 'mac':
144+
case 'macintosh':
145+
case 'x-mac-roman':
146+
return 'macintosh'
147+
case 'iso-8859-11':
148+
case 'iso8859-11':
149+
case 'iso885911':
150+
case 'tis-620':
151+
case 'windows-874':
152+
return 'windows-874'
153+
case 'cp1250':
154+
case 'windows-1250':
155+
case 'x-cp1250':
156+
return 'windows-1250'
157+
case 'cp1251':
158+
case 'windows-1251':
159+
case 'x-cp1251':
160+
return 'windows-1251'
161+
case 'ansi_x3.4-1968':
162+
case 'ascii':
163+
case 'cp1252':
164+
case 'cp819':
165+
case 'csisolatin1':
166+
case 'ibm819':
167+
case 'iso-8859-1':
168+
case 'iso-ir-100':
169+
case 'iso8859-1':
170+
case 'iso88591':
171+
case 'iso_8859-1':
172+
case 'iso_8859-1:1987':
173+
case 'l1':
174+
case 'latin1':
175+
case 'us-ascii':
176+
case 'windows-1252':
177+
case 'x-cp1252':
178+
return 'windows-1252'
179+
case 'cp1253':
180+
case 'windows-1253':
181+
case 'x-cp1253':
182+
return 'windows-1253'
183+
case 'cp1254':
184+
case 'csisolatin5':
185+
case 'iso-8859-9':
186+
case 'iso-ir-148':
187+
case 'iso8859-9':
188+
case 'iso88599':
189+
case 'iso_8859-9':
190+
case 'iso_8859-9:1989':
191+
case 'l5':
192+
case 'latin5':
193+
case 'windows-1254':
194+
case 'x-cp1254':
195+
return 'windows-1254'
196+
case 'cp1255':
197+
case 'windows-1255':
198+
case 'x-cp1255':
199+
return 'windows-1255'
200+
case 'cp1256':
201+
case 'windows-1256':
202+
case 'x-cp1256':
203+
return 'windows-1256'
204+
case 'cp1257':
205+
case 'windows-1257':
206+
case 'x-cp1257':
207+
return 'windows-1257'
208+
case 'cp1258':
209+
case 'windows-1258':
210+
case 'x-cp1258':
211+
return 'windows-1258'
212+
case 'x-mac-cyrillic':
213+
case 'x-mac-ukrainian':
214+
return 'x-mac-cyrillic'
215+
case 'chinese':
216+
case 'csgb2312':
217+
case 'csiso58gb231280':
218+
case 'gb2312':
219+
case 'gb_2312':
220+
case 'gb_2312-80':
221+
case 'gbk':
222+
case 'iso-ir-58':
223+
case 'x-gbk':
224+
return 'GBK'
225+
case 'gb18030':
226+
return 'gb18030'
227+
case 'big5':
228+
case 'big5-hkscs':
229+
case 'cn-big5':
230+
case 'csbig5':
231+
case 'x-x-big5':
232+
return 'Big5'
233+
case 'cseucpkdfmtjapanese':
234+
case 'euc-jp':
235+
case 'x-euc-jp':
236+
return 'EUC-JP'
237+
case 'csiso2022jp':
238+
case 'iso-2022-jp':
239+
return 'ISO-2022-JP'
240+
case 'csshiftjis':
241+
case 'ms932':
242+
case 'ms_kanji':
243+
case 'shift-jis':
244+
case 'shift_jis':
245+
case 'sjis':
246+
case 'windows-31j':
247+
case 'x-sjis':
248+
return 'Shift_JIS'
249+
case 'cseuckr':
250+
case 'csksc56011987':
251+
case 'euc-kr':
252+
case 'iso-ir-149':
253+
case 'korean':
254+
case 'ks_c_5601-1987':
255+
case 'ks_c_5601-1989':
256+
case 'ksc5601':
257+
case 'ksc_5601':
258+
case 'windows-949':
259+
return 'EUC-KR'
260+
case 'csiso2022kr':
261+
case 'hz-gb-2312':
262+
case 'iso-2022-cn':
263+
case 'iso-2022-cn-ext':
264+
case 'iso-2022-kr':
265+
case 'replacement':
266+
return 'replacement'
267+
case 'unicodefffe':
268+
case 'utf-16be':
269+
return 'UTF-16BE'
270+
case 'csunicode':
271+
case 'iso-10646-ucs-2':
272+
case 'ucs-2':
273+
case 'unicode':
274+
case 'unicodefeff':
275+
case 'utf-16':
276+
case 'utf-16le':
277+
return 'UTF-16LE'
278+
case 'x-user-defined':
279+
return 'x-user-defined'
280+
default: return 'failure'
281+
}
282+
}
283+
284+
module.exports = {
285+
getEncoding
286+
}
+368
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,368 @@
1+
'use strict'
2+
3+
const {
4+
staticPropertyDescriptors,
5+
readOperation,
6+
fireAProgressEvent
7+
} = require('./util')
8+
const {
9+
kState,
10+
kError,
11+
kResult,
12+
kEvents,
13+
kAborted
14+
} = require('./symbols')
15+
const { webidl } = require('../fetch/webidl')
16+
const { kEnumerableProperty } = require('../core/util')
17+
18+
class FileReader extends EventTarget {
19+
constructor () {
20+
super()
21+
22+
this[kState] = 'empty'
23+
this[kResult] = null
24+
this[kError] = null
25+
this[kEvents] = {
26+
loadend: null,
27+
error: null,
28+
abort: null,
29+
load: null,
30+
progress: null,
31+
loadstart: null
32+
}
33+
}
34+
35+
/**
36+
* @see https://w3c.github.io/FileAPI/#dfn-readAsArrayBuffer
37+
* @param {import('buffer').Blob} blob
38+
*/
39+
readAsArrayBuffer (blob) {
40+
if (!(this instanceof FileReader)) {
41+
throw new TypeError('Illegal invocation')
42+
}
43+
44+
if (arguments.length === 0) {
45+
throw new TypeError(
46+
'Failed to execute \'readAsArrayBuffer\' on \'FileReader\': 1 argument required, but 0 present.'
47+
)
48+
}
49+
50+
blob = webidl.converters.Blob(blob, { strict: false })
51+
52+
// The readAsArrayBuffer(blob) method, when invoked,
53+
// must initiate a read operation for blob with ArrayBuffer.
54+
readOperation(this, blob, 'ArrayBuffer')
55+
}
56+
57+
/**
58+
* @see https://w3c.github.io/FileAPI/#readAsBinaryString
59+
* @param {import('buffer').Blob} blob
60+
*/
61+
readAsBinaryString (blob) {
62+
if (!(this instanceof FileReader)) {
63+
throw new TypeError('Illegal invocation')
64+
}
65+
66+
if (arguments.length === 0) {
67+
throw new TypeError(
68+
'Failed to execute \'readAsBinaryString\' on \'FileReader\': 1 argument required, but 0 present.'
69+
)
70+
}
71+
72+
blob = webidl.converters.Blob(blob, { strict: false })
73+
74+
// The readAsBinaryString(blob) method, when invoked,
75+
// must initiate a read operation for blob with BinaryString.
76+
readOperation(this, blob, 'BinaryString')
77+
}
78+
79+
/**
80+
* @see https://w3c.github.io/FileAPI/#readAsDataText
81+
* @param {import('buffer').Blob} blob
82+
* @param {string?} encoding
83+
*/
84+
readAsText (blob, encoding = undefined) {
85+
if (!(this instanceof FileReader)) {
86+
throw new TypeError('Illegal invocation')
87+
}
88+
89+
if (arguments.length === 0) {
90+
throw new TypeError(
91+
'Failed to execute \'readAsText\' on \'FileReader\': 1 argument required, but 0 present.'
92+
)
93+
}
94+
95+
blob = webidl.converters.Blob(blob, { strict: false })
96+
97+
if (encoding !== undefined) {
98+
encoding = webidl.converters.DOMString(encoding)
99+
}
100+
101+
// The readAsText(blob, encoding) method, when invoked,
102+
// must initiate a read operation for blob with Text and encoding.
103+
readOperation(this, blob, 'Text', encoding)
104+
}
105+
106+
/**
107+
* @see https://w3c.github.io/FileAPI/#dfn-readAsDataURL
108+
* @param {import('buffer').Blob} blob
109+
*/
110+
readAsDataURL (blob) {
111+
if (!(this instanceof FileReader)) {
112+
throw new TypeError('Illegal invocation')
113+
}
114+
115+
if (arguments.length === 0) {
116+
throw new TypeError(
117+
'Failed to execute \'readAsDataURL\' on \'FileReader\': 1 argument required, but 0 present.'
118+
)
119+
}
120+
121+
blob = webidl.converters.Blob(blob, { strict: false })
122+
123+
// The readAsDataURL(blob) method, when invoked, must
124+
// initiate a read operation for blob with DataURL.
125+
readOperation(this, blob, 'DataURL')
126+
}
127+
128+
/**
129+
* @see https://w3c.github.io/FileAPI/#dfn-abort
130+
*/
131+
abort () {
132+
// 1. If this's state is "empty" or if this's state is
133+
// "done" set this's result to null and terminate
134+
// this algorithm.
135+
if (this[kState] === 'empty' || this[kState] === 'done') {
136+
this[kResult] = null
137+
return
138+
}
139+
140+
// 2. If this's state is "loading" set this's state to
141+
// "done" and set this's result to null.
142+
if (this[kState] === 'loading') {
143+
this[kState] = 'done'
144+
this[kResult] = null
145+
}
146+
147+
// 3. If there are any tasks from this on the file reading
148+
// task source in an affiliated task queue, then remove
149+
// those tasks from that task queue.
150+
this[kAborted] = true
151+
152+
// 4. Terminate the algorithm for the read method being processed.
153+
// TODO
154+
155+
// 5. Fire a progress event called abort at this.
156+
fireAProgressEvent('abort', this)
157+
158+
// 6. If this's state is not "loading", fire a progress
159+
// event called loadend at this.
160+
if (this[kState] !== 'loading') {
161+
fireAProgressEvent('loadend', this)
162+
}
163+
}
164+
165+
/**
166+
* @see https://w3c.github.io/FileAPI/#dom-filereader-readystate
167+
*/
168+
get readyState () {
169+
if (!(this instanceof FileReader)) {
170+
throw new TypeError('Illegal invocation')
171+
}
172+
173+
switch (this[kState]) {
174+
case 'empty': return this.EMPTY
175+
case 'loading': return this.LOADING
176+
case 'done': return this.DONE
177+
}
178+
}
179+
180+
/**
181+
* @see https://w3c.github.io/FileAPI/#dom-filereader-result
182+
*/
183+
get result () {
184+
if (!(this instanceof FileReader)) {
185+
throw new TypeError('Illegal invocation')
186+
}
187+
188+
// The result attribute’s getter, when invoked, must return
189+
// this's result.
190+
return this[kResult]
191+
}
192+
193+
/**
194+
* @see https://w3c.github.io/FileAPI/#dom-filereader-error
195+
*/
196+
get error () {
197+
if (!(this instanceof FileReader)) {
198+
throw new TypeError('Illegal invocation')
199+
}
200+
201+
// The error attribute’s getter, when invoked, must return
202+
// this's error.
203+
return this[kError]
204+
}
205+
206+
get onloadend () {
207+
if (!(this instanceof FileReader)) {
208+
throw new TypeError('Illegal invocation')
209+
}
210+
211+
return this[kEvents].loadend
212+
}
213+
214+
set onloadend (fn) {
215+
if (!(this instanceof FileReader)) {
216+
throw new TypeError('Illegal invocation')
217+
}
218+
219+
if (typeof fn === 'function') {
220+
this[kEvents].loadend = fn
221+
} else {
222+
this[kEvents].loadend = null
223+
}
224+
}
225+
226+
get onerror () {
227+
if (!(this instanceof FileReader)) {
228+
throw new TypeError('Illegal invocation')
229+
}
230+
231+
return this[kEvents].error
232+
}
233+
234+
set onerror (fn) {
235+
if (!(this instanceof FileReader)) {
236+
throw new TypeError('Illegal invocation')
237+
}
238+
239+
if (typeof fn === 'function') {
240+
this[kEvents].error = fn
241+
} else {
242+
this[kEvents].error = null
243+
}
244+
}
245+
246+
get onloadstart () {
247+
if (!(this instanceof FileReader)) {
248+
throw new TypeError('Illegal invocation')
249+
}
250+
251+
return this[kEvents].loadstart
252+
}
253+
254+
set onloadstart (fn) {
255+
if (!(this instanceof FileReader)) {
256+
throw new TypeError('Illegal invocation')
257+
}
258+
259+
if (typeof fn === 'function') {
260+
this[kEvents].loadstart = fn
261+
} else {
262+
this[kEvents].loadstart = null
263+
}
264+
}
265+
266+
get onprogress () {
267+
if (!(this instanceof FileReader)) {
268+
throw new TypeError('Illegal invocation')
269+
}
270+
271+
return this[kEvents].progress
272+
}
273+
274+
set onprogress (fn) {
275+
if (!(this instanceof FileReader)) {
276+
throw new TypeError('Illegal invocation')
277+
}
278+
279+
if (typeof fn === 'function') {
280+
this[kEvents].progress = fn
281+
} else {
282+
this[kEvents].progress = null
283+
}
284+
}
285+
286+
get onload () {
287+
if (!(this instanceof FileReader)) {
288+
throw new TypeError('Illegal invocation')
289+
}
290+
291+
return this[kEvents].load
292+
}
293+
294+
set onload (fn) {
295+
if (!(this instanceof FileReader)) {
296+
throw new TypeError('Illegal invocation')
297+
}
298+
299+
if (typeof fn === 'function') {
300+
this[kEvents].load = fn
301+
} else {
302+
this[kEvents].load = null
303+
}
304+
}
305+
306+
get onabort () {
307+
if (!(this instanceof FileReader)) {
308+
throw new TypeError('Illegal invocation')
309+
}
310+
311+
return this[kEvents].abort
312+
}
313+
314+
set onabort (fn) {
315+
if (!(this instanceof FileReader)) {
316+
throw new TypeError('Illegal invocation')
317+
}
318+
319+
if (typeof fn === 'function') {
320+
this[kEvents].abort = fn
321+
} else {
322+
this[kEvents].abort = null
323+
}
324+
}
325+
}
326+
327+
// https://w3c.github.io/FileAPI/#dom-filereader-empty
328+
FileReader.EMPTY = FileReader.prototype.EMPTY = 0
329+
// https://w3c.github.io/FileAPI/#dom-filereader-loading
330+
FileReader.LOADING = FileReader.prototype.LOADING = 1
331+
// https://w3c.github.io/FileAPI/#dom-filereader-done
332+
FileReader.DONE = FileReader.prototype.DONE = 2
333+
334+
Object.defineProperties(FileReader.prototype, {
335+
EMPTY: staticPropertyDescriptors,
336+
LOADING: staticPropertyDescriptors,
337+
DONE: staticPropertyDescriptors,
338+
readAsArrayBuffer: kEnumerableProperty,
339+
readAsBinaryString: kEnumerableProperty,
340+
readAsText: kEnumerableProperty,
341+
readAsDataURL: kEnumerableProperty,
342+
abort: kEnumerableProperty,
343+
readyState: kEnumerableProperty,
344+
result: kEnumerableProperty,
345+
error: kEnumerableProperty,
346+
onloadstart: kEnumerableProperty,
347+
onprogress: kEnumerableProperty,
348+
onload: kEnumerableProperty,
349+
onabort: kEnumerableProperty,
350+
onerror: kEnumerableProperty,
351+
onloadend: kEnumerableProperty,
352+
[Symbol.toStringTag]: {
353+
value: 'FileReader',
354+
writable: false,
355+
enumerable: false,
356+
configurable: true
357+
}
358+
})
359+
360+
Object.defineProperties(FileReader, {
361+
EMPTY: staticPropertyDescriptors,
362+
LOADING: staticPropertyDescriptors,
363+
DONE: staticPropertyDescriptors
364+
})
365+
366+
module.exports = {
367+
FileReader
368+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,84 @@
1+
'use strict'
2+
3+
const { webidl } = require('../fetch/webidl')
4+
5+
const kState = Symbol('ProgressEvent state')
6+
7+
/**
8+
* @see https://xhr.spec.whatwg.org/#progressevent
9+
*/
10+
class ProgressEvent extends Event {
11+
constructor (type, eventInitDict = {}) {
12+
type = webidl.converters.DOMString(type)
13+
eventInitDict = webidl.converters.ProgressEventInit(eventInitDict ?? {})
14+
15+
super(type, eventInitDict)
16+
17+
this[kState] = {
18+
lengthComputable: eventInitDict.lengthComputable,
19+
loaded: eventInitDict.loaded,
20+
total: eventInitDict.total
21+
}
22+
}
23+
24+
get lengthComputable () {
25+
if (!(this instanceof ProgressEvent)) {
26+
throw new TypeError('Illegal invocation')
27+
}
28+
29+
return this[kState].lengthComputable
30+
}
31+
32+
get loaded () {
33+
if (!(this instanceof ProgressEvent)) {
34+
throw new TypeError('Illegal invocation')
35+
}
36+
37+
return this[kState].loaded
38+
}
39+
40+
get total () {
41+
if (!(this instanceof ProgressEvent)) {
42+
throw new TypeError('Illegal invocation')
43+
}
44+
45+
return this[kState].total
46+
}
47+
}
48+
49+
webidl.converters.ProgressEventInit = webidl.dictionaryConverter([
50+
{
51+
key: 'lengthComputable',
52+
converter: webidl.converters.boolean,
53+
defaultValue: false
54+
},
55+
{
56+
key: 'loaded',
57+
converter: webidl.converters['unsigned long long'],
58+
defaultValue: 0
59+
},
60+
{
61+
key: 'total',
62+
converter: webidl.converters['unsigned long long'],
63+
defaultValue: 0
64+
},
65+
{
66+
key: 'bubbles',
67+
converter: webidl.converters.boolean,
68+
defaultValue: false
69+
},
70+
{
71+
key: 'cancelable',
72+
converter: webidl.converters.boolean,
73+
defaultValue: false
74+
},
75+
{
76+
key: 'composed',
77+
converter: webidl.converters.boolean,
78+
defaultValue: false
79+
}
80+
])
81+
82+
module.exports = {
83+
ProgressEvent
84+
}
+10
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
'use strict'
2+
3+
module.exports = {
4+
kState: Symbol('FileReader state'),
5+
kResult: Symbol('FileReader result'),
6+
kError: Symbol('FileReader error'),
7+
kLastProgressEventFired: Symbol('FileReader last progress event fired timestamp'),
8+
kEvents: Symbol('FileReader events'),
9+
kAborted: Symbol('FileReader aborted')
10+
}

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

+398
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,398 @@
1+
'use strict'
2+
3+
const {
4+
kState,
5+
kError,
6+
kResult,
7+
kAborted,
8+
kLastProgressEventFired
9+
} = require('./symbols')
10+
const { ProgressEvent } = require('./progressevent')
11+
const { getEncoding } = require('./encoding')
12+
const { DOMException } = require('../fetch/constants')
13+
const { serializeAMimeType, parseMIMEType } = require('../fetch/dataURL')
14+
const { types } = require('util')
15+
const { StringDecoder } = require('string_decoder')
16+
const { btoa } = require('buffer')
17+
18+
/** @type {PropertyDescriptor} */
19+
const staticPropertyDescriptors = {
20+
enumerable: true,
21+
writable: false,
22+
configurable: false
23+
}
24+
25+
/**
26+
* @see https://w3c.github.io/FileAPI/#readOperation
27+
* @param {import('./filereader').FileReader} fr
28+
* @param {import('buffer').Blob} blob
29+
* @param {string} type
30+
* @param {string?} encodingName
31+
*/
32+
function readOperation (fr, blob, type, encodingName) {
33+
// 1. If fr’s state is "loading", throw an InvalidStateError
34+
// DOMException.
35+
if (fr[kState] === 'loading') {
36+
throw new DOMException('Invalid state', 'InvalidStateError')
37+
}
38+
39+
// 2. Set fr’s state to "loading".
40+
fr[kState] = 'loading'
41+
42+
// 3. Set fr’s result to null.
43+
fr[kResult] = null
44+
45+
// 4. Set fr’s error to null.
46+
fr[kError] = null
47+
48+
// 5. Let stream be the result of calling get stream on blob.
49+
/** @type {import('stream/web').ReadableStream} */
50+
const stream = blob.stream()
51+
52+
// 6. Let reader be the result of getting a reader from stream.
53+
const reader = stream.getReader()
54+
55+
// 7. Let bytes be an empty byte sequence.
56+
/** @type {Uint8Array[]} */
57+
const bytes = []
58+
59+
// 8. Let chunkPromise be the result of reading a chunk from
60+
// stream with reader.
61+
let chunkPromise = reader.read()
62+
63+
// 9. Let isFirstChunk be true.
64+
let isFirstChunk = true
65+
66+
// 10. In parallel, while true:
67+
// Note: "In parallel" just means non-blocking
68+
// Note 2: readOperation itself cannot be async as double
69+
// reading the body would then reject the promise, instead
70+
// of throwing an error.
71+
;(async () => {
72+
while (!fr[kAborted]) {
73+
// 1. Wait for chunkPromise to be fulfilled or rejected.
74+
try {
75+
const { done, value } = await chunkPromise
76+
77+
// 2. If chunkPromise is fulfilled, and isFirstChunk is
78+
// true, queue a task to fire a progress event called
79+
// loadstart at fr.
80+
if (isFirstChunk && !fr[kAborted]) {
81+
queueMicrotask(() => {
82+
fireAProgressEvent('loadstart', fr)
83+
})
84+
}
85+
86+
// 3. Set isFirstChunk to false.
87+
isFirstChunk = false
88+
89+
// 4. If chunkPromise is fulfilled with an object whose
90+
// done property is false and whose value property is
91+
// a Uint8Array object, run these steps:
92+
if (!done && types.isUint8Array(value)) {
93+
// 1. Let bs be the byte sequence represented by the
94+
// Uint8Array object.
95+
96+
// 2. Append bs to bytes.
97+
bytes.push(value)
98+
99+
// 3. If roughly 50ms have passed since these steps
100+
// were last invoked, queue a task to fire a
101+
// progress event called progress at fr.
102+
if (
103+
(
104+
fr[kLastProgressEventFired] === undefined ||
105+
Date.now() - fr[kLastProgressEventFired] >= 50
106+
) &&
107+
!fr[kAborted]
108+
) {
109+
fr[kLastProgressEventFired] = Date.now()
110+
queueMicrotask(() => {
111+
fireAProgressEvent('progress', fr)
112+
})
113+
}
114+
115+
// 4. Set chunkPromise to the result of reading a
116+
// chunk from stream with reader.
117+
chunkPromise = reader.read()
118+
} else if (done) {
119+
// 5. Otherwise, if chunkPromise is fulfilled with an
120+
// object whose done property is true, queue a task
121+
// to run the following steps and abort this algorithm:
122+
queueMicrotask(() => {
123+
// 1. Set fr’s state to "done".
124+
fr[kState] = 'done'
125+
126+
// 2. Let result be the result of package data given
127+
// bytes, type, blob’s type, and encodingName.
128+
try {
129+
const result = packageData(bytes, type, blob.type, encodingName)
130+
131+
// 4. Else:
132+
133+
if (fr[kAborted]) {
134+
return
135+
}
136+
137+
// 1. Set fr’s result to result.
138+
fr[kResult] = result
139+
140+
// 2. Fire a progress event called load at the fr.
141+
fireAProgressEvent('load', fr)
142+
} catch (error) {
143+
// 3. If package data threw an exception error:
144+
145+
// 1. Set fr’s error to error.
146+
fr[kError] = error
147+
148+
// 2. Fire a progress event called error at fr.
149+
fireAProgressEvent('error', fr)
150+
}
151+
152+
// 5. If fr’s state is not "loading", fire a progress
153+
// event called loadend at the fr.
154+
if (fr[kState] !== 'loading') {
155+
fireAProgressEvent('loadend', fr)
156+
}
157+
})
158+
159+
break
160+
}
161+
} catch (error) {
162+
if (fr[kAborted]) {
163+
return
164+
}
165+
166+
// 6. Otherwise, if chunkPromise is rejected with an
167+
// error error, queue a task to run the following
168+
// steps and abort this algorithm:
169+
queueMicrotask(() => {
170+
// 1. Set fr’s state to "done".
171+
fr[kState] = 'done'
172+
173+
// 2. Set fr’s error to error.
174+
fr[kError] = error
175+
176+
// 3. Fire a progress event called error at fr.
177+
fireAProgressEvent('error', fr)
178+
179+
// 4. If fr’s state is not "loading", fire a progress
180+
// event called loadend at fr.
181+
if (fr[kState] !== 'loading') {
182+
fireAProgressEvent('loadend', fr)
183+
}
184+
})
185+
186+
break
187+
}
188+
}
189+
})()
190+
}
191+
192+
/**
193+
* @see https://w3c.github.io/FileAPI/#fire-a-progress-event
194+
* @param {string} e The name of the event
195+
* @param {import('./filereader').FileReader} reader
196+
*/
197+
function fireAProgressEvent (e, reader) {
198+
const event = new ProgressEvent(e, {
199+
bubbles: false,
200+
cancelable: false
201+
})
202+
203+
reader.dispatchEvent(event)
204+
try {
205+
// eslint-disable-next-line no-useless-call
206+
reader[`on${e}`]?.call(reader, event)
207+
} catch (err) {
208+
// Prevent the error from being swallowed
209+
queueMicrotask(() => {
210+
throw err
211+
})
212+
}
213+
}
214+
215+
/**
216+
* @see https://w3c.github.io/FileAPI/#blob-package-data
217+
* @param {Uint8Array[]} bytes
218+
* @param {string} type
219+
* @param {string?} mimeType
220+
* @param {string?} encodingName
221+
*/
222+
function packageData (bytes, type, mimeType, encodingName) {
223+
// 1. A Blob has an associated package data algorithm, given
224+
// bytes, a type, a optional mimeType, and a optional
225+
// encodingName, which switches on type and runs the
226+
// associated steps:
227+
228+
switch (type) {
229+
case 'DataURL': {
230+
// 1. Return bytes as a DataURL [RFC2397] subject to
231+
// the considerations below:
232+
// * Use mimeType as part of the Data URL if it is
233+
// available in keeping with the Data URL
234+
// specification [RFC2397].
235+
// * If mimeType is not available return a Data URL
236+
// without a media-type. [RFC2397].
237+
238+
// https://datatracker.ietf.org/doc/html/rfc2397#section-3
239+
// dataurl := "data:" [ mediatype ] [ ";base64" ] "," data
240+
// mediatype := [ type "/" subtype ] *( ";" parameter )
241+
// data := *urlchar
242+
// parameter := attribute "=" value
243+
let dataURL = 'data:'
244+
245+
const parsed = parseMIMEType(mimeType || 'application/octet-stream')
246+
247+
if (parsed !== 'failure') {
248+
dataURL += serializeAMimeType(parsed)
249+
}
250+
251+
dataURL += ';base64,'
252+
253+
const decoder = new StringDecoder('latin1')
254+
255+
for (const chunk of bytes) {
256+
dataURL += btoa(decoder.write(chunk))
257+
}
258+
259+
dataURL += btoa(decoder.end())
260+
261+
return dataURL
262+
}
263+
case 'Text': {
264+
// 1. Let encoding be failure
265+
let encoding = 'failure'
266+
267+
// 2. If the encodingName is present, set encoding to the
268+
// result of getting an encoding from encodingName.
269+
if (encodingName) {
270+
encoding = getEncoding(encodingName)
271+
}
272+
273+
// 3. If encoding is failure, and mimeType is present:
274+
if (encoding === 'failure' && mimeType) {
275+
// 1. Let type be the result of parse a MIME type
276+
// given mimeType.
277+
const type = parseMIMEType(mimeType)
278+
279+
// 2. If type is not failure, set encoding to the result
280+
// of getting an encoding from type’s parameters["charset"].
281+
if (type !== 'failure') {
282+
encoding = getEncoding(type.parameters.get('charset'))
283+
}
284+
}
285+
286+
// 4. If encoding is failure, then set encoding to UTF-8.
287+
if (encoding === 'failure') {
288+
encoding = 'UTF-8'
289+
}
290+
291+
// 5. Decode bytes using fallback encoding encoding, and
292+
// return the result.
293+
return decode(bytes, encoding)
294+
}
295+
case 'ArrayBuffer': {
296+
// Return a new ArrayBuffer whose contents are bytes.
297+
const sequence = combineByteSequences(bytes)
298+
299+
return sequence.buffer
300+
}
301+
case 'BinaryString': {
302+
// Return bytes as a binary string, in which every byte
303+
// is represented by a code unit of equal value [0..255].
304+
let binaryString = ''
305+
306+
const decoder = new StringDecoder('latin1')
307+
308+
for (const chunk of bytes) {
309+
binaryString += decoder.write(chunk)
310+
}
311+
312+
binaryString += decoder.end()
313+
314+
return binaryString
315+
}
316+
}
317+
}
318+
319+
/**
320+
* @see https://encoding.spec.whatwg.org/#decode
321+
* @param {Uint8Array[]} ioQueue
322+
* @param {string} encoding
323+
*/
324+
function decode (ioQueue, encoding) {
325+
const bytes = combineByteSequences(ioQueue)
326+
327+
// 1. Let BOMEncoding be the result of BOM sniffing ioQueue.
328+
const BOMEncoding = BOMSniffing(bytes)
329+
330+
let slice = 0
331+
332+
// 2. If BOMEncoding is non-null:
333+
if (BOMEncoding !== null) {
334+
// 1. Set encoding to BOMEncoding.
335+
encoding = BOMEncoding
336+
337+
// 2. Read three bytes from ioQueue, if BOMEncoding is
338+
// UTF-8; otherwise read two bytes.
339+
// (Do nothing with those bytes.)
340+
slice = BOMEncoding === 'UTF-8' ? 3 : 2
341+
}
342+
343+
// 3. Process a queue with an instance of encoding’s
344+
// decoder, ioQueue, output, and "replacement".
345+
346+
// 4. Return output.
347+
348+
const sliced = bytes.slice(slice)
349+
return new TextDecoder(encoding).decode(sliced)
350+
}
351+
352+
/**
353+
* @see https://encoding.spec.whatwg.org/#bom-sniff
354+
* @param {Uint8Array} ioQueue
355+
*/
356+
function BOMSniffing (ioQueue) {
357+
// 1. Let BOM be the result of peeking 3 bytes from ioQueue,
358+
// converted to a byte sequence.
359+
const [a, b, c] = ioQueue
360+
361+
// 2. For each of the rows in the table below, starting with
362+
// the first one and going down, if BOM starts with the
363+
// bytes given in the first column, then return the
364+
// encoding given in the cell in the second column of that
365+
// row. Otherwise, return null.
366+
if (a === 0xEF && b === 0xBB && c === 0xBF) {
367+
return 'UTF-8'
368+
} else if (a === 0xFE && b === 0xFF) {
369+
return 'UTF-16BE'
370+
} else if (a === 0xFF && b === 0xFE) {
371+
return 'UTF-16LE'
372+
}
373+
374+
return null
375+
}
376+
377+
/**
378+
* @param {Uint8Array[]} sequences
379+
*/
380+
function combineByteSequences (sequences) {
381+
const size = sequences.reduce((a, b) => {
382+
return a + b.byteLength
383+
}, 0)
384+
385+
let offset = 0
386+
387+
return sequences.reduce((a, b) => {
388+
a.set(b, offset)
389+
offset += b.byteLength
390+
return a
391+
}, new Uint8Array(size))
392+
}
393+
394+
module.exports = {
395+
staticPropertyDescriptors,
396+
readOperation,
397+
fireAProgressEvent
398+
}

‎deps/undici/src/lib/handler/RedirectHandler.js

+1
Original file line numberDiff line numberDiff line change
@@ -109,6 +109,7 @@ class RedirectHandler {
109109
this.opts.path = path
110110
this.opts.origin = origin
111111
this.opts.maxRedirections = 0
112+
this.opts.query = null
112113

113114
// https://tools.ietf.org/html/rfc7231#section-6.4.4
114115
// In case of HTTP 303, always replace method to be either HEAD or GET
11.1 KB
Binary file not shown.

‎deps/undici/src/lib/llhttp/llhttp.wasm.js

+1-1
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.
11.1 KB
Binary file not shown.

‎deps/undici/src/lib/llhttp/llhttp_simd.wasm.js

+1-1
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

‎deps/undici/src/lib/proxy-agent.js

+6-1
Original file line numberDiff line numberDiff line change
@@ -55,8 +55,13 @@ class ProxyAgent extends DispatcherBase {
5555
this[kProxyTls] = opts.proxyTls
5656
this[kProxyHeaders] = {}
5757

58-
if (opts.auth) {
58+
if (opts.auth && opts.token) {
59+
throw new InvalidArgumentError('opts.auth cannot be used in combination with opts.token')
60+
} else if (opts.auth) {
61+
/* @deprecated in favour of opts.token */
5962
this[kProxyHeaders]['proxy-authorization'] = `Basic ${opts.auth}`
63+
} else if (opts.token) {
64+
this[kProxyHeaders]['proxy-authorization'] = opts.token
6065
}
6166

6267
const resolvedUrl = new URL(opts.uri)

‎deps/undici/src/package.json

+5-4
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
{
22
"name": "undici",
3-
"version": "5.11.0",
3+
"version": "5.12.0",
44
"description": "An HTTP/1.1 client, written from scratch for Node.js",
55
"homepage": "https://undici.nodejs.org",
66
"bugs": {
@@ -53,7 +53,7 @@
5353
"test:tap": "tap test/*.js test/diagnostics-channel/*.js",
5454
"test:tdd": "tap test/*.js test/diagnostics-channel/*.js -w",
5555
"test:typescript": "tsd",
56-
"test:wpt": "node scripts/verifyVersion 18 || node test/wpt/runner/start.mjs",
56+
"test:wpt": "node scripts/verifyVersion 18 || (node test/wpt/start-fetch.mjs && node test/wpt/start-FileAPI.mjs && node test/wpt/start-mimesniff.mjs && node test/wpt/start-xhr.mjs)",
5757
"coverage": "nyc --reporter=text --reporter=html npm run test",
5858
"coverage:ci": "nyc --reporter=lcov npm run test",
5959
"bench": "PORT=3042 concurrently -k -s first npm:bench:server npm:bench:run",
@@ -66,7 +66,7 @@
6666
},
6767
"devDependencies": {
6868
"@sinonjs/fake-timers": "^9.1.2",
69-
"@types/node": "^17.0.45",
69+
"@types/node": "^18.0.3",
7070
"abort-controller": "^3.0.0",
7171
"atomic-sleep": "^1.0.0",
7272
"chai": "^4.3.4",
@@ -116,7 +116,8 @@
116116
"compilerOptions": {
117117
"esModuleInterop": true,
118118
"lib": [
119-
"esnext"
119+
"esnext",
120+
"DOM"
120121
]
121122
}
122123
},

‎deps/undici/src/types/client.d.ts

+2
Original file line numberDiff line numberDiff line change
@@ -41,6 +41,8 @@ declare namespace Client {
4141
tls?: TlsOptions | null;
4242
/** */
4343
maxRequestsPerClient?: number;
44+
/** Max response body size in bytes, -1 is disabled */
45+
maxResponseSize?: number | null;
4446

4547
interceptors?: {Client: readonly DispatchInterceptor[] | undefined}
4648
}

‎deps/undici/src/types/errors.d.ts

+6
Original file line numberDiff line numberDiff line change
@@ -87,4 +87,10 @@ declare namespace Errors {
8787
name: 'NotSupportedError';
8888
code: 'UND_ERR_NOT_SUPPORTED';
8989
}
90+
91+
/** The response exceed the length allowed */
92+
export class ResponseExceededMaxSizeError extends UndiciError {
93+
name: 'ResponseExceededMaxSizeError';
94+
code: 'UND_ERR_RES_EXCEEDED_MAX_SIZE';
95+
}
9096
}

‎deps/undici/src/types/fetch.d.ts

+4
Original file line numberDiff line numberDiff line change
@@ -114,6 +114,7 @@ export interface RequestInit {
114114
referrerPolicy?: ReferrerPolicy
115115
window?: null
116116
dispatcher?: Dispatcher
117+
duplex?: RequestDuplex
117118
}
118119

119120
export type ReferrerPolicy =
@@ -131,6 +132,8 @@ export type RequestMode = 'cors' | 'navigate' | 'no-cors' | 'same-origin'
131132

132133
export type RequestRedirect = 'error' | 'follow' | 'manual'
133134

135+
export type RequestDuplex = 'half'
136+
134137
export declare class Request implements BodyMixin {
135138
constructor (input: RequestInfo, init?: RequestInit)
136139

@@ -147,6 +150,7 @@ export declare class Request implements BodyMixin {
147150

148151
readonly keepalive: boolean
149152
readonly signal: AbortSignal
153+
readonly duplex: RequestDuplex
150154

151155
readonly body: ReadableStream | null
152156
readonly bodyUsed: boolean

‎deps/undici/src/types/filereader.d.ts

+49
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,49 @@
1+
/// <reference types="node" />
2+
3+
import { Blob } from 'buffer'
4+
5+
export declare class FileReader extends EventTarget {
6+
constructor ()
7+
8+
readAsArrayBuffer (blob: Blob): void
9+
readAsBinaryString (blob: Blob): void
10+
readAsText (blob: Blob, encoding?: string): void
11+
readAsDataURL (blob: Blob): void
12+
13+
abort (): void
14+
15+
static readonly EMPTY = 0
16+
static readonly LOADING = 1
17+
static readonly DONE = 2
18+
19+
readonly EMPTY = 0
20+
readonly LOADING = 1
21+
readonly DONE = 2
22+
23+
readonly readyState: number
24+
25+
readonly result: string | ArrayBuffer | null
26+
27+
readonly error: DOMException | null
28+
29+
onloadstart: null | ((this: FileReader, event: ProgressEvent) => void)
30+
onprogress: null | ((this: FileReader, event: ProgressEvent) => void)
31+
onload: null | ((this: FileReader, event: ProgressEvent) => void)
32+
onabort: null | ((this: FileReader, event: ProgressEvent) => void)
33+
onerror: null | ((this: FileReader, event: ProgressEvent) => void)
34+
onloadend: null | ((this: FileReader, event: ProgressEvent) => void)
35+
}
36+
37+
export interface ProgressEventInit extends EventInit {
38+
lengthComputable?: boolean
39+
loaded?: number
40+
total?: number
41+
}
42+
43+
export declare class ProgressEvent extends Event {
44+
constructor (type: string, eventInitDict?: ProgressEventInit)
45+
46+
readonly lengthComputable: boolean
47+
readonly loaded: number
48+
readonly total: number
49+
}

‎deps/undici/src/types/proxy-agent.d.ts

+4
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,11 @@ declare class ProxyAgent extends Dispatcher {
1414
declare namespace ProxyAgent {
1515
export interface Options extends Agent.Options {
1616
uri: string;
17+
/**
18+
* @deprecated use opts.token
19+
*/
1720
auth?: string;
21+
token?: string;
1822
requestTls?: TlsOptions & { servername?: string };
1923
proxyTls?: TlsOptions & { servername?: string };
2024
}

‎deps/undici/undici.js

+7,497-4,321
Large diffs are not rendered by default.

0 commit comments

Comments
 (0)
Please sign in to comment.