Skip to content

Commit 6158d74

Browse files
cjihrigRafaelGSS
authored andcommittedNov 10, 2022
test_runner: support function mocking
This commit allows tests in the test runner to mock functions and methods. PR-URL: #45326 Reviewed-By: Moshe Atlow <moshe@atlow.co.il> Reviewed-By: Matteo Collina <matteo.collina@gmail.com>
1 parent 86e22b4 commit 6158d74

File tree

6 files changed

+1483
-2
lines changed

6 files changed

+1483
-2
lines changed
 

‎doc/api/test.md

+360
Original file line numberDiff line numberDiff line change
@@ -352,6 +352,89 @@ Otherwise, the test is considered to be a failure. Test files must be
352352
executable by Node.js, but are not required to use the `node:test` module
353353
internally.
354354

355+
## Mocking
356+
357+
The `node:test` module supports mocking during testing via a top-level `mock`
358+
object. The following example creates a spy on a function that adds two numbers
359+
together. The spy is then used to assert that the function was called as
360+
expected.
361+
362+
```mjs
363+
import assert from 'node:assert';
364+
import { mock, test } from 'node:test';
365+
366+
test('spies on a function', () => {
367+
const sum = mock.fn((a, b) => {
368+
return a + b;
369+
});
370+
371+
assert.strictEqual(sum.mock.calls.length, 0);
372+
assert.strictEqual(sum(3, 4), 7);
373+
assert.strictEqual(sum.mock.calls.length, 1);
374+
375+
const call = sum.mock.calls[0];
376+
assert.deepStrictEqual(call.arguments, [3, 4]);
377+
assert.strictEqual(call.result, 7);
378+
assert.strictEqual(call.error, undefined);
379+
380+
// Reset the globally tracked mocks.
381+
mock.reset();
382+
});
383+
```
384+
385+
```cjs
386+
'use strict';
387+
const assert = require('node:assert');
388+
const { mock, test } = require('node:test');
389+
390+
test('spies on a function', () => {
391+
const sum = mock.fn((a, b) => {
392+
return a + b;
393+
});
394+
395+
assert.strictEqual(sum.mock.calls.length, 0);
396+
assert.strictEqual(sum(3, 4), 7);
397+
assert.strictEqual(sum.mock.calls.length, 1);
398+
399+
const call = sum.mock.calls[0];
400+
assert.deepStrictEqual(call.arguments, [3, 4]);
401+
assert.strictEqual(call.result, 7);
402+
assert.strictEqual(call.error, undefined);
403+
404+
// Reset the globally tracked mocks.
405+
mock.reset();
406+
});
407+
```
408+
409+
The same mocking functionality is also exposed on the [`TestContext`][] object
410+
of each test. The following example creates a spy on an object method using the
411+
API exposed on the `TestContext`. The benefit of mocking via the test context is
412+
that the test runner will automatically restore all mocked functionality once
413+
the test finishes.
414+
415+
```js
416+
test('spies on an object method', (t) => {
417+
const number = {
418+
value: 5,
419+
add(a) {
420+
return this.value + a;
421+
},
422+
};
423+
424+
t.mock.method(number, 'add');
425+
assert.strictEqual(number.add.mock.calls.length, 0);
426+
assert.strictEqual(number.add(3), 8);
427+
assert.strictEqual(number.add.mock.calls.length, 1);
428+
429+
const call = number.add.mock.calls[0];
430+
431+
assert.deepStrictEqual(call.arguments, [3]);
432+
assert.strictEqual(call.result, 8);
433+
assert.strictEqual(call.target, undefined);
434+
assert.strictEqual(call.this, number);
435+
});
436+
```
437+
355438
## `run([options])`
356439

357440
<!-- YAML
@@ -644,6 +727,281 @@ describe('tests', async () => {
644727
});
645728
```
646729

730+
## Class: `MockFunctionContext`
731+
732+
<!-- YAML
733+
added: REPLACEME
734+
-->
735+
736+
The `MockFunctionContext` class is used to inspect or manipulate the behavior of
737+
mocks created via the [`MockTracker`][] APIs.
738+
739+
### `ctx.calls`
740+
741+
<!-- YAML
742+
added: REPLACEME
743+
-->
744+
745+
* {Array}
746+
747+
A getter that returns a copy of the internal array used to track calls to the
748+
mock. Each entry in the array is an object with the following properties.
749+
750+
* `arguments` {Array} An array of the arguments passed to the mock function.
751+
* `error` {any} If the mocked function threw then this property contains the
752+
thrown value. **Default:** `undefined`.
753+
* `result` {any} The value returned by the mocked function.
754+
* `stack` {Error} An `Error` object whose stack can be used to determine the
755+
callsite of the mocked function invocation.
756+
* `target` {Function|undefined} If the mocked function is a constructor, this
757+
field contains the class being constructed. Otherwise this will be
758+
`undefined`.
759+
* `this` {any} The mocked function's `this` value.
760+
761+
### `ctx.callCount()`
762+
763+
<!-- YAML
764+
added: REPLACEME
765+
-->
766+
767+
* Returns: {integer} The number of times that this mock has been invoked.
768+
769+
This function returns the number of times that this mock has been invoked. This
770+
function is more efficient than checking `ctx.calls.length` because `ctx.calls`
771+
is a getter that creates a copy of the internal call tracking array.
772+
773+
### `ctx.mockImplementation(implementation)`
774+
775+
<!-- YAML
776+
added: REPLACEME
777+
-->
778+
779+
* `implementation` {Function|AsyncFunction} The function to be used as the
780+
mock's new implementation.
781+
782+
This function is used to change the behavior of an existing mock.
783+
784+
The following example creates a mock function using `t.mock.fn()`, calls the
785+
mock function, and then changes the mock implementation to a different function.
786+
787+
```js
788+
test('changes a mock behavior', (t) => {
789+
let cnt = 0;
790+
791+
function addOne() {
792+
cnt++;
793+
return cnt;
794+
}
795+
796+
function addTwo() {
797+
cnt += 2;
798+
return cnt;
799+
}
800+
801+
const fn = t.mock.fn(addOne);
802+
803+
assert.strictEqual(fn(), 1);
804+
fn.mock.mockImplementation(addTwo);
805+
assert.strictEqual(fn(), 3);
806+
assert.strictEqual(fn(), 5);
807+
});
808+
```
809+
810+
### `ctx.mockImplementationOnce(implementation[, onCall])`
811+
812+
<!-- YAML
813+
added: REPLACEME
814+
-->
815+
816+
* `implementation` {Function|AsyncFunction} The function to be used as the
817+
mock's implementation for the invocation number specified by `onCall`.
818+
* `onCall` {integer} The invocation number that will use `implementation`. If
819+
the specified invocation has already occurred then an exception is thrown.
820+
**Default:** The number of the next invocation.
821+
822+
This function is used to change the behavior of an existing mock for a single
823+
invocation. Once invocation `onCall` has occurred, the mock will revert to
824+
whatever behavior it would have used had `mockImplementationOnce()` not been
825+
called.
826+
827+
The following example creates a mock function using `t.mock.fn()`, calls the
828+
mock function, changes the mock implementation to a different function for the
829+
next invocation, and then resumes its previous behavior.
830+
831+
```js
832+
test('changes a mock behavior once', (t) => {
833+
let cnt = 0;
834+
835+
function addOne() {
836+
cnt++;
837+
return cnt;
838+
}
839+
840+
function addTwo() {
841+
cnt += 2;
842+
return cnt;
843+
}
844+
845+
const fn = t.mock.fn(addOne);
846+
847+
assert.strictEqual(fn(), 1);
848+
fn.mock.mockImplementationOnce(addTwo);
849+
assert.strictEqual(fn(), 3);
850+
assert.strictEqual(fn(), 4);
851+
});
852+
```
853+
854+
### `ctx.restore()`
855+
856+
<!-- YAML
857+
added: REPLACEME
858+
-->
859+
860+
Resets the implementation of the mock function to its original behavior. The
861+
mock can still be used after calling this function.
862+
863+
## Class: `MockTracker`
864+
865+
<!-- YAML
866+
added: REPLACEME
867+
-->
868+
869+
The `MockTracker` class is used to manage mocking functionality. The test runner
870+
module provides a top level `mock` export which is a `MockTracker` instance.
871+
Each test also provides its own `MockTracker` instance via the test context's
872+
`mock` property.
873+
874+
### `mock.fn([original[, implementation]][, options])`
875+
876+
<!-- YAML
877+
added: REPLACEME
878+
-->
879+
880+
* `original` {Function|AsyncFunction} An optional function to create a mock on.
881+
**Default:** A no-op function.
882+
* `implementation` {Function|AsyncFunction} An optional function used as the
883+
mock implementation for `original`. This is useful for creating mocks that
884+
exhibit one behavior for a specified number of calls and then restore the
885+
behavior of `original`. **Default:** The function specified by `original`.
886+
* `options` {Object} Optional configuration options for the mock function. The
887+
following properties are supported:
888+
* `times` {integer} The number of times that the mock will use the behavior of
889+
`implementation`. Once the mock function has been called `times` times, it
890+
will automatically restore the behavior of `original`. This value must be an
891+
integer greater than zero. **Default:** `Infinity`.
892+
* Returns: {Proxy} The mocked function. The mocked function contains a special
893+
`mock` property, which is an instance of [`MockFunctionContext`][], and can
894+
be used for inspecting and changing the behavior of the mocked function.
895+
896+
This function is used to create a mock function.
897+
898+
The following example creates a mock function that increments a counter by one
899+
on each invocation. The `times` option is used to modify the mock behavior such
900+
that the first two invocations add two to the counter instead of one.
901+
902+
```js
903+
test('mocks a counting function', (t) => {
904+
let cnt = 0;
905+
906+
function addOne() {
907+
cnt++;
908+
return cnt;
909+
}
910+
911+
function addTwo() {
912+
cnt += 2;
913+
return cnt;
914+
}
915+
916+
const fn = t.mock.fn(addOne, addTwo, { times: 2 });
917+
918+
assert.strictEqual(fn(), 2);
919+
assert.strictEqual(fn(), 4);
920+
assert.strictEqual(fn(), 5);
921+
assert.strictEqual(fn(), 6);
922+
});
923+
```
924+
925+
### `mock.method(object, methodName[, implementation][, options])`
926+
927+
<!-- YAML
928+
added: REPLACEME
929+
-->
930+
931+
* `object` {Object} The object whose method is being mocked.
932+
* `methodName` {string|symbol} The identifier of the method on `object` to mock.
933+
If `object[methodName]` is not a function, an error is thrown.
934+
* `implementation` {Function|AsyncFunction} An optional function used as the
935+
mock implementation for `object[methodName]`. **Default:** The original method
936+
specified by `object[methodName]`.
937+
* `options` {Object} Optional configuration options for the mock method. The
938+
following properties are supported:
939+
* `getter` {boolean} If `true`, `object[methodName]` is treated as a getter.
940+
This option cannot be used with the `setter` option. **Default:** false.
941+
* `setter` {boolean} If `true`, `object[methodName]` is treated as a setter.
942+
This option cannot be used with the `getter` option. **Default:** false.
943+
* `times` {integer} The number of times that the mock will use the behavior of
944+
`implementation`. Once the mocked method has been called `times` times, it
945+
will automatically restore the original behavior. This value must be an
946+
integer greater than zero. **Default:** `Infinity`.
947+
* Returns: {Proxy} The mocked method. The mocked method contains a special
948+
`mock` property, which is an instance of [`MockFunctionContext`][], and can
949+
be used for inspecting and changing the behavior of the mocked method.
950+
951+
This function is used to create a mock on an existing object method. The
952+
following example demonstrates how a mock is created on an existing object
953+
method.
954+
955+
```js
956+
test('spies on an object method', (t) => {
957+
const number = {
958+
value: 5,
959+
subtract(a) {
960+
return this.value - a;
961+
},
962+
};
963+
964+
t.mock.method(number, 'subtract');
965+
assert.strictEqual(number.subtract.mock.calls.length, 0);
966+
assert.strictEqual(number.subtract(3), 2);
967+
assert.strictEqual(number.subtract.mock.calls.length, 1);
968+
969+
const call = number.subtract.mock.calls[0];
970+
971+
assert.deepStrictEqual(call.arguments, [3]);
972+
assert.strictEqual(call.result, 2);
973+
assert.strictEqual(call.error, undefined);
974+
assert.strictEqual(call.target, undefined);
975+
assert.strictEqual(call.this, number);
976+
});
977+
```
978+
979+
### `mock.reset()`
980+
981+
<!-- YAML
982+
added: REPLACEME
983+
-->
984+
985+
This function restores the default behavior of all mocks that were previously
986+
created by this `MockTracker` and disassociates the mocks from the
987+
`MockTracker` instance. Once disassociated, the mocks can still be used, but the
988+
`MockTracker` instance can no longer be used to reset their behavior or
989+
otherwise interact with them.
990+
991+
After each test completes, this function is called on the test context's
992+
`MockTracker`. If the global `MockTracker` is used extensively, calling this
993+
function manually is recommended.
994+
995+
### `mock.restoreAll()`
996+
997+
<!-- YAML
998+
added: REPLACEME
999+
-->
1000+
1001+
This function restores the default behavior of all mocks that were previously
1002+
created by this `MockTracker`. Unlike `mock.reset()`, `mock.restoreAll()` does
1003+
not disassociate the mocks from the `MockTracker` instance.
1004+
6471005
## Class: `TapStream`
6481006

6491007
<!-- YAML
@@ -979,6 +1337,8 @@ added:
9791337
[`--test-name-pattern`]: cli.md#--test-name-pattern
9801338
[`--test-only`]: cli.md#--test-only
9811339
[`--test`]: cli.md#--test
1340+
[`MockFunctionContext`]: #class-mockfunctioncontext
1341+
[`MockTracker`]: #class-mocktracker
9821342
[`SuiteContext`]: #class-suitecontext
9831343
[`TestContext`]: #class-testcontext
9841344
[`context.diagnostic`]: #contextdiagnosticmessage

‎lib/internal/test_runner/mock.js

+295
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,295 @@
1+
'use strict';
2+
const {
3+
ArrayPrototypePush,
4+
ArrayPrototypeSlice,
5+
Error,
6+
FunctionPrototypeCall,
7+
ObjectDefineProperty,
8+
ObjectGetOwnPropertyDescriptor,
9+
Proxy,
10+
ReflectApply,
11+
ReflectConstruct,
12+
ReflectGet,
13+
SafeMap,
14+
} = primordials;
15+
const {
16+
codes: {
17+
ERR_INVALID_ARG_TYPE,
18+
ERR_INVALID_ARG_VALUE,
19+
},
20+
} = require('internal/errors');
21+
const { kEmptyObject } = require('internal/util');
22+
const {
23+
validateBoolean,
24+
validateFunction,
25+
validateInteger,
26+
validateObject,
27+
} = require('internal/validators');
28+
29+
function kDefaultFunction() {}
30+
31+
class MockFunctionContext {
32+
#calls;
33+
#mocks;
34+
#implementation;
35+
#restore;
36+
#times;
37+
38+
constructor(implementation, restore, times) {
39+
this.#calls = [];
40+
this.#mocks = new SafeMap();
41+
this.#implementation = implementation;
42+
this.#restore = restore;
43+
this.#times = times;
44+
}
45+
46+
get calls() {
47+
return ArrayPrototypeSlice(this.#calls, 0);
48+
}
49+
50+
callCount() {
51+
return this.#calls.length;
52+
}
53+
54+
mockImplementation(implementation) {
55+
validateFunction(implementation, 'implementation');
56+
this.#implementation = implementation;
57+
}
58+
59+
mockImplementationOnce(implementation, onCall) {
60+
validateFunction(implementation, 'implementation');
61+
const nextCall = this.#calls.length;
62+
const call = onCall ?? nextCall;
63+
validateInteger(call, 'onCall', nextCall);
64+
this.#mocks.set(call, implementation);
65+
}
66+
67+
restore() {
68+
const { descriptor, object, original, methodName } = this.#restore;
69+
70+
if (typeof methodName === 'string') {
71+
// This is an object method spy.
72+
ObjectDefineProperty(object, methodName, descriptor);
73+
} else {
74+
// This is a bare function spy. There isn't much to do here but make
75+
// the mock call the original function.
76+
this.#implementation = original;
77+
}
78+
}
79+
80+
trackCall(call) {
81+
ArrayPrototypePush(this.#calls, call);
82+
}
83+
84+
nextImpl() {
85+
const nextCall = this.#calls.length;
86+
const mock = this.#mocks.get(nextCall);
87+
const impl = mock ?? this.#implementation;
88+
89+
if (nextCall + 1 === this.#times) {
90+
this.restore();
91+
}
92+
93+
this.#mocks.delete(nextCall);
94+
return impl;
95+
}
96+
}
97+
98+
const { nextImpl, restore, trackCall } = MockFunctionContext.prototype;
99+
delete MockFunctionContext.prototype.trackCall;
100+
delete MockFunctionContext.prototype.nextImpl;
101+
102+
class MockTracker {
103+
#mocks = [];
104+
105+
fn(
106+
original = function() {},
107+
implementation = original,
108+
options = kEmptyObject,
109+
) {
110+
if (original !== null && typeof original === 'object') {
111+
options = original;
112+
original = function() {};
113+
implementation = original;
114+
} else if (implementation !== null && typeof implementation === 'object') {
115+
options = implementation;
116+
implementation = original;
117+
}
118+
119+
validateFunction(original, 'original');
120+
validateFunction(implementation, 'implementation');
121+
validateObject(options, 'options');
122+
const { times = Infinity } = options;
123+
validateTimes(times, 'options.times');
124+
const ctx = new MockFunctionContext(implementation, { original }, times);
125+
return this.#setupMock(ctx, original);
126+
}
127+
128+
method(
129+
object,
130+
methodName,
131+
implementation = kDefaultFunction,
132+
options = kEmptyObject,
133+
) {
134+
validateObject(object, 'object');
135+
validateStringOrSymbol(methodName, 'methodName');
136+
137+
if (implementation !== null && typeof implementation === 'object') {
138+
options = implementation;
139+
implementation = kDefaultFunction;
140+
}
141+
142+
validateFunction(implementation, 'implementation');
143+
validateObject(options, 'options');
144+
145+
const {
146+
getter = false,
147+
setter = false,
148+
times = Infinity,
149+
} = options;
150+
151+
validateBoolean(getter, 'options.getter');
152+
validateBoolean(setter, 'options.setter');
153+
validateTimes(times, 'options.times');
154+
155+
if (setter && getter) {
156+
throw new ERR_INVALID_ARG_VALUE(
157+
'options.setter', setter, "cannot be used with 'options.getter'"
158+
);
159+
}
160+
161+
const descriptor = ObjectGetOwnPropertyDescriptor(object, methodName);
162+
let original;
163+
164+
if (getter) {
165+
original = descriptor?.get;
166+
} else if (setter) {
167+
original = descriptor?.set;
168+
} else {
169+
original = descriptor?.value;
170+
}
171+
172+
if (typeof original !== 'function') {
173+
throw new ERR_INVALID_ARG_VALUE(
174+
'methodName', original, 'must be a method'
175+
);
176+
}
177+
178+
const restore = { descriptor, object, methodName };
179+
const impl = implementation === kDefaultFunction ?
180+
original : implementation;
181+
const ctx = new MockFunctionContext(impl, restore, times);
182+
const mock = this.#setupMock(ctx, original);
183+
const mockDescriptor = {
184+
__proto__: null,
185+
configurable: descriptor.configurable,
186+
enumerable: descriptor.enumerable,
187+
};
188+
189+
if (getter) {
190+
mockDescriptor.get = mock;
191+
mockDescriptor.set = descriptor.set;
192+
} else if (setter) {
193+
mockDescriptor.get = descriptor.get;
194+
mockDescriptor.set = mock;
195+
} else {
196+
mockDescriptor.writable = descriptor.writable;
197+
mockDescriptor.value = mock;
198+
}
199+
200+
ObjectDefineProperty(object, methodName, mockDescriptor);
201+
202+
return mock;
203+
}
204+
205+
reset() {
206+
this.restoreAll();
207+
this.#mocks = [];
208+
}
209+
210+
restoreAll() {
211+
for (let i = 0; i < this.#mocks.length; i++) {
212+
FunctionPrototypeCall(restore, this.#mocks[i]);
213+
}
214+
}
215+
216+
#setupMock(ctx, fnToMatch) {
217+
const mock = new Proxy(fnToMatch, {
218+
__proto__: null,
219+
apply(_fn, thisArg, argList) {
220+
const fn = FunctionPrototypeCall(nextImpl, ctx);
221+
let result;
222+
let error;
223+
224+
try {
225+
result = ReflectApply(fn, thisArg, argList);
226+
} catch (err) {
227+
error = err;
228+
throw err;
229+
} finally {
230+
FunctionPrototypeCall(trackCall, ctx, {
231+
arguments: argList,
232+
error,
233+
result,
234+
// eslint-disable-next-line no-restricted-syntax
235+
stack: new Error(),
236+
target: undefined,
237+
this: thisArg,
238+
});
239+
}
240+
241+
return result;
242+
},
243+
construct(target, argList, newTarget) {
244+
const realTarget = FunctionPrototypeCall(nextImpl, ctx);
245+
let result;
246+
let error;
247+
248+
try {
249+
result = ReflectConstruct(realTarget, argList, newTarget);
250+
} catch (err) {
251+
error = err;
252+
throw err;
253+
} finally {
254+
FunctionPrototypeCall(trackCall, ctx, {
255+
arguments: argList,
256+
error,
257+
result,
258+
// eslint-disable-next-line no-restricted-syntax
259+
stack: new Error(),
260+
target,
261+
this: result,
262+
});
263+
}
264+
265+
return result;
266+
},
267+
get(target, property, receiver) {
268+
if (property === 'mock') {
269+
return ctx;
270+
}
271+
272+
return ReflectGet(target, property, receiver);
273+
},
274+
});
275+
276+
ArrayPrototypePush(this.#mocks, ctx);
277+
return mock;
278+
}
279+
}
280+
281+
function validateStringOrSymbol(value, name) {
282+
if (typeof value !== 'string' && typeof value !== 'symbol') {
283+
throw new ERR_INVALID_ARG_TYPE(name, ['string', 'symbol'], value);
284+
}
285+
}
286+
287+
function validateTimes(value, name) {
288+
if (value === Infinity) {
289+
return;
290+
}
291+
292+
validateInteger(value, name, 1);
293+
}
294+
295+
module.exports = { MockTracker };

‎lib/internal/test_runner/test.js

+8
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,7 @@ const {
3232
AbortError,
3333
} = require('internal/errors');
3434
const { getOptionValue } = require('internal/options');
35+
const { MockTracker } = require('internal/test_runner/mock');
3536
const { TapStream } = require('internal/test_runner/tap_stream');
3637
const {
3738
convertStringToRegExp,
@@ -112,6 +113,11 @@ class TestContext {
112113
this.#test.diagnostic(message);
113114
}
114115

116+
get mock() {
117+
this.#test.mock ??= new MockTracker();
118+
return this.#test.mock;
119+
}
120+
115121
runOnly(value) {
116122
this.#test.runOnlySubtests = !!value;
117123
}
@@ -239,6 +245,7 @@ class Test extends AsyncResource {
239245
this.#outerSignal?.addEventListener('abort', this.#abortHandler);
240246

241247
this.fn = fn;
248+
this.mock = null;
242249
this.name = name;
243250
this.parent = parent;
244251
this.cancelled = false;
@@ -593,6 +600,7 @@ class Test extends AsyncResource {
593600
}
594601

595602
this.#outerSignal?.removeEventListener('abort', this.#abortHandler);
603+
this.mock?.reset();
596604

597605
if (this.parent !== null) {
598606
this.parent.activeSubtests--;

‎lib/test.js

+18-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
'use strict';
2-
const { ObjectAssign } = primordials;
2+
const { ObjectAssign, ObjectDefineProperty } = primordials;
33
const { test, describe, it, before, after, beforeEach, afterEach } = require('internal/test_runner/harness');
44
const { run } = require('internal/test_runner/runner');
55

@@ -14,3 +14,20 @@ ObjectAssign(module.exports, {
1414
run,
1515
test,
1616
});
17+
18+
let lazyMock;
19+
20+
ObjectDefineProperty(module.exports, 'mock', {
21+
__proto__: null,
22+
configurable: true,
23+
enumerable: true,
24+
get() {
25+
if (lazyMock === undefined) {
26+
const { MockTracker } = require('internal/test_runner/mock');
27+
28+
lazyMock = new MockTracker();
29+
}
30+
31+
return lazyMock;
32+
},
33+
});

‎test/parallel/test-runner-mocking.js

+801
Large diffs are not rendered by default.

‎tools/doc/type-parser.mjs

+1-1
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,7 @@ const jsPrimitives = {
1414
const jsGlobalObjectsUrl = `${jsDocPrefix}Reference/Global_Objects/`;
1515
const jsGlobalTypes = [
1616
'AggregateError', 'Array', 'ArrayBuffer', 'DataView', 'Date', 'Error',
17-
'EvalError', 'Function', 'Map', 'Object', 'Promise', 'RangeError',
17+
'EvalError', 'Function', 'Map', 'Object', 'Promise', 'Proxy', 'RangeError',
1818
'ReferenceError', 'RegExp', 'Set', 'SharedArrayBuffer', 'SyntaxError',
1919
'TypeError', 'TypedArray', 'URIError', 'Uint8Array',
2020
];

0 commit comments

Comments
 (0)
Please sign in to comment.