{ "type": "module", "source": "doc/api/util.md", "modules": [ { "textRaw": "Util", "name": "util", "introduced_in": "v0.10.0", "stability": 2, "stabilityText": "Stable", "desc": "

Source Code: lib/util.js

\n

The node:util module supports the needs of Node.js internal APIs. Many of the\nutilities are useful for application and module developers as well. To access\nit:

\n
const util = require('node:util');\n
", "methods": [ { "textRaw": "`util.callbackify(original)`", "type": "method", "name": "callbackify", "meta": { "added": [ "v8.2.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {Function} a callback style function", "name": "return", "type": "Function", "desc": "a callback style function" }, "params": [ { "textRaw": "`original` {Function} An `async` function", "name": "original", "type": "Function", "desc": "An `async` function" } ] } ], "desc": "

Takes an async function (or a function that returns a Promise) and returns a\nfunction following the error-first callback style, i.e. taking\nan (err, value) => ... callback as the last argument. In the callback, the\nfirst argument will be the rejection reason (or null if the Promise\nresolved), and the second argument will be the resolved value.

\n
const util = require('node:util');\n\nasync function fn() {\n  return 'hello world';\n}\nconst callbackFunction = util.callbackify(fn);\n\ncallbackFunction((err, ret) => {\n  if (err) throw err;\n  console.log(ret);\n});\n
\n

Will print:

\n
hello world\n
\n

The callback is executed asynchronously, and will have a limited stack trace.\nIf the callback throws, the process will emit an 'uncaughtException'\nevent, and if not handled will exit.

\n

Since null has a special meaning as the first argument to a callback, if a\nwrapped function rejects a Promise with a falsy value as a reason, the value\nis wrapped in an Error with the original value stored in a field named\nreason.

\n
function fn() {\n  return Promise.reject(null);\n}\nconst callbackFunction = util.callbackify(fn);\n\ncallbackFunction((err, ret) => {\n  // When the Promise was rejected with `null` it is wrapped with an Error and\n  // the original value is stored in `reason`.\n  err && Object.hasOwn(err, 'reason') && err.reason === null;  // true\n});\n
" }, { "textRaw": "`util.debuglog(section[, callback])`", "type": "method", "name": "debuglog", "meta": { "added": [ "v0.11.3" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {Function} The logging function", "name": "return", "type": "Function", "desc": "The logging function" }, "params": [ { "textRaw": "`section` {string} A string identifying the portion of the application for which the `debuglog` function is being created.", "name": "section", "type": "string", "desc": "A string identifying the portion of the application for which the `debuglog` function is being created." }, { "textRaw": "`callback` {Function} A callback invoked the first time the logging function is called with a function argument that is a more optimized logging function.", "name": "callback", "type": "Function", "desc": "A callback invoked the first time the logging function is called with a function argument that is a more optimized logging function." } ] } ], "desc": "

The util.debuglog() method is used to create a function that conditionally\nwrites debug messages to stderr based on the existence of the NODE_DEBUG\nenvironment variable. If the section name appears within the value of that\nenvironment variable, then the returned function operates similar to\nconsole.error(). If not, then the returned function is a no-op.

\n
const util = require('node:util');\nconst debuglog = util.debuglog('foo');\n\ndebuglog('hello from foo [%d]', 123);\n
\n

If this program is run with NODE_DEBUG=foo in the environment, then\nit will output something like:

\n
FOO 3245: hello from foo [123]\n
\n

where 3245 is the process id. If it is not run with that\nenvironment variable set, then it will not print anything.

\n

The section supports wildcard also:

\n
const util = require('node:util');\nconst debuglog = util.debuglog('foo-bar');\n\ndebuglog('hi there, it\\'s foo-bar [%d]', 2333);\n
\n

if it is run with NODE_DEBUG=foo* in the environment, then it will output\nsomething like:

\n
FOO-BAR 3257: hi there, it's foo-bar [2333]\n
\n

Multiple comma-separated section names may be specified in the NODE_DEBUG\nenvironment variable: NODE_DEBUG=fs,net,tls.

\n

The optional callback argument can be used to replace the logging function\nwith a different function that doesn't have any initialization or\nunnecessary wrapping.

\n
const util = require('node:util');\nlet debuglog = util.debuglog('internals', (debug) => {\n  // Replace with a logging function that optimizes out\n  // testing if the section is enabled\n  debuglog = debug;\n});\n
", "modules": [ { "textRaw": "`debuglog().enabled`", "name": "`debuglog().enabled`", "meta": { "added": [ "v14.9.0" ], "changes": [] }, "desc": "\n

The util.debuglog().enabled getter is used to create a test that can be used\nin conditionals based on the existence of the NODE_DEBUG environment variable.\nIf the section name appears within the value of that environment variable,\nthen the returned value will be true. If not, then the returned value will be\nfalse.

\n
const util = require('node:util');\nconst enabled = util.debuglog('foo').enabled;\nif (enabled) {\n  console.log('hello from foo [%d]', 123);\n}\n
\n

If this program is run with NODE_DEBUG=foo in the environment, then it will\noutput something like:

\n
hello from foo [123]\n
", "type": "module", "displayName": "`debuglog().enabled`" } ] }, { "textRaw": "`util.debug(section)`", "type": "method", "name": "debug", "meta": { "added": [ "v14.9.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

Alias for util.debuglog. Usage allows for readability of that doesn't imply\nlogging when only using util.debuglog().enabled.

" }, { "textRaw": "`util.deprecate(fn, msg[, code])`", "type": "method", "name": "deprecate", "meta": { "added": [ "v0.8.0" ], "changes": [ { "version": "v10.0.0", "pr-url": "https://github.com/nodejs/node/pull/16393", "description": "Deprecation warnings are only emitted once for each code." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {Function} The deprecated function wrapped to emit a warning.", "name": "return", "type": "Function", "desc": "The deprecated function wrapped to emit a warning." }, "params": [ { "textRaw": "`fn` {Function} The function that is being deprecated.", "name": "fn", "type": "Function", "desc": "The function that is being deprecated." }, { "textRaw": "`msg` {string} A warning message to display when the deprecated function is invoked.", "name": "msg", "type": "string", "desc": "A warning message to display when the deprecated function is invoked." }, { "textRaw": "`code` {string} A deprecation code. See the [list of deprecated APIs][] for a list of codes.", "name": "code", "type": "string", "desc": "A deprecation code. See the [list of deprecated APIs][] for a list of codes." } ] } ], "desc": "

The util.deprecate() method wraps fn (which may be a function or class) in\nsuch a way that it is marked as deprecated.

\n
const util = require('node:util');\n\nexports.obsoleteFunction = util.deprecate(() => {\n  // Do something here.\n}, 'obsoleteFunction() is deprecated. Use newShinyFunction() instead.');\n
\n

When called, util.deprecate() will return a function that will emit a\nDeprecationWarning using the 'warning' event. The warning will\nbe emitted and printed to stderr the first time the returned function is\ncalled. After the warning is emitted, the wrapped function is called without\nemitting a warning.

\n

If the same optional code is supplied in multiple calls to util.deprecate(),\nthe warning will be emitted only once for that code.

\n
const util = require('node:util');\n\nconst fn1 = util.deprecate(someFunction, someMessage, 'DEP0001');\nconst fn2 = util.deprecate(someOtherFunction, someOtherMessage, 'DEP0001');\nfn1(); // Emits a deprecation warning with code DEP0001\nfn2(); // Does not emit a deprecation warning because it has the same code\n
\n

If either the --no-deprecation or --no-warnings command-line flags are\nused, or if the process.noDeprecation property is set to true prior to\nthe first deprecation warning, the util.deprecate() method does nothing.

\n

If the --trace-deprecation or --trace-warnings command-line flags are set,\nor the process.traceDeprecation property is set to true, a warning and a\nstack trace are printed to stderr the first time the deprecated function is\ncalled.

\n

If the --throw-deprecation command-line flag is set, or the\nprocess.throwDeprecation property is set to true, then an exception will be\nthrown when the deprecated function is called.

\n

The --throw-deprecation command-line flag and process.throwDeprecation\nproperty take precedence over --trace-deprecation and\nprocess.traceDeprecation.

" }, { "textRaw": "`util.format(format[, ...args])`", "type": "method", "name": "format", "meta": { "added": [ "v0.5.3" ], "changes": [ { "version": "v12.11.0", "pr-url": "https://github.com/nodejs/node/pull/29606", "description": "The `%c` specifier is ignored now." }, { "version": "v12.0.0", "pr-url": "https://github.com/nodejs/node/pull/23162", "description": "The `format` argument is now only taken as such if it actually contains format specifiers." }, { "version": "v12.0.0", "pr-url": "https://github.com/nodejs/node/pull/23162", "description": "If the `format` argument is not a format string, the output string's formatting is no longer dependent on the type of the first argument. This change removes previously present quotes from strings that were being output when the first argument was not a string." }, { "version": "v11.4.0", "pr-url": "https://github.com/nodejs/node/pull/23708", "description": "The `%d`, `%f`, and `%i` specifiers now support Symbols properly." }, { "version": "v11.4.0", "pr-url": "https://github.com/nodejs/node/pull/24806", "description": "The `%o` specifier's `depth` has default depth of 4 again." }, { "version": "v11.0.0", "pr-url": "https://github.com/nodejs/node/pull/17907", "description": "The `%o` specifier's `depth` option will now fall back to the default depth." }, { "version": "v10.12.0", "pr-url": "https://github.com/nodejs/node/pull/22097", "description": "The `%d` and `%i` specifiers now support BigInt." }, { "version": "v8.4.0", "pr-url": "https://github.com/nodejs/node/pull/14558", "description": "The `%o` and `%O` specifiers are supported now." } ] }, "signatures": [ { "params": [ { "textRaw": "`format` {string} A `printf`-like format string.", "name": "format", "type": "string", "desc": "A `printf`-like format string." } ] } ], "desc": "

The util.format() method returns a formatted string using the first argument\nas a printf-like format string which can contain zero or more format\nspecifiers. Each specifier is replaced with the converted value from the\ncorresponding argument. Supported specifiers are:

\n\n

If a specifier does not have a corresponding argument, it is not replaced:

\n
util.format('%s:%s', 'foo');\n// Returns: 'foo:%s'\n
\n

Values that are not part of the format string are formatted using\nutil.inspect() if their type is not string.

\n

If there are more arguments passed to the util.format() method than the\nnumber of specifiers, the extra arguments are concatenated to the returned\nstring, separated by spaces:

\n
util.format('%s:%s', 'foo', 'bar', 'baz');\n// Returns: 'foo:bar baz'\n
\n

If the first argument does not contain a valid format specifier, util.format()\nreturns a string that is the concatenation of all arguments separated by spaces:

\n
util.format(1, 2, 3);\n// Returns: '1 2 3'\n
\n

If only one argument is passed to util.format(), it is returned as it is\nwithout any formatting:

\n
util.format('%% %s');\n// Returns: '%% %s'\n
\n

util.format() is a synchronous method that is intended as a debugging tool.\nSome input values can have a significant performance overhead that can block the\nevent loop. Use this function with care and never in a hot code path.

" }, { "textRaw": "`util.formatWithOptions(inspectOptions, format[, ...args])`", "type": "method", "name": "formatWithOptions", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`inspectOptions` {Object}", "name": "inspectOptions", "type": "Object" }, { "textRaw": "`format` {string}", "name": "format", "type": "string" } ] } ], "desc": "

This function is identical to util.format(), except in that it takes\nan inspectOptions argument which specifies options that are passed along to\nutil.inspect().

\n
util.formatWithOptions({ colors: true }, 'See object %O', { foo: 42 });\n// Returns 'See object { foo: 42 }', where `42` is colored as a number\n// when printed to a terminal.\n
" }, { "textRaw": "`util.getSystemErrorName(err)`", "type": "method", "name": "getSystemErrorName", "meta": { "added": [ "v9.7.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {string}", "name": "return", "type": "string" }, "params": [ { "textRaw": "`err` {number}", "name": "err", "type": "number" } ] } ], "desc": "

Returns the string name for a numeric error code that comes from a Node.js API.\nThe mapping between error codes and error names is platform-dependent.\nSee Common System Errors for the names of common errors.

\n
fs.access('file/that/does/not/exist', (err) => {\n  const name = util.getSystemErrorName(err.errno);\n  console.error(name);  // ENOENT\n});\n
" }, { "textRaw": "`util.getSystemErrorMap()`", "type": "method", "name": "getSystemErrorMap", "meta": { "added": [ "v16.0.0", "v14.17.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {Map}", "name": "return", "type": "Map" }, "params": [] } ], "desc": "

Returns a Map of all system error codes available from the Node.js API.\nThe mapping between error codes and error names is platform-dependent.\nSee Common System Errors for the names of common errors.

\n
fs.access('file/that/does/not/exist', (err) => {\n  const errorMap = util.getSystemErrorMap();\n  const name = errorMap.get(err.errno);\n  console.error(name);  // ENOENT\n});\n
" }, { "textRaw": "`util.inherits(constructor, superConstructor)`", "type": "method", "name": "inherits", "meta": { "added": [ "v0.3.0" ], "changes": [ { "version": "v5.0.0", "pr-url": "https://github.com/nodejs/node/pull/3455", "description": "The `constructor` parameter can refer to an ES6 class now." } ] }, "stability": 3, "stabilityText": "Legacy: Use ES2015 class syntax and `extends` keyword instead.", "signatures": [ { "params": [ { "textRaw": "`constructor` {Function}", "name": "constructor", "type": "Function" }, { "textRaw": "`superConstructor` {Function}", "name": "superConstructor", "type": "Function" } ] } ], "desc": "

Usage of util.inherits() is discouraged. Please use the ES6 class and\nextends keywords to get language level inheritance support. Also note\nthat the two styles are semantically incompatible.

\n

Inherit the prototype methods from one constructor into another. The\nprototype of constructor will be set to a new object created from\nsuperConstructor.

\n

This mainly adds some input validation on top of\nObject.setPrototypeOf(constructor.prototype, superConstructor.prototype).\nAs an additional convenience, superConstructor will be accessible\nthrough the constructor.super_ property.

\n
const util = require('node:util');\nconst EventEmitter = require('node:events');\n\nfunction MyStream() {\n  EventEmitter.call(this);\n}\n\nutil.inherits(MyStream, EventEmitter);\n\nMyStream.prototype.write = function(data) {\n  this.emit('data', data);\n};\n\nconst stream = new MyStream();\n\nconsole.log(stream instanceof EventEmitter); // true\nconsole.log(MyStream.super_ === EventEmitter); // true\n\nstream.on('data', (data) => {\n  console.log(`Received data: \"${data}\"`);\n});\nstream.write('It works!'); // Received data: \"It works!\"\n
\n

ES6 example using class and extends:

\n
const EventEmitter = require('node:events');\n\nclass MyStream extends EventEmitter {\n  write(data) {\n    this.emit('data', data);\n  }\n}\n\nconst stream = new MyStream();\n\nstream.on('data', (data) => {\n  console.log(`Received data: \"${data}\"`);\n});\nstream.write('With ES6');\n
" }, { "textRaw": "`util.inspect(object[, options])`", "type": "method", "name": "inspect", "meta": { "added": [ "v0.3.0" ], "changes": [ { "version": [ "v17.3.0", "v16.14.0" ], "pr-url": "https://github.com/nodejs/node/pull/41003", "description": "The `numericSeparator` option is supported now." }, { "version": [ "v14.6.0", "v12.19.0" ], "pr-url": "https://github.com/nodejs/node/pull/33690", "description": "If `object` is from a different `vm.Context` now, a custom inspection function on it will not receive context-specific arguments anymore." }, { "version": [ "v13.13.0", "v12.17.0" ], "pr-url": "https://github.com/nodejs/node/pull/32392", "description": "The `maxStringLength` option is supported now." }, { "version": [ "v13.5.0", "v12.16.0" ], "pr-url": "https://github.com/nodejs/node/pull/30768", "description": "User defined prototype properties are inspected in case `showHidden` is `true`." }, { "version": "v13.0.0", "pr-url": "https://github.com/nodejs/node/pull/27685", "description": "Circular references now include a marker to the reference." }, { "version": "v12.0.0", "pr-url": "https://github.com/nodejs/node/pull/27109", "description": "The `compact` options default is changed to `3` and the `breakLength` options default is changed to `80`." }, { "version": "v12.0.0", "pr-url": "https://github.com/nodejs/node/pull/24971", "description": "Internal properties no longer appear in the context argument of a custom inspection function." }, { "version": "v11.11.0", "pr-url": "https://github.com/nodejs/node/pull/26269", "description": "The `compact` option accepts numbers for a new output mode." }, { "version": "v11.7.0", "pr-url": "https://github.com/nodejs/node/pull/25006", "description": "ArrayBuffers now also show their binary contents." }, { "version": "v11.5.0", "pr-url": "https://github.com/nodejs/node/pull/24852", "description": "The `getters` option is supported now." }, { "version": "v11.4.0", "pr-url": "https://github.com/nodejs/node/pull/24326", "description": "The `depth` default changed back to `2`." }, { "version": "v11.0.0", "pr-url": "https://github.com/nodejs/node/pull/22846", "description": "The `depth` default changed to `20`." }, { "version": "v11.0.0", "pr-url": "https://github.com/nodejs/node/pull/22756", "description": "The inspection output is now limited to about 128 MiB. Data above that size will not be fully inspected." }, { "version": "v10.12.0", "pr-url": "https://github.com/nodejs/node/pull/22788", "description": "The `sorted` option is supported now." }, { "version": "v10.6.0", "pr-url": "https://github.com/nodejs/node/pull/20725", "description": "Inspecting linked lists and similar objects is now possible up to the maximum call stack size." }, { "version": "v10.0.0", "pr-url": "https://github.com/nodejs/node/pull/19259", "description": "The `WeakMap` and `WeakSet` entries can now be inspected as well." }, { "version": "v9.9.0", "pr-url": "https://github.com/nodejs/node/pull/17576", "description": "The `compact` option is supported now." }, { "version": "v6.6.0", "pr-url": "https://github.com/nodejs/node/pull/8174", "description": "Custom inspection functions can now return `this`." }, { "version": "v6.3.0", "pr-url": "https://github.com/nodejs/node/pull/7499", "description": "The `breakLength` option is supported now." }, { "version": "v6.1.0", "pr-url": "https://github.com/nodejs/node/pull/6334", "description": "The `maxArrayLength` option is supported now; in particular, long arrays are truncated by default." }, { "version": "v6.1.0", "pr-url": "https://github.com/nodejs/node/pull/6465", "description": "The `showProxy` option is supported now." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {string} The representation of `object`.", "name": "return", "type": "string", "desc": "The representation of `object`." }, "params": [ { "textRaw": "`object` {any} Any JavaScript primitive or `Object`.", "name": "object", "type": "any", "desc": "Any JavaScript primitive or `Object`." }, { "textRaw": "`options` {Object}", "name": "options", "type": "Object", "options": [ { "textRaw": "`showHidden` {boolean} If `true`, `object`'s non-enumerable symbols and properties are included in the formatted result. [`WeakMap`][] and [`WeakSet`][] entries are also included as well as user defined prototype properties (excluding method properties). **Default:** `false`.", "name": "showHidden", "type": "boolean", "default": "`false`", "desc": "If `true`, `object`'s non-enumerable symbols and properties are included in the formatted result. [`WeakMap`][] and [`WeakSet`][] entries are also included as well as user defined prototype properties (excluding method properties)." }, { "textRaw": "`depth` {number} Specifies the number of times to recurse while formatting `object`. This is useful for inspecting large objects. To recurse up to the maximum call stack size pass `Infinity` or `null`. **Default:** `2`.", "name": "depth", "type": "number", "default": "`2`", "desc": "Specifies the number of times to recurse while formatting `object`. This is useful for inspecting large objects. To recurse up to the maximum call stack size pass `Infinity` or `null`." }, { "textRaw": "`colors` {boolean} If `true`, the output is styled with ANSI color codes. Colors are customizable. See [Customizing `util.inspect` colors][]. **Default:** `false`.", "name": "colors", "type": "boolean", "default": "`false`", "desc": "If `true`, the output is styled with ANSI color codes. Colors are customizable. See [Customizing `util.inspect` colors][]." }, { "textRaw": "`customInspect` {boolean} If `false`, `[util.inspect.custom](depth, opts, inspect)` functions are not invoked. **Default:** `true`.", "name": "customInspect", "type": "boolean", "default": "`true`", "desc": "If `false`, `[util.inspect.custom](depth, opts, inspect)` functions are not invoked." }, { "textRaw": "`showProxy` {boolean} If `true`, `Proxy` inspection includes the [`target` and `handler`][] objects. **Default:** `false`.", "name": "showProxy", "type": "boolean", "default": "`false`", "desc": "If `true`, `Proxy` inspection includes the [`target` and `handler`][] objects." }, { "textRaw": "`maxArrayLength` {integer} Specifies the maximum number of `Array`, [`TypedArray`][], [`WeakMap`][], and [`WeakSet`][] elements to include when formatting. Set to `null` or `Infinity` to show all elements. Set to `0` or negative to show no elements. **Default:** `100`.", "name": "maxArrayLength", "type": "integer", "default": "`100`", "desc": "Specifies the maximum number of `Array`, [`TypedArray`][], [`WeakMap`][], and [`WeakSet`][] elements to include when formatting. Set to `null` or `Infinity` to show all elements. Set to `0` or negative to show no elements." }, { "textRaw": "`maxStringLength` {integer} Specifies the maximum number of characters to include when formatting. Set to `null` or `Infinity` to show all elements. Set to `0` or negative to show no characters. **Default:** `10000`.", "name": "maxStringLength", "type": "integer", "default": "`10000`", "desc": "Specifies the maximum number of characters to include when formatting. Set to `null` or `Infinity` to show all elements. Set to `0` or negative to show no characters." }, { "textRaw": "`breakLength` {integer} The length at which input values are split across multiple lines. Set to `Infinity` to format the input as a single line (in combination with `compact` set to `true` or any number >= `1`). **Default:** `80`.", "name": "breakLength", "type": "integer", "default": "`80`", "desc": "The length at which input values are split across multiple lines. Set to `Infinity` to format the input as a single line (in combination with `compact` set to `true` or any number >= `1`)." }, { "textRaw": "`compact` {boolean|integer} Setting this to `false` causes each object key to be displayed on a new line. It will break on new lines in text that is longer than `breakLength`. If set to a number, the most `n` inner elements are united on a single line as long as all properties fit into `breakLength`. Short array elements are also grouped together. For more information, see the example below. **Default:** `3`.", "name": "compact", "type": "boolean|integer", "default": "`3`", "desc": "Setting this to `false` causes each object key to be displayed on a new line. It will break on new lines in text that is longer than `breakLength`. If set to a number, the most `n` inner elements are united on a single line as long as all properties fit into `breakLength`. Short array elements are also grouped together. For more information, see the example below." }, { "textRaw": "`sorted` {boolean|Function} If set to `true` or a function, all properties of an object, and `Set` and `Map` entries are sorted in the resulting string. If set to `true` the [default sort][] is used. If set to a function, it is used as a [compare function][].", "name": "sorted", "type": "boolean|Function", "desc": "If set to `true` or a function, all properties of an object, and `Set` and `Map` entries are sorted in the resulting string. If set to `true` the [default sort][] is used. If set to a function, it is used as a [compare function][]." }, { "textRaw": "`getters` {boolean|string} If set to `true`, getters are inspected. If set to `'get'`, only getters without a corresponding setter are inspected. If set to `'set'`, only getters with a corresponding setter are inspected. This might cause side effects depending on the getter function. **Default:** `false`.", "name": "getters", "type": "boolean|string", "default": "`false`", "desc": "If set to `true`, getters are inspected. If set to `'get'`, only getters without a corresponding setter are inspected. If set to `'set'`, only getters with a corresponding setter are inspected. This might cause side effects depending on the getter function." }, { "textRaw": "`numericSeparator` {boolean} If set to `true`, an underscore is used to separate every three digits in all bigints and numbers. **Default:** `false`.", "name": "numericSeparator", "type": "boolean", "default": "`false`", "desc": "If set to `true`, an underscore is used to separate every three digits in all bigints and numbers." } ] } ] } ], "desc": "

The util.inspect() method returns a string representation of object that is\nintended for debugging. The output of util.inspect may change at any time\nand should not be depended upon programmatically. Additional options may be\npassed that alter the result.\nutil.inspect() will use the constructor's name and/or @@toStringTag to make\nan identifiable tag for an inspected value.

\n
class Foo {\n  get [Symbol.toStringTag]() {\n    return 'bar';\n  }\n}\n\nclass Bar {}\n\nconst baz = Object.create(null, { [Symbol.toStringTag]: { value: 'foo' } });\n\nutil.inspect(new Foo()); // 'Foo [bar] {}'\nutil.inspect(new Bar()); // 'Bar {}'\nutil.inspect(baz);       // '[foo] {}'\n
\n

Circular references point to their anchor by using a reference index:

\n
const { inspect } = require('node:util');\n\nconst obj = {};\nobj.a = [obj];\nobj.b = {};\nobj.b.inner = obj.b;\nobj.b.obj = obj;\n\nconsole.log(inspect(obj));\n// <ref *1> {\n//   a: [ [Circular *1] ],\n//   b: <ref *2> { inner: [Circular *2], obj: [Circular *1] }\n// }\n
\n

The following example inspects all properties of the util object:

\n
const util = require('node:util');\n\nconsole.log(util.inspect(util, { showHidden: true, depth: null }));\n
\n

The following example highlights the effect of the compact option:

\n
const util = require('node:util');\n\nconst o = {\n  a: [1, 2, [[\n    'Lorem ipsum dolor sit amet,\\nconsectetur adipiscing elit, sed do ' +\n      'eiusmod \\ntempor incididunt ut labore et dolore magna aliqua.',\n    'test',\n    'foo']], 4],\n  b: new Map([['za', 1], ['zb', 'test']]),\n};\nconsole.log(util.inspect(o, { compact: true, depth: 5, breakLength: 80 }));\n\n// { a:\n//   [ 1,\n//     2,\n//     [ [ 'Lorem ipsum dolor sit amet,\\nconsectetur [...]', // A long line\n//           'test',\n//           'foo' ] ],\n//     4 ],\n//   b: Map(2) { 'za' => 1, 'zb' => 'test' } }\n\n// Setting `compact` to false or an integer creates more reader friendly output.\nconsole.log(util.inspect(o, { compact: false, depth: 5, breakLength: 80 }));\n\n// {\n//   a: [\n//     1,\n//     2,\n//     [\n//       [\n//         'Lorem ipsum dolor sit amet,\\n' +\n//           'consectetur adipiscing elit, sed do eiusmod \\n' +\n//           'tempor incididunt ut labore et dolore magna aliqua.',\n//         'test',\n//         'foo'\n//       ]\n//     ],\n//     4\n//   ],\n//   b: Map(2) {\n//     'za' => 1,\n//     'zb' => 'test'\n//   }\n// }\n\n// Setting `breakLength` to e.g. 150 will print the \"Lorem ipsum\" text in a\n// single line.\n
\n

The showHidden option allows WeakMap and WeakSet entries to be\ninspected. If there are more entries than maxArrayLength, there is no\nguarantee which entries are displayed. That means retrieving the same\nWeakSet entries twice may result in different output. Furthermore, entries\nwith no remaining strong references may be garbage collected at any time.

\n
const { inspect } = require('node:util');\n\nconst obj = { a: 1 };\nconst obj2 = { b: 2 };\nconst weakSet = new WeakSet([obj, obj2]);\n\nconsole.log(inspect(weakSet, { showHidden: true }));\n// WeakSet { { a: 1 }, { b: 2 } }\n
\n

The sorted option ensures that an object's property insertion order does not\nimpact the result of util.inspect().

\n
const { inspect } = require('node:util');\nconst assert = require('node:assert');\n\nconst o1 = {\n  b: [2, 3, 1],\n  a: '`a` comes before `b`',\n  c: new Set([2, 3, 1]),\n};\nconsole.log(inspect(o1, { sorted: true }));\n// { a: '`a` comes before `b`', b: [ 2, 3, 1 ], c: Set(3) { 1, 2, 3 } }\nconsole.log(inspect(o1, { sorted: (a, b) => b.localeCompare(a) }));\n// { c: Set(3) { 3, 2, 1 }, b: [ 2, 3, 1 ], a: '`a` comes before `b`' }\n\nconst o2 = {\n  c: new Set([2, 1, 3]),\n  a: '`a` comes before `b`',\n  b: [2, 3, 1],\n};\nassert.strict.equal(\n  inspect(o1, { sorted: true }),\n  inspect(o2, { sorted: true }),\n);\n
\n

The numericSeparator option adds an underscore every three digits to all\nnumbers.

\n
const { inspect } = require('node:util');\n\nconst thousand = 1_000;\nconst million = 1_000_000;\nconst bigNumber = 123_456_789n;\nconst bigDecimal = 1_234.123_45;\n\nconsole.log(thousand, million, bigNumber, bigDecimal);\n// 1_000 1_000_000 123_456_789n 1_234.123_45\n
\n

util.inspect() is a synchronous method intended for debugging. Its maximum\noutput length is approximately 128 MiB. Inputs that result in longer output will\nbe truncated.

" }, { "textRaw": "`util.inspect(object[, showHidden[, depth[, colors]]])`", "type": "method", "name": "inspect", "meta": { "added": [ "v0.3.0" ], "changes": [ { "version": [ "v17.3.0", "v16.14.0" ], "pr-url": "https://github.com/nodejs/node/pull/41003", "description": "The `numericSeparator` option is supported now." }, { "version": [ "v14.6.0", "v12.19.0" ], "pr-url": "https://github.com/nodejs/node/pull/33690", "description": "If `object` is from a different `vm.Context` now, a custom inspection function on it will not receive context-specific arguments anymore." }, { "version": [ "v13.13.0", "v12.17.0" ], "pr-url": "https://github.com/nodejs/node/pull/32392", "description": "The `maxStringLength` option is supported now." }, { "version": [ "v13.5.0", "v12.16.0" ], "pr-url": "https://github.com/nodejs/node/pull/30768", "description": "User defined prototype properties are inspected in case `showHidden` is `true`." }, { "version": "v13.0.0", "pr-url": "https://github.com/nodejs/node/pull/27685", "description": "Circular references now include a marker to the reference." }, { "version": "v12.0.0", "pr-url": "https://github.com/nodejs/node/pull/27109", "description": "The `compact` options default is changed to `3` and the `breakLength` options default is changed to `80`." }, { "version": "v12.0.0", "pr-url": "https://github.com/nodejs/node/pull/24971", "description": "Internal properties no longer appear in the context argument of a custom inspection function." }, { "version": "v11.11.0", "pr-url": "https://github.com/nodejs/node/pull/26269", "description": "The `compact` option accepts numbers for a new output mode." }, { "version": "v11.7.0", "pr-url": "https://github.com/nodejs/node/pull/25006", "description": "ArrayBuffers now also show their binary contents." }, { "version": "v11.5.0", "pr-url": "https://github.com/nodejs/node/pull/24852", "description": "The `getters` option is supported now." }, { "version": "v11.4.0", "pr-url": "https://github.com/nodejs/node/pull/24326", "description": "The `depth` default changed back to `2`." }, { "version": "v11.0.0", "pr-url": "https://github.com/nodejs/node/pull/22846", "description": "The `depth` default changed to `20`." }, { "version": "v11.0.0", "pr-url": "https://github.com/nodejs/node/pull/22756", "description": "The inspection output is now limited to about 128 MiB. Data above that size will not be fully inspected." }, { "version": "v10.12.0", "pr-url": "https://github.com/nodejs/node/pull/22788", "description": "The `sorted` option is supported now." }, { "version": "v10.6.0", "pr-url": "https://github.com/nodejs/node/pull/20725", "description": "Inspecting linked lists and similar objects is now possible up to the maximum call stack size." }, { "version": "v10.0.0", "pr-url": "https://github.com/nodejs/node/pull/19259", "description": "The `WeakMap` and `WeakSet` entries can now be inspected as well." }, { "version": "v9.9.0", "pr-url": "https://github.com/nodejs/node/pull/17576", "description": "The `compact` option is supported now." }, { "version": "v6.6.0", "pr-url": "https://github.com/nodejs/node/pull/8174", "description": "Custom inspection functions can now return `this`." }, { "version": "v6.3.0", "pr-url": "https://github.com/nodejs/node/pull/7499", "description": "The `breakLength` option is supported now." }, { "version": "v6.1.0", "pr-url": "https://github.com/nodejs/node/pull/6334", "description": "The `maxArrayLength` option is supported now; in particular, long arrays are truncated by default." }, { "version": "v6.1.0", "pr-url": "https://github.com/nodejs/node/pull/6465", "description": "The `showProxy` option is supported now." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {string} The representation of `object`.", "name": "return", "type": "string", "desc": "The representation of `object`." }, "params": [ { "textRaw": "`object` {any} Any JavaScript primitive or `Object`.", "name": "object", "type": "any", "desc": "Any JavaScript primitive or `Object`." }, { "textRaw": "`options` {Object}", "name": "options", "type": "Object", "options": [ { "textRaw": "`showHidden` {boolean} If `true`, `object`'s non-enumerable symbols and properties are included in the formatted result. [`WeakMap`][] and [`WeakSet`][] entries are also included as well as user defined prototype properties (excluding method properties). **Default:** `false`.", "name": "showHidden", "type": "boolean", "default": "`false`", "desc": "If `true`, `object`'s non-enumerable symbols and properties are included in the formatted result. [`WeakMap`][] and [`WeakSet`][] entries are also included as well as user defined prototype properties (excluding method properties)." }, { "textRaw": "`depth` {number} Specifies the number of times to recurse while formatting `object`. This is useful for inspecting large objects. To recurse up to the maximum call stack size pass `Infinity` or `null`. **Default:** `2`.", "name": "depth", "type": "number", "default": "`2`", "desc": "Specifies the number of times to recurse while formatting `object`. This is useful for inspecting large objects. To recurse up to the maximum call stack size pass `Infinity` or `null`." }, { "textRaw": "`colors` {boolean} If `true`, the output is styled with ANSI color codes. Colors are customizable. See [Customizing `util.inspect` colors][]. **Default:** `false`.", "name": "colors", "type": "boolean", "default": "`false`", "desc": "If `true`, the output is styled with ANSI color codes. Colors are customizable. See [Customizing `util.inspect` colors][]." }, { "textRaw": "`customInspect` {boolean} If `false`, `[util.inspect.custom](depth, opts, inspect)` functions are not invoked. **Default:** `true`.", "name": "customInspect", "type": "boolean", "default": "`true`", "desc": "If `false`, `[util.inspect.custom](depth, opts, inspect)` functions are not invoked." }, { "textRaw": "`showProxy` {boolean} If `true`, `Proxy` inspection includes the [`target` and `handler`][] objects. **Default:** `false`.", "name": "showProxy", "type": "boolean", "default": "`false`", "desc": "If `true`, `Proxy` inspection includes the [`target` and `handler`][] objects." }, { "textRaw": "`maxArrayLength` {integer} Specifies the maximum number of `Array`, [`TypedArray`][], [`WeakMap`][], and [`WeakSet`][] elements to include when formatting. Set to `null` or `Infinity` to show all elements. Set to `0` or negative to show no elements. **Default:** `100`.", "name": "maxArrayLength", "type": "integer", "default": "`100`", "desc": "Specifies the maximum number of `Array`, [`TypedArray`][], [`WeakMap`][], and [`WeakSet`][] elements to include when formatting. Set to `null` or `Infinity` to show all elements. Set to `0` or negative to show no elements." }, { "textRaw": "`maxStringLength` {integer} Specifies the maximum number of characters to include when formatting. Set to `null` or `Infinity` to show all elements. Set to `0` or negative to show no characters. **Default:** `10000`.", "name": "maxStringLength", "type": "integer", "default": "`10000`", "desc": "Specifies the maximum number of characters to include when formatting. Set to `null` or `Infinity` to show all elements. Set to `0` or negative to show no characters." }, { "textRaw": "`breakLength` {integer} The length at which input values are split across multiple lines. Set to `Infinity` to format the input as a single line (in combination with `compact` set to `true` or any number >= `1`). **Default:** `80`.", "name": "breakLength", "type": "integer", "default": "`80`", "desc": "The length at which input values are split across multiple lines. Set to `Infinity` to format the input as a single line (in combination with `compact` set to `true` or any number >= `1`)." }, { "textRaw": "`compact` {boolean|integer} Setting this to `false` causes each object key to be displayed on a new line. It will break on new lines in text that is longer than `breakLength`. If set to a number, the most `n` inner elements are united on a single line as long as all properties fit into `breakLength`. Short array elements are also grouped together. For more information, see the example below. **Default:** `3`.", "name": "compact", "type": "boolean|integer", "default": "`3`", "desc": "Setting this to `false` causes each object key to be displayed on a new line. It will break on new lines in text that is longer than `breakLength`. If set to a number, the most `n` inner elements are united on a single line as long as all properties fit into `breakLength`. Short array elements are also grouped together. For more information, see the example below." }, { "textRaw": "`sorted` {boolean|Function} If set to `true` or a function, all properties of an object, and `Set` and `Map` entries are sorted in the resulting string. If set to `true` the [default sort][] is used. If set to a function, it is used as a [compare function][].", "name": "sorted", "type": "boolean|Function", "desc": "If set to `true` or a function, all properties of an object, and `Set` and `Map` entries are sorted in the resulting string. If set to `true` the [default sort][] is used. If set to a function, it is used as a [compare function][]." }, { "textRaw": "`getters` {boolean|string} If set to `true`, getters are inspected. If set to `'get'`, only getters without a corresponding setter are inspected. If set to `'set'`, only getters with a corresponding setter are inspected. This might cause side effects depending on the getter function. **Default:** `false`.", "name": "getters", "type": "boolean|string", "default": "`false`", "desc": "If set to `true`, getters are inspected. If set to `'get'`, only getters without a corresponding setter are inspected. If set to `'set'`, only getters with a corresponding setter are inspected. This might cause side effects depending on the getter function." }, { "textRaw": "`numericSeparator` {boolean} If set to `true`, an underscore is used to separate every three digits in all bigints and numbers. **Default:** `false`.", "name": "numericSeparator", "type": "boolean", "default": "`false`", "desc": "If set to `true`, an underscore is used to separate every three digits in all bigints and numbers." } ] } ] } ], "desc": "

The util.inspect() method returns a string representation of object that is\nintended for debugging. The output of util.inspect may change at any time\nand should not be depended upon programmatically. Additional options may be\npassed that alter the result.\nutil.inspect() will use the constructor's name and/or @@toStringTag to make\nan identifiable tag for an inspected value.

\n
class Foo {\n  get [Symbol.toStringTag]() {\n    return 'bar';\n  }\n}\n\nclass Bar {}\n\nconst baz = Object.create(null, { [Symbol.toStringTag]: { value: 'foo' } });\n\nutil.inspect(new Foo()); // 'Foo [bar] {}'\nutil.inspect(new Bar()); // 'Bar {}'\nutil.inspect(baz);       // '[foo] {}'\n
\n

Circular references point to their anchor by using a reference index:

\n
const { inspect } = require('node:util');\n\nconst obj = {};\nobj.a = [obj];\nobj.b = {};\nobj.b.inner = obj.b;\nobj.b.obj = obj;\n\nconsole.log(inspect(obj));\n// <ref *1> {\n//   a: [ [Circular *1] ],\n//   b: <ref *2> { inner: [Circular *2], obj: [Circular *1] }\n// }\n
\n

The following example inspects all properties of the util object:

\n
const util = require('node:util');\n\nconsole.log(util.inspect(util, { showHidden: true, depth: null }));\n
\n

The following example highlights the effect of the compact option:

\n
const util = require('node:util');\n\nconst o = {\n  a: [1, 2, [[\n    'Lorem ipsum dolor sit amet,\\nconsectetur adipiscing elit, sed do ' +\n      'eiusmod \\ntempor incididunt ut labore et dolore magna aliqua.',\n    'test',\n    'foo']], 4],\n  b: new Map([['za', 1], ['zb', 'test']]),\n};\nconsole.log(util.inspect(o, { compact: true, depth: 5, breakLength: 80 }));\n\n// { a:\n//   [ 1,\n//     2,\n//     [ [ 'Lorem ipsum dolor sit amet,\\nconsectetur [...]', // A long line\n//           'test',\n//           'foo' ] ],\n//     4 ],\n//   b: Map(2) { 'za' => 1, 'zb' => 'test' } }\n\n// Setting `compact` to false or an integer creates more reader friendly output.\nconsole.log(util.inspect(o, { compact: false, depth: 5, breakLength: 80 }));\n\n// {\n//   a: [\n//     1,\n//     2,\n//     [\n//       [\n//         'Lorem ipsum dolor sit amet,\\n' +\n//           'consectetur adipiscing elit, sed do eiusmod \\n' +\n//           'tempor incididunt ut labore et dolore magna aliqua.',\n//         'test',\n//         'foo'\n//       ]\n//     ],\n//     4\n//   ],\n//   b: Map(2) {\n//     'za' => 1,\n//     'zb' => 'test'\n//   }\n// }\n\n// Setting `breakLength` to e.g. 150 will print the \"Lorem ipsum\" text in a\n// single line.\n
\n

The showHidden option allows WeakMap and WeakSet entries to be\ninspected. If there are more entries than maxArrayLength, there is no\nguarantee which entries are displayed. That means retrieving the same\nWeakSet entries twice may result in different output. Furthermore, entries\nwith no remaining strong references may be garbage collected at any time.

\n
const { inspect } = require('node:util');\n\nconst obj = { a: 1 };\nconst obj2 = { b: 2 };\nconst weakSet = new WeakSet([obj, obj2]);\n\nconsole.log(inspect(weakSet, { showHidden: true }));\n// WeakSet { { a: 1 }, { b: 2 } }\n
\n

The sorted option ensures that an object's property insertion order does not\nimpact the result of util.inspect().

\n
const { inspect } = require('node:util');\nconst assert = require('node:assert');\n\nconst o1 = {\n  b: [2, 3, 1],\n  a: '`a` comes before `b`',\n  c: new Set([2, 3, 1]),\n};\nconsole.log(inspect(o1, { sorted: true }));\n// { a: '`a` comes before `b`', b: [ 2, 3, 1 ], c: Set(3) { 1, 2, 3 } }\nconsole.log(inspect(o1, { sorted: (a, b) => b.localeCompare(a) }));\n// { c: Set(3) { 3, 2, 1 }, b: [ 2, 3, 1 ], a: '`a` comes before `b`' }\n\nconst o2 = {\n  c: new Set([2, 1, 3]),\n  a: '`a` comes before `b`',\n  b: [2, 3, 1],\n};\nassert.strict.equal(\n  inspect(o1, { sorted: true }),\n  inspect(o2, { sorted: true }),\n);\n
\n

The numericSeparator option adds an underscore every three digits to all\nnumbers.

\n
const { inspect } = require('node:util');\n\nconst thousand = 1_000;\nconst million = 1_000_000;\nconst bigNumber = 123_456_789n;\nconst bigDecimal = 1_234.123_45;\n\nconsole.log(thousand, million, bigNumber, bigDecimal);\n// 1_000 1_000_000 123_456_789n 1_234.123_45\n
\n

util.inspect() is a synchronous method intended for debugging. Its maximum\noutput length is approximately 128 MiB. Inputs that result in longer output will\nbe truncated.

", "miscs": [ { "textRaw": "Customizing `util.inspect` colors", "name": "Customizing `util.inspect` colors", "type": "misc", "desc": "

Color output (if enabled) of util.inspect is customizable globally\nvia the util.inspect.styles and util.inspect.colors properties.

\n

util.inspect.styles is a map associating a style name to a color from\nutil.inspect.colors.

\n

The default styles and associated colors are:

\n\n

Color styling uses ANSI control codes that may not be supported on all\nterminals. To verify color support use tty.hasColors().

\n

Predefined control codes are listed below (grouped as \"Modifiers\", \"Foreground\ncolors\", and \"Background colors\").

", "miscs": [ { "textRaw": "Modifiers", "name": "modifiers", "desc": "

Modifier support varies throughout different terminals. They will mostly be\nignored, if not supported.

\n", "type": "misc", "displayName": "Modifiers" }, { "textRaw": "Foreground colors", "name": "foreground_colors", "desc": "", "type": "misc", "displayName": "Foreground colors" }, { "textRaw": "Background colors", "name": "background_colors", "desc": "", "type": "misc", "displayName": "Background colors" } ] }, { "textRaw": "Custom inspection functions on objects", "name": "Custom inspection functions on objects", "type": "misc", "meta": { "added": [ "v0.1.97" ], "changes": [ { "version": [ "v17.3.0", "v16.14.0" ], "pr-url": "https://github.com/nodejs/node/pull/41019", "description": "The inspect argument is added for more interoperability." } ] }, "desc": "

Objects may also define their own\n[util.inspect.custom](depth, opts, inspect) function,\nwhich util.inspect() will invoke and use the result of when inspecting\nthe object.

\n
const util = require('node:util');\n\nclass Box {\n  constructor(value) {\n    this.value = value;\n  }\n\n  [util.inspect.custom](depth, options, inspect) {\n    if (depth < 0) {\n      return options.stylize('[Box]', 'special');\n    }\n\n    const newOptions = Object.assign({}, options, {\n      depth: options.depth === null ? null : options.depth - 1,\n    });\n\n    // Five space padding because that's the size of \"Box< \".\n    const padding = ' '.repeat(5);\n    const inner = inspect(this.value, newOptions)\n                  .replace(/\\n/g, `\\n${padding}`);\n    return `${options.stylize('Box', 'special')}< ${inner} >`;\n  }\n}\n\nconst box = new Box(true);\n\nutil.inspect(box);\n// Returns: \"Box< true >\"\n
\n

Custom [util.inspect.custom](depth, opts, inspect) functions typically return\na string but may return a value of any type that will be formatted accordingly\nby util.inspect().

\n
const util = require('node:util');\n\nconst obj = { foo: 'this will not show up in the inspect() output' };\nobj[util.inspect.custom] = (depth) => {\n  return { bar: 'baz' };\n};\n\nutil.inspect(obj);\n// Returns: \"{ bar: 'baz' }\"\n
" } ], "properties": [ { "textRaw": "`custom` {symbol} that can be used to declare custom inspect functions.", "type": "symbol", "name": "custom", "meta": { "added": [ "v6.6.0" ], "changes": [ { "version": "v10.12.0", "pr-url": "https://github.com/nodejs/node/pull/20857", "description": "This is now defined as a shared symbol." } ] }, "desc": "

In addition to being accessible through util.inspect.custom, this\nsymbol is registered globally and can be\naccessed in any environment as Symbol.for('nodejs.util.inspect.custom').

\n

Using this allows code to be written in a portable fashion, so that the custom\ninspect function is used in an Node.js environment and ignored in the browser.\nThe util.inspect() function itself is passed as third argument to the custom\ninspect function to allow further portability.

\n
const customInspectSymbol = Symbol.for('nodejs.util.inspect.custom');\n\nclass Password {\n  constructor(value) {\n    this.value = value;\n  }\n\n  toString() {\n    return 'xxxxxxxx';\n  }\n\n  [customInspectSymbol](depth, inspectOptions, inspect) {\n    return `Password <${this.toString()}>`;\n  }\n}\n\nconst password = new Password('r0sebud');\nconsole.log(password);\n// Prints Password <xxxxxxxx>\n
\n

See Custom inspection functions on Objects for more details.

", "shortDesc": "that can be used to declare custom inspect functions." }, { "textRaw": "`util.inspect.defaultOptions`", "name": "defaultOptions", "meta": { "added": [ "v6.4.0" ], "changes": [] }, "desc": "

The defaultOptions value allows customization of the default options used by\nutil.inspect. This is useful for functions like console.log or\nutil.format which implicitly call into util.inspect. It shall be set to an\nobject containing one or more valid util.inspect() options. Setting\noption properties directly is also supported.

\n
const util = require('node:util');\nconst arr = Array(101).fill(0);\n\nconsole.log(arr); // Logs the truncated array\nutil.inspect.defaultOptions.maxArrayLength = null;\nconsole.log(arr); // logs the full array\n
" } ] }, { "textRaw": "`util.isDeepStrictEqual(val1, val2)`", "type": "method", "name": "isDeepStrictEqual", "meta": { "added": [ "v9.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`val1` {any}", "name": "val1", "type": "any" }, { "textRaw": "`val2` {any}", "name": "val2", "type": "any" } ] } ], "desc": "

Returns true if there is deep strict equality between val1 and val2.\nOtherwise, returns false.

\n

See assert.deepStrictEqual() for more information about deep strict\nequality.

" }, { "textRaw": "`util.parseArgs([config])`", "type": "method", "name": "parseArgs", "meta": { "added": [ "v18.3.0" ], "changes": [ { "version": "v18.11.0", "pr-url": "https://github.com/nodejs/node/pull/44631", "description": "Add support for default values in input `config`." }, { "version": [ "v18.7.0", "v16.17.0" ], "pr-url": "https://github.com/nodejs/node/pull/43459", "description": "add support for returning detailed parse information using `tokens` in input `config` and returned properties." } ] }, "stability": 1, "stabilityText": "Experimental", "signatures": [ { "return": { "textRaw": "Returns: {Object} The parsed command line arguments:", "name": "return", "type": "Object", "desc": "The parsed command line arguments:", "options": [ { "textRaw": "`values` {Object} A mapping of parsed option names with their {string} or {boolean} values.", "name": "values", "type": "Object", "desc": "A mapping of parsed option names with their {string} or {boolean} values." }, { "textRaw": "`positionals` {string\\[]} Positional arguments.", "name": "positionals", "type": "string\\[]", "desc": "Positional arguments." }, { "textRaw": "`tokens` {Object\\[] | undefined} See [parseArgs tokens](#parseargs-tokens) section. Only returned if `config` includes `tokens: true`.", "name": "tokens", "type": "Object\\[] | undefined", "desc": "See [parseArgs tokens](#parseargs-tokens) section. Only returned if `config` includes `tokens: true`." } ] }, "params": [ { "textRaw": "`config` {Object} Used to provide arguments for parsing and to configure the parser. `config` supports the following properties:", "name": "config", "type": "Object", "desc": "Used to provide arguments for parsing and to configure the parser. `config` supports the following properties:", "options": [ { "textRaw": "`args` {string\\[]} array of argument strings. **Default:** `process.argv` with `execPath` and `filename` removed.", "name": "args", "type": "string\\[]", "default": "`process.argv` with `execPath` and `filename` removed", "desc": "array of argument strings." }, { "textRaw": "`options` {Object} Used to describe arguments known to the parser. Keys of `options` are the long names of options and values are an {Object} accepting the following properties:", "name": "options", "type": "Object", "desc": "Used to describe arguments known to the parser. Keys of `options` are the long names of options and values are an {Object} accepting the following properties:", "options": [ { "textRaw": "`type` {string} Type of argument, which must be either `boolean` or `string`.", "name": "type", "type": "string", "desc": "Type of argument, which must be either `boolean` or `string`." }, { "textRaw": "`multiple` {boolean} Whether this option can be provided multiple times. If `true`, all values will be collected in an array. If `false`, values for the option are last-wins. **Default:** `false`.", "name": "multiple", "type": "boolean", "default": "`false`", "desc": "Whether this option can be provided multiple times. If `true`, all values will be collected in an array. If `false`, values for the option are last-wins." }, { "textRaw": "`short` {string} A single character alias for the option.", "name": "short", "type": "string", "desc": "A single character alias for the option." }, { "textRaw": "`default` {string | boolean | string\\[] | boolean\\[]} The default option value when it is not set by args. It must be of the same type as the `type` property. When `multiple` is `true`, it must be an array.", "name": "default", "type": "string | boolean | string\\[] | boolean\\[]", "desc": "The default option value when it is not set by args. It must be of the same type as the `type` property. When `multiple` is `true`, it must be an array." } ] }, { "textRaw": "`strict` {boolean} Should an error be thrown when unknown arguments are encountered, or when arguments are passed that do not match the `type` configured in `options`. **Default:** `true`.", "name": "strict", "type": "boolean", "default": "`true`", "desc": "Should an error be thrown when unknown arguments are encountered, or when arguments are passed that do not match the `type` configured in `options`." }, { "textRaw": "`allowPositionals` {boolean} Whether this command accepts positional arguments. **Default:** `false` if `strict` is `true`, otherwise `true`.", "name": "allowPositionals", "type": "boolean", "default": "`false` if `strict` is `true`, otherwise `true`", "desc": "Whether this command accepts positional arguments." }, { "textRaw": "`tokens` {boolean} Return the parsed tokens. This is useful for extending the built-in behavior, from adding additional checks through to reprocessing the tokens in different ways. **Default:** `false`.", "name": "tokens", "type": "boolean", "default": "`false`", "desc": "Return the parsed tokens. This is useful for extending the built-in behavior, from adding additional checks through to reprocessing the tokens in different ways." } ] } ] } ], "desc": "

Provides a higher level API for command-line argument parsing than interacting\nwith process.argv directly. Takes a specification for the expected arguments\nand returns a structured object with the parsed options and positionals.

\n
import { parseArgs } from 'node:util';\nconst args = ['-f', '--bar', 'b'];\nconst options = {\n  foo: {\n    type: 'boolean',\n    short: 'f',\n  },\n  bar: {\n    type: 'string',\n  },\n};\nconst {\n  values,\n  positionals,\n} = parseArgs({ args, options });\nconsole.log(values, positionals);\n// Prints: [Object: null prototype] { foo: true, bar: 'b' } []\n
\n
const { parseArgs } = require('node:util');\nconst args = ['-f', '--bar', 'b'];\nconst options = {\n  foo: {\n    type: 'boolean',\n    short: 'f',\n  },\n  bar: {\n    type: 'string',\n  },\n};\nconst {\n  values,\n  positionals,\n} = parseArgs({ args, options });\nconsole.log(values, positionals);\n// Prints: [Object: null prototype] { foo: true, bar: 'b' } []\n
\n

util.parseArgs is experimental and behavior may change. Join the\nconversation in pkgjs/parseargs to contribute to the design.

", "modules": [ { "textRaw": "`parseArgs` `tokens`", "name": "`parseargs`_`tokens`", "desc": "

Detailed parse information is available for adding custom behaviors by\nspecifying tokens: true in the configuration.\nThe returned tokens have properties describing:

\n\n

The returned tokens are in the order encountered in the input args. Options\nthat appear more than once in args produce a token for each use. Short option\ngroups like -xy expand to a token for each option. So -xxx produces\nthree tokens.

\n

For example to use the returned tokens to add support for a negated option\nlike --no-color, the tokens can be reprocessed to change the value stored\nfor the negated option.

\n
import { parseArgs } from 'node:util';\n\nconst options = {\n  'color': { type: 'boolean' },\n  'no-color': { type: 'boolean' },\n  'logfile': { type: 'string' },\n  'no-logfile': { type: 'boolean' },\n};\nconst { values, tokens } = parseArgs({ options, tokens: true });\n\n// Reprocess the option tokens and overwrite the returned values.\ntokens\n  .filter((token) => token.kind === 'option')\n  .forEach((token) => {\n    if (token.name.startsWith('no-')) {\n      // Store foo:false for --no-foo\n      const positiveName = token.name.slice(3);\n      values[positiveName] = false;\n      delete values[token.name];\n    } else {\n      // Resave value so last one wins if both --foo and --no-foo.\n      values[token.name] = token.value ?? true;\n    }\n  });\n\nconst color = values.color;\nconst logfile = values.logfile ?? 'default.log';\n\nconsole.log({ logfile, color });\n
\n
const { parseArgs } = require('node:util');\n\nconst options = {\n  'color': { type: 'boolean' },\n  'no-color': { type: 'boolean' },\n  'logfile': { type: 'string' },\n  'no-logfile': { type: 'boolean' },\n};\nconst { values, tokens } = parseArgs({ options, tokens: true });\n\n// Reprocess the option tokens and overwrite the returned values.\ntokens\n  .filter((token) => token.kind === 'option')\n  .forEach((token) => {\n    if (token.name.startsWith('no-')) {\n      // Store foo:false for --no-foo\n      const positiveName = token.name.slice(3);\n      values[positiveName] = false;\n      delete values[token.name];\n    } else {\n      // Resave value so last one wins if both --foo and --no-foo.\n      values[token.name] = token.value ?? true;\n    }\n  });\n\nconst color = values.color;\nconst logfile = values.logfile ?? 'default.log';\n\nconsole.log({ logfile, color });\n
\n

Example usage showing negated options, and when an option is used\nmultiple ways then last one wins.

\n
$ node negate.js\n{ logfile: 'default.log', color: undefined }\n$ node negate.js --no-logfile --no-color\n{ logfile: false, color: false }\n$ node negate.js --logfile=test.log --color\n{ logfile: 'test.log', color: true }\n$ node negate.js --no-logfile --logfile=test.log --color --no-color\n{ logfile: 'test.log', color: false }\n
", "type": "module", "displayName": "`parseArgs` `tokens`" } ] }, { "textRaw": "`util.promisify(original)`", "type": "method", "name": "promisify", "meta": { "added": [ "v8.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {Function}", "name": "return", "type": "Function" }, "params": [ { "textRaw": "`original` {Function}", "name": "original", "type": "Function" } ] } ], "desc": "

Takes a function following the common error-first callback style, i.e. taking\nan (err, value) => ... callback as the last argument, and returns a version\nthat returns promises.

\n
const util = require('node:util');\nconst fs = require('node:fs');\n\nconst stat = util.promisify(fs.stat);\nstat('.').then((stats) => {\n  // Do something with `stats`\n}).catch((error) => {\n  // Handle the error.\n});\n
\n

Or, equivalently using async functions:

\n
const util = require('node:util');\nconst fs = require('node:fs');\n\nconst stat = util.promisify(fs.stat);\n\nasync function callStat() {\n  const stats = await stat('.');\n  console.log(`This directory is owned by ${stats.uid}`);\n}\n
\n

If there is an original[util.promisify.custom] property present, promisify\nwill return its value, see Custom promisified functions.

\n

promisify() assumes that original is a function taking a callback as its\nfinal argument in all cases. If original is not a function, promisify()\nwill throw an error. If original is a function but its last argument is not\nan error-first callback, it will still be passed an error-first\ncallback as its last argument.

\n

Using promisify() on class methods or other methods that use this may not\nwork as expected unless handled specially:

\n
const util = require('node:util');\n\nclass Foo {\n  constructor() {\n    this.a = 42;\n  }\n\n  bar(callback) {\n    callback(null, this.a);\n  }\n}\n\nconst foo = new Foo();\n\nconst naiveBar = util.promisify(foo.bar);\n// TypeError: Cannot read property 'a' of undefined\n// naiveBar().then(a => console.log(a));\n\nnaiveBar.call(foo).then((a) => console.log(a)); // '42'\n\nconst bindBar = naiveBar.bind(foo);\nbindBar().then((a) => console.log(a)); // '42'\n
", "modules": [ { "textRaw": "Custom promisified functions", "name": "custom_promisified_functions", "desc": "

Using the util.promisify.custom symbol one can override the return value of\nutil.promisify():

\n
const util = require('node:util');\n\nfunction doSomething(foo, callback) {\n  // ...\n}\n\ndoSomething[util.promisify.custom] = (foo) => {\n  return getPromiseSomehow();\n};\n\nconst promisified = util.promisify(doSomething);\nconsole.log(promisified === doSomething[util.promisify.custom]);\n// prints 'true'\n
\n

This can be useful for cases where the original function does not follow the\nstandard format of taking an error-first callback as the last argument.

\n

For example, with a function that takes in\n(foo, onSuccessCallback, onErrorCallback):

\n
doSomething[util.promisify.custom] = (foo) => {\n  return new Promise((resolve, reject) => {\n    doSomething(foo, resolve, reject);\n  });\n};\n
\n

If promisify.custom is defined but is not a function, promisify() will\nthrow an error.

", "type": "module", "displayName": "Custom promisified functions" } ], "properties": [ { "textRaw": "`custom` {symbol} that can be used to declare custom promisified variants of functions, see [Custom promisified functions][].", "type": "symbol", "name": "custom", "meta": { "added": [ "v8.0.0" ], "changes": [ { "version": [ "v13.12.0", "v12.16.2" ], "pr-url": "https://github.com/nodejs/node/pull/31672", "description": "This is now defined as a shared symbol." } ] }, "desc": "

In addition to being accessible through util.promisify.custom, this\nsymbol is registered globally and can be\naccessed in any environment as Symbol.for('nodejs.util.promisify.custom').

\n

For example, with a function that takes in\n(foo, onSuccessCallback, onErrorCallback):

\n
const kCustomPromisifiedSymbol = Symbol.for('nodejs.util.promisify.custom');\n\ndoSomething[kCustomPromisifiedSymbol] = (foo) => {\n  return new Promise((resolve, reject) => {\n    doSomething(foo, resolve, reject);\n  });\n};\n
", "shortDesc": "that can be used to declare custom promisified variants of functions, see [Custom promisified functions][]." } ] }, { "textRaw": "`util.stripVTControlCharacters(str)`", "type": "method", "name": "stripVTControlCharacters", "meta": { "added": [ "v16.11.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {string}", "name": "return", "type": "string" }, "params": [ { "textRaw": "`str` {string}", "name": "str", "type": "string" } ] } ], "desc": "

Returns str with any ANSI escape codes removed.

\n
console.log(util.stripVTControlCharacters('\\u001B[4mvalue\\u001B[0m'));\n// Prints \"value\"\n
" }, { "textRaw": "`util.toUSVString(string)`", "type": "method", "name": "toUSVString", "meta": { "added": [ "v16.8.0", "v14.18.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`string` {string}", "name": "string", "type": "string" } ] } ], "desc": "

Returns the string after replacing any surrogate code points\n(or equivalently, any unpaired surrogate code units) with the\nUnicode \"replacement character\" U+FFFD.

" }, { "textRaw": "`util.transferableAbortController()`", "type": "method", "name": "transferableAbortController", "meta": { "added": [ "v18.11.0" ], "changes": [] }, "stability": 1, "stabilityText": "Experimental", "signatures": [ { "params": [] } ], "desc": "

Creates and returns an <AbortController> instance whose <AbortSignal> is marked\nas transferable and can be used with structuredClone() or postMessage().

" }, { "textRaw": "`util.transferableAbortSignal(signal)`", "type": "method", "name": "transferableAbortSignal", "meta": { "added": [ "v18.11.0" ], "changes": [] }, "stability": 1, "stabilityText": "Experimental", "signatures": [ { "return": { "textRaw": "Returns: {AbortSignal}", "name": "return", "type": "AbortSignal" }, "params": [ { "textRaw": "`signal` {AbortSignal}", "name": "signal", "type": "AbortSignal" } ] } ], "desc": "

Marks the given <AbortSignal> as transferable so that it can be used with\nstructuredClone() and postMessage().

\n
const signal = transferableAbortSignal(AbortSignal.timeout(100));\nconst channel = new MessageChannel();\nchannel.port2.postMessage(signal, [signal]);\n
" }, { "textRaw": "`util.aborted(signal, resource)`", "type": "method", "name": "aborted", "meta": { "added": [ "v18.16.0" ], "changes": [] }, "stability": 1, "stabilityText": "Experimental", "signatures": [ { "return": { "textRaw": "Returns: {Promise}", "name": "return", "type": "Promise" }, "params": [ { "textRaw": "`signal` {AbortSignal}", "name": "signal", "type": "AbortSignal" }, { "textRaw": "`resource` {Object} Any non-null entity, reference to which is held weakly.", "name": "resource", "type": "Object", "desc": "Any non-null entity, reference to which is held weakly." } ] } ], "desc": "

Listens to abort event on the provided signal and\nreturns a promise that is fulfilled when the signal is\naborted. If the passed resource is garbage collected before the signal is\naborted, the returned promise shall remain pending indefinitely.

\n
const { aborted } = require('node:util');\n\nconst dependent = obtainSomethingAbortable();\n\naborted(dependent.signal, dependent).then(() => {\n  // Do something when dependent is aborted.\n});\n\ndependent.on('event', () => {\n  dependent.abort();\n});\n
\n
import { aborted } from 'node:util';\n\nconst dependent = obtainSomethingAbortable();\n\naborted(dependent.signal, dependent).then(() => {\n  // Do something when dependent is aborted.\n});\n\ndependent.on('event', () => {\n  dependent.abort();\n});\n
" } ], "classes": [ { "textRaw": "Class: `util.MIMEType`", "type": "class", "name": "util.MIMEType", "meta": { "added": [ "v18.13.0" ], "changes": [] }, "stability": 1, "stabilityText": "Experimental", "desc": "

An implementation of the MIMEType class.

\n

In accordance with browser conventions, all properties of MIMEType objects\nare implemented as getters and setters on the class prototype, rather than as\ndata properties on the object itself.

\n

A MIME string is a structured string containing multiple meaningful\ncomponents. When parsed, a MIMEType object is returned containing\nproperties for each of these components.

", "properties": [ { "textRaw": "`type` {string}", "type": "string", "name": "type", "desc": "

Gets and sets the type portion of the MIME.

\n
import { MIMEType } from 'node:util';\n\nconst myMIME = new MIMEType('text/javascript');\nconsole.log(myMIME.type);\n// Prints: text\nmyMIME.type = 'application';\nconsole.log(myMIME.type);\n// Prints: application\nconsole.log(String(myMIME));\n// Prints: application/javascript\n
\n
const { MIMEType } = require('node:util');\n\nconst myMIME = new MIMEType('text/javascript');\nconsole.log(myMIME.type);\n// Prints: text\nmyMIME.type = 'application';\nconsole.log(myMIME.type);\n// Prints: application\nconsole.log(String(myMIME));\n// Prints: application/javascript\n
" }, { "textRaw": "`subtype` {string}", "type": "string", "name": "subtype", "desc": "

Gets and sets the subtype portion of the MIME.

\n
import { MIMEType } from 'node:util';\n\nconst myMIME = new MIMEType('text/ecmascript');\nconsole.log(myMIME.subtype);\n// Prints: ecmascript\nmyMIME.subtype = 'javascript';\nconsole.log(myMIME.subtype);\n// Prints: javascript\nconsole.log(String(myMIME));\n// Prints: text/javascript\n
\n
const { MIMEType } = require('node:util');\n\nconst myMIME = new MIMEType('text/ecmascript');\nconsole.log(myMIME.subtype);\n// Prints: ecmascript\nmyMIME.subtype = 'javascript';\nconsole.log(myMIME.subtype);\n// Prints: javascript\nconsole.log(String(myMIME));\n// Prints: text/javascript\n
" }, { "textRaw": "`essence` {string}", "type": "string", "name": "essence", "desc": "

Gets the essence of the MIME. This property is read only.\nUse mime.type or mime.subtype to alter the MIME.

\n
import { MIMEType } from 'node:util';\n\nconst myMIME = new MIMEType('text/javascript;key=value');\nconsole.log(myMIME.essence);\n// Prints: text/javascript\nmyMIME.type = 'application';\nconsole.log(myMIME.essence);\n// Prints: application/javascript\nconsole.log(String(myMIME));\n// Prints: application/javascript;key=value\n
\n
const { MIMEType } = require('node:util');\n\nconst myMIME = new MIMEType('text/javascript;key=value');\nconsole.log(myMIME.essence);\n// Prints: text/javascript\nmyMIME.type = 'application';\nconsole.log(myMIME.essence);\n// Prints: application/javascript\nconsole.log(String(myMIME));\n// Prints: application/javascript;key=value\n
" }, { "textRaw": "`params` {MIMEParams}", "type": "MIMEParams", "name": "params", "desc": "

Gets the MIMEParams object representing the\nparameters of the MIME. This property is read-only. See\nMIMEParams documentation for details.

" } ], "methods": [ { "textRaw": "`mime.toString()`", "type": "method", "name": "toString", "signatures": [ { "return": { "textRaw": "Returns: {string}", "name": "return", "type": "string" }, "params": [] } ], "desc": "

The toString() method on the MIMEType object returns the serialized MIME.

\n

Because of the need for standard compliance, this method does not allow users\nto customize the serialization process of the MIME.

" }, { "textRaw": "`mime.toJSON()`", "type": "method", "name": "toJSON", "signatures": [ { "return": { "textRaw": "Returns: {string}", "name": "return", "type": "string" }, "params": [] } ], "desc": "

Alias for mime.toString().

\n

This method is automatically called when an MIMEType object is serialized\nwith JSON.stringify().

\n
import { MIMEType } from 'node:util';\n\nconst myMIMES = [\n  new MIMEType('image/png'),\n  new MIMEType('image/gif'),\n];\nconsole.log(JSON.stringify(myMIMES));\n// Prints: [\"image/png\", \"image/gif\"]\n
\n
const { MIMEType } = require('node:util');\n\nconst myMIMES = [\n  new MIMEType('image/png'),\n  new MIMEType('image/gif'),\n];\nconsole.log(JSON.stringify(myMIMES));\n// Prints: [\"image/png\", \"image/gif\"]\n
" } ], "signatures": [ { "params": [ { "textRaw": "`input` {string} The input MIME to parse", "name": "input", "type": "string", "desc": "The input MIME to parse" } ], "desc": "

Creates a new MIMEType object by parsing the input.

\n
import { MIMEType } from 'node:util';\n\nconst myMIME = new MIMEType('text/plain');\n
\n
const { MIMEType } = require('node:util');\n\nconst myMIME = new MIMEType('text/plain');\n
\n

A TypeError will be thrown if the input is not a valid MIME. Note\nthat an effort will be made to coerce the given values into strings. For\ninstance:

\n
import { MIMEType } from 'node:util';\nconst myMIME = new MIMEType({ toString: () => 'text/plain' });\nconsole.log(String(myMIME));\n// Prints: text/plain\n
\n
const { MIMEType } = require('node:util');\nconst myMIME = new MIMEType({ toString: () => 'text/plain' });\nconsole.log(String(myMIME));\n// Prints: text/plain\n
" } ] }, { "textRaw": "Class: `util.MIMEParams`", "type": "class", "name": "util.MIMEParams", "meta": { "added": [ "v18.13.0" ], "changes": [] }, "desc": "

The MIMEParams API provides read and write access to the parameters of a\nMIMEType.

", "methods": [ { "textRaw": "`mimeParams.delete(name)`", "type": "method", "name": "delete", "signatures": [ { "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Remove all name-value pairs whose name is name.

" }, { "textRaw": "`mimeParams.entries()`", "type": "method", "name": "entries", "signatures": [ { "return": { "textRaw": "Returns: {Iterator}", "name": "return", "type": "Iterator" }, "params": [] } ], "desc": "

Returns an iterator over each of the name-value pairs in the parameters.\nEach item of the iterator is a JavaScript Array. The first item of the array\nis the name, the second item of the array is the value.

" }, { "textRaw": "`mimeParams.get(name)`", "type": "method", "name": "get", "signatures": [ { "return": { "textRaw": "Returns: {string} or `null` if there is no name-value pair with the given `name`.", "name": "return", "type": "string", "desc": "or `null` if there is no name-value pair with the given `name`." }, "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Returns the value of the first name-value pair whose name is name. If there\nare no such pairs, null is returned.

" }, { "textRaw": "`mimeParams.has(name)`", "type": "method", "name": "has", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Returns true if there is at least one name-value pair whose name is name.

" }, { "textRaw": "`mimeParams.keys()`", "type": "method", "name": "keys", "signatures": [ { "return": { "textRaw": "Returns: {Iterator}", "name": "return", "type": "Iterator" }, "params": [] } ], "desc": "

Returns an iterator over the names of each name-value pair.

\n
import { MIMEType } from 'node:util';\n\nconst { params } = new MIMEType('text/plain;foo=0;bar=1');\nfor (const name of params.keys()) {\n  console.log(name);\n}\n// Prints:\n//   foo\n//   bar\n
\n
const { MIMEType } = require('node:util');\n\nconst { params } = new MIMEType('text/plain;foo=0;bar=1');\nfor (const name of params.keys()) {\n  console.log(name);\n}\n// Prints:\n//   foo\n//   bar\n
" }, { "textRaw": "`mimeParams.set(name, value)`", "type": "method", "name": "set", "signatures": [ { "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" }, { "textRaw": "`value` {string}", "name": "value", "type": "string" } ] } ], "desc": "

Sets the value in the MIMEParams object associated with name to\nvalue. If there are any pre-existing name-value pairs whose names are name,\nset the first such pair's value to value.

\n
import { MIMEType } from 'node:util';\n\nconst { params } = new MIMEType('text/plain;foo=0;bar=1');\nparams.set('foo', 'def');\nparams.set('baz', 'xyz');\nconsole.log(params.toString());\n// Prints: foo=def&bar=1&baz=xyz\n
\n
const { MIMEType } = require('node:util');\n\nconst { params } = new MIMEType('text/plain;foo=0;bar=1');\nparams.set('foo', 'def');\nparams.set('baz', 'xyz');\nconsole.log(params.toString());\n// Prints: foo=def&bar=1&baz=xyz\n
" }, { "textRaw": "`mimeParams.values()`", "type": "method", "name": "values", "signatures": [ { "return": { "textRaw": "Returns: {Iterator}", "name": "return", "type": "Iterator" }, "params": [] } ], "desc": "

Returns an iterator over the values of each name-value pair.

" } ], "modules": [ { "textRaw": "`mimeParams[@@iterator]()`", "name": "`mimeparams[@@iterator]()`", "desc": "\n

Alias for mimeParams.entries().

\n
import { MIMEType } from 'node:util';\n\nconst { params } = new MIMEType('text/plain;foo=bar;xyz=baz');\nfor (const [name, value] of params) {\n  console.log(name, value);\n}\n// Prints:\n//   foo bar\n//   xyz baz\n
\n
const { MIMEType } = require('node:util');\n\nconst { params } = new MIMEType('text/plain;foo=bar;xyz=baz');\nfor (const [name, value] of params) {\n  console.log(name, value);\n}\n// Prints:\n//   foo bar\n//   xyz baz\n
", "type": "module", "displayName": "`mimeParams[@@iterator]()`" } ], "signatures": [ { "params": [], "desc": "

Creates a new MIMEParams object by with empty parameters

\n
import { MIMEParams } from 'node:util';\n\nconst myParams = new MIMEParams();\n
\n
const { MIMEParams } = require('node:util');\n\nconst myParams = new MIMEParams();\n
" } ] }, { "textRaw": "Class: `util.TextDecoder`", "type": "class", "name": "util.TextDecoder", "meta": { "added": [ "v8.3.0" ], "changes": [] }, "desc": "

An implementation of the WHATWG Encoding Standard TextDecoder API.

\n
const decoder = new TextDecoder();\nconst u8arr = new Uint8Array([72, 101, 108, 108, 111]);\nconsole.log(decoder.decode(u8arr)); // Hello\n
", "modules": [ { "textRaw": "WHATWG supported encodings", "name": "whatwg_supported_encodings", "desc": "

Per the WHATWG Encoding Standard, the encodings supported by the\nTextDecoder API are outlined in the tables below. For each encoding,\none or more aliases may be used.

\n

Different Node.js build configurations support different sets of encodings.\n(see Internationalization)

", "modules": [ { "textRaw": "Encodings supported by default (with full ICU data)", "name": "encodings_supported_by_default_(with_full_icu_data)", "desc": "\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n
EncodingAliases
'ibm866''866', 'cp866', 'csibm866'
'iso-8859-2''csisolatin2', 'iso-ir-101', 'iso8859-2', 'iso88592', 'iso_8859-2', 'iso_8859-2:1987', 'l2', 'latin2'
'iso-8859-3''csisolatin3', 'iso-ir-109', 'iso8859-3', 'iso88593', 'iso_8859-3', 'iso_8859-3:1988', 'l3', 'latin3'
'iso-8859-4''csisolatin4', 'iso-ir-110', 'iso8859-4', 'iso88594', 'iso_8859-4', 'iso_8859-4:1988', 'l4', 'latin4'
'iso-8859-5''csisolatincyrillic', 'cyrillic', 'iso-ir-144', 'iso8859-5', 'iso88595', 'iso_8859-5', 'iso_8859-5:1988'
'iso-8859-6''arabic', 'asmo-708', 'csiso88596e', 'csiso88596i', 'csisolatinarabic', 'ecma-114', 'iso-8859-6-e', 'iso-8859-6-i', 'iso-ir-127', 'iso8859-6', 'iso88596', 'iso_8859-6', 'iso_8859-6:1987'
'iso-8859-7''csisolatingreek', 'ecma-118', 'elot_928', 'greek', 'greek8', 'iso-ir-126', 'iso8859-7', 'iso88597', 'iso_8859-7', 'iso_8859-7:1987', 'sun_eu_greek'
'iso-8859-8''csiso88598e', 'csisolatinhebrew', 'hebrew', 'iso-8859-8-e', 'iso-ir-138', 'iso8859-8', 'iso88598', 'iso_8859-8', 'iso_8859-8:1988', 'visual'
'iso-8859-8-i''csiso88598i', 'logical'
'iso-8859-10''csisolatin6', 'iso-ir-157', 'iso8859-10', 'iso885910', 'l6', 'latin6'
'iso-8859-13''iso8859-13', 'iso885913'
'iso-8859-14''iso8859-14', 'iso885914'
'iso-8859-15''csisolatin9', 'iso8859-15', 'iso885915', 'iso_8859-15', 'l9'
'koi8-r''cskoi8r', 'koi', 'koi8', 'koi8_r'
'koi8-u''koi8-ru'
'macintosh''csmacintosh', 'mac', 'x-mac-roman'
'windows-874''dos-874', 'iso-8859-11', 'iso8859-11', 'iso885911', 'tis-620'
'windows-1250''cp1250', 'x-cp1250'
'windows-1251''cp1251', 'x-cp1251'
'windows-1252''ansi_x3.4-1968', 'ascii', 'cp1252', 'cp819', 'csisolatin1', 'ibm819', 'iso-8859-1', 'iso-ir-100', 'iso8859-1', 'iso88591', 'iso_8859-1', 'iso_8859-1:1987', 'l1', 'latin1', 'us-ascii', 'x-cp1252'
'windows-1253''cp1253', 'x-cp1253'
'windows-1254''cp1254', 'csisolatin5', 'iso-8859-9', 'iso-ir-148', 'iso8859-9', 'iso88599', 'iso_8859-9', 'iso_8859-9:1989', 'l5', 'latin5', 'x-cp1254'
'windows-1255''cp1255', 'x-cp1255'
'windows-1256''cp1256', 'x-cp1256'
'windows-1257''cp1257', 'x-cp1257'
'windows-1258''cp1258', 'x-cp1258'
'x-mac-cyrillic''x-mac-ukrainian'
'gbk''chinese', 'csgb2312', 'csiso58gb231280', 'gb2312', 'gb_2312', 'gb_2312-80', 'iso-ir-58', 'x-gbk'
'gb18030'
'big5''big5-hkscs', 'cn-big5', 'csbig5', 'x-x-big5'
'euc-jp''cseucpkdfmtjapanese', 'x-euc-jp'
'iso-2022-jp''csiso2022jp'
'shift_jis''csshiftjis', 'ms932', 'ms_kanji', 'shift-jis', 'sjis', 'windows-31j', 'x-sjis'
'euc-kr''cseuckr', 'csksc56011987', 'iso-ir-149', 'korean', 'ks_c_5601-1987', 'ks_c_5601-1989', 'ksc5601', 'ksc_5601', 'windows-949'
", "type": "module", "displayName": "Encodings supported by default (with full ICU data)" }, { "textRaw": "Encodings supported when Node.js is built with the `small-icu` option", "name": "encodings_supported_when_node.js_is_built_with_the_`small-icu`_option", "desc": "\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n
EncodingAliases
'utf-8''unicode-1-1-utf-8', 'utf8'
'utf-16le''utf-16'
'utf-16be'
", "type": "module", "displayName": "Encodings supported when Node.js is built with the `small-icu` option" }, { "textRaw": "Encodings supported when ICU is disabled", "name": "encodings_supported_when_icu_is_disabled", "desc": "\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n
EncodingAliases
'utf-8''unicode-1-1-utf-8', 'utf8'
'utf-16le''utf-16'
\n

The 'iso-8859-16' encoding listed in the WHATWG Encoding Standard\nis not supported.

", "type": "module", "displayName": "Encodings supported when ICU is disabled" } ], "type": "module", "displayName": "WHATWG supported encodings" } ], "methods": [ { "textRaw": "`textDecoder.decode([input[, options]])`", "type": "method", "name": "decode", "signatures": [ { "return": { "textRaw": "Returns: {string}", "name": "return", "type": "string" }, "params": [ { "textRaw": "`input` {ArrayBuffer|DataView|TypedArray} An `ArrayBuffer`, `DataView`, or `TypedArray` instance containing the encoded data.", "name": "input", "type": "ArrayBuffer|DataView|TypedArray", "desc": "An `ArrayBuffer`, `DataView`, or `TypedArray` instance containing the encoded data." }, { "textRaw": "`options` {Object}", "name": "options", "type": "Object", "options": [ { "textRaw": "`stream` {boolean} `true` if additional chunks of data are expected. **Default:** `false`.", "name": "stream", "type": "boolean", "default": "`false`", "desc": "`true` if additional chunks of data are expected." } ] } ] } ], "desc": "

Decodes the input and returns a string. If options.stream is true, any\nincomplete byte sequences occurring at the end of the input are buffered\ninternally and emitted after the next call to textDecoder.decode().

\n

If textDecoder.fatal is true, decoding errors that occur will result in a\nTypeError being thrown.

" } ], "properties": [ { "textRaw": "`encoding` {string}", "type": "string", "name": "encoding", "desc": "

The encoding supported by the TextDecoder instance.

" }, { "textRaw": "`fatal` {boolean}", "type": "boolean", "name": "fatal", "desc": "

The value will be true if decoding errors result in a TypeError being\nthrown.

" }, { "textRaw": "`ignoreBOM` {boolean}", "type": "boolean", "name": "ignoreBOM", "desc": "

The value will be true if the decoding result will include the byte order\nmark.

" } ], "signatures": [ { "params": [ { "textRaw": "`encoding` {string} Identifies the `encoding` that this `TextDecoder` instance supports. **Default:** `'utf-8'`.", "name": "encoding", "type": "string", "default": "`'utf-8'`", "desc": "Identifies the `encoding` that this `TextDecoder` instance supports." }, { "textRaw": "`options` {Object}", "name": "options", "type": "Object", "options": [ { "textRaw": "`fatal` {boolean} `true` if decoding failures are fatal. This option is not supported when ICU is disabled (see [Internationalization][]). **Default:** `false`.", "name": "fatal", "type": "boolean", "default": "`false`", "desc": "`true` if decoding failures are fatal. This option is not supported when ICU is disabled (see [Internationalization][])." }, { "textRaw": "`ignoreBOM` {boolean} When `true`, the `TextDecoder` will include the byte order mark in the decoded result. When `false`, the byte order mark will be removed from the output. This option is only used when `encoding` is `'utf-8'`, `'utf-16be'`, or `'utf-16le'`. **Default:** `false`.", "name": "ignoreBOM", "type": "boolean", "default": "`false`", "desc": "When `true`, the `TextDecoder` will include the byte order mark in the decoded result. When `false`, the byte order mark will be removed from the output. This option is only used when `encoding` is `'utf-8'`, `'utf-16be'`, or `'utf-16le'`." } ] } ], "desc": "

Creates a new TextDecoder instance. The encoding may specify one of the\nsupported encodings or an alias.

\n

The TextDecoder class is also available on the global object.

" } ] }, { "textRaw": "Class: `util.TextEncoder`", "type": "class", "name": "util.TextEncoder", "meta": { "added": [ "v8.3.0" ], "changes": [ { "version": "v11.0.0", "pr-url": "https://github.com/nodejs/node/pull/22281", "description": "The class is now available on the global object." } ] }, "desc": "

An implementation of the WHATWG Encoding Standard TextEncoder API. All\ninstances of TextEncoder only support UTF-8 encoding.

\n
const encoder = new TextEncoder();\nconst uint8array = encoder.encode('this is some data');\n
\n

The TextEncoder class is also available on the global object.

", "methods": [ { "textRaw": "`textEncoder.encode([input])`", "type": "method", "name": "encode", "signatures": [ { "return": { "textRaw": "Returns: {Uint8Array}", "name": "return", "type": "Uint8Array" }, "params": [ { "textRaw": "`input` {string} The text to encode. **Default:** an empty string.", "name": "input", "type": "string", "default": "an empty string", "desc": "The text to encode." } ] } ], "desc": "

UTF-8 encodes the input string and returns a Uint8Array containing the\nencoded bytes.

" }, { "textRaw": "`textEncoder.encodeInto(src, dest)`", "type": "method", "name": "encodeInto", "signatures": [ { "return": { "textRaw": "Returns: {Object}", "name": "return", "type": "Object", "options": [ { "textRaw": "`read` {number} The read Unicode code units of src.", "name": "read", "type": "number", "desc": "The read Unicode code units of src." }, { "textRaw": "`written` {number} The written UTF-8 bytes of dest.", "name": "written", "type": "number", "desc": "The written UTF-8 bytes of dest." } ] }, "params": [ { "textRaw": "`src` {string} The text to encode.", "name": "src", "type": "string", "desc": "The text to encode." }, { "textRaw": "`dest` {Uint8Array} The array to hold the encode result.", "name": "dest", "type": "Uint8Array", "desc": "The array to hold the encode result." } ] } ], "desc": "

UTF-8 encodes the src string to the dest Uint8Array and returns an object\ncontaining the read Unicode code units and written UTF-8 bytes.

\n
const encoder = new TextEncoder();\nconst src = 'this is some data';\nconst dest = new Uint8Array(10);\nconst { read, written } = encoder.encodeInto(src, dest);\n
" } ], "properties": [ { "textRaw": "`encoding` {string}", "type": "string", "name": "encoding", "desc": "

The encoding supported by the TextEncoder instance. Always set to 'utf-8'.

" } ] } ], "properties": [ { "textRaw": "`util.types`", "name": "types", "meta": { "added": [ "v10.0.0" ], "changes": [ { "version": "v15.3.0", "pr-url": "https://github.com/nodejs/node/pull/34055", "description": "Exposed as `require('util/types')`." } ] }, "desc": "

util.types provides type checks for different kinds of built-in objects.\nUnlike instanceof or Object.prototype.toString.call(value), these checks do\nnot inspect properties of the object that are accessible from JavaScript (like\ntheir prototype), and usually have the overhead of calling into C++.

\n

The result generally does not make any guarantees about what kinds of\nproperties or behavior a value exposes in JavaScript. They are primarily\nuseful for addon developers who prefer to do type checking in JavaScript.

\n

The API is accessible via require('node:util').types or require('node:util/types').

", "methods": [ { "textRaw": "`util.types.isAnyArrayBuffer(value)`", "type": "method", "name": "isAnyArrayBuffer", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in ArrayBuffer or\nSharedArrayBuffer instance.

\n

See also util.types.isArrayBuffer() and\nutil.types.isSharedArrayBuffer().

\n
util.types.isAnyArrayBuffer(new ArrayBuffer());  // Returns true\nutil.types.isAnyArrayBuffer(new SharedArrayBuffer());  // Returns true\n
" }, { "textRaw": "`util.types.isArrayBufferView(value)`", "type": "method", "name": "isArrayBufferView", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is an instance of one of the ArrayBuffer\nviews, such as typed array objects or DataView. Equivalent to\nArrayBuffer.isView().

\n
util.types.isArrayBufferView(new Int8Array());  // true\nutil.types.isArrayBufferView(Buffer.from('hello world')); // true\nutil.types.isArrayBufferView(new DataView(new ArrayBuffer(16)));  // true\nutil.types.isArrayBufferView(new ArrayBuffer());  // false\n
" }, { "textRaw": "`util.types.isArgumentsObject(value)`", "type": "method", "name": "isArgumentsObject", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is an arguments object.

\n\n
function foo() {\n  util.types.isArgumentsObject(arguments);  // Returns true\n}\n
" }, { "textRaw": "`util.types.isArrayBuffer(value)`", "type": "method", "name": "isArrayBuffer", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in ArrayBuffer instance.\nThis does not include SharedArrayBuffer instances. Usually, it is\ndesirable to test for both; See util.types.isAnyArrayBuffer() for that.

\n
util.types.isArrayBuffer(new ArrayBuffer());  // Returns true\nutil.types.isArrayBuffer(new SharedArrayBuffer());  // Returns false\n
" }, { "textRaw": "`util.types.isAsyncFunction(value)`", "type": "method", "name": "isAsyncFunction", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is an async function.\nThis only reports back what the JavaScript engine is seeing;\nin particular, the return value may not match the original source code if\na transpilation tool was used.

\n
util.types.isAsyncFunction(function foo() {});  // Returns false\nutil.types.isAsyncFunction(async function foo() {});  // Returns true\n
" }, { "textRaw": "`util.types.isBigInt64Array(value)`", "type": "method", "name": "isBigInt64Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a BigInt64Array instance.

\n
util.types.isBigInt64Array(new BigInt64Array());   // Returns true\nutil.types.isBigInt64Array(new BigUint64Array());  // Returns false\n
" }, { "textRaw": "`util.types.isBigUint64Array(value)`", "type": "method", "name": "isBigUint64Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a BigUint64Array instance.

\n
util.types.isBigUint64Array(new BigInt64Array());   // Returns false\nutil.types.isBigUint64Array(new BigUint64Array());  // Returns true\n
" }, { "textRaw": "`util.types.isBooleanObject(value)`", "type": "method", "name": "isBooleanObject", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a boolean object, e.g. created\nby new Boolean().

\n
util.types.isBooleanObject(false);  // Returns false\nutil.types.isBooleanObject(true);   // Returns false\nutil.types.isBooleanObject(new Boolean(false)); // Returns true\nutil.types.isBooleanObject(new Boolean(true));  // Returns true\nutil.types.isBooleanObject(Boolean(false)); // Returns false\nutil.types.isBooleanObject(Boolean(true));  // Returns false\n
" }, { "textRaw": "`util.types.isBoxedPrimitive(value)`", "type": "method", "name": "isBoxedPrimitive", "meta": { "added": [ "v10.11.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is any boxed primitive object, e.g. created\nby new Boolean(), new String() or Object(Symbol()).

\n

For example:

\n
util.types.isBoxedPrimitive(false); // Returns false\nutil.types.isBoxedPrimitive(new Boolean(false)); // Returns true\nutil.types.isBoxedPrimitive(Symbol('foo')); // Returns false\nutil.types.isBoxedPrimitive(Object(Symbol('foo'))); // Returns true\nutil.types.isBoxedPrimitive(Object(BigInt(5))); // Returns true\n
" }, { "textRaw": "`util.types.isCryptoKey(value)`", "type": "method", "name": "isCryptoKey", "meta": { "added": [ "v16.2.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {Object}", "name": "value", "type": "Object" } ] } ], "desc": "

Returns true if value is a <CryptoKey>, false otherwise.

" }, { "textRaw": "`util.types.isDataView(value)`", "type": "method", "name": "isDataView", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in DataView instance.

\n
const ab = new ArrayBuffer(20);\nutil.types.isDataView(new DataView(ab));  // Returns true\nutil.types.isDataView(new Float64Array());  // Returns false\n
\n

See also ArrayBuffer.isView().

" }, { "textRaw": "`util.types.isDate(value)`", "type": "method", "name": "isDate", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Date instance.

\n
util.types.isDate(new Date());  // Returns true\n
" }, { "textRaw": "`util.types.isExternal(value)`", "type": "method", "name": "isExternal", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a native External value.

\n

A native External value is a special type of object that contains a\nraw C++ pointer (void*) for access from native code, and has no other\nproperties. Such objects are created either by Node.js internals or native\naddons. In JavaScript, they are frozen objects with a\nnull prototype.

\n
#include <js_native_api.h>\n#include <stdlib.h>\nnapi_value result;\nstatic napi_value MyNapi(napi_env env, napi_callback_info info) {\n  int* raw = (int*) malloc(1024);\n  napi_status status = napi_create_external(env, (void*) raw, NULL, NULL, &result);\n  if (status != napi_ok) {\n    napi_throw_error(env, NULL, \"napi_create_external failed\");\n    return NULL;\n  }\n  return result;\n}\n...\nDECLARE_NAPI_PROPERTY(\"myNapi\", MyNapi)\n...\n
\n
const native = require('napi_addon.node');\nconst data = native.myNapi();\nutil.types.isExternal(data); // returns true\nutil.types.isExternal(0); // returns false\nutil.types.isExternal(new String('foo')); // returns false\n
\n

For further information on napi_create_external, refer to\nnapi_create_external().

" }, { "textRaw": "`util.types.isFloat32Array(value)`", "type": "method", "name": "isFloat32Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Float32Array instance.

\n
util.types.isFloat32Array(new ArrayBuffer());  // Returns false\nutil.types.isFloat32Array(new Float32Array());  // Returns true\nutil.types.isFloat32Array(new Float64Array());  // Returns false\n
" }, { "textRaw": "`util.types.isFloat64Array(value)`", "type": "method", "name": "isFloat64Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Float64Array instance.

\n
util.types.isFloat64Array(new ArrayBuffer());  // Returns false\nutil.types.isFloat64Array(new Uint8Array());  // Returns false\nutil.types.isFloat64Array(new Float64Array());  // Returns true\n
" }, { "textRaw": "`util.types.isGeneratorFunction(value)`", "type": "method", "name": "isGeneratorFunction", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a generator function.\nThis only reports back what the JavaScript engine is seeing;\nin particular, the return value may not match the original source code if\na transpilation tool was used.

\n
util.types.isGeneratorFunction(function foo() {});  // Returns false\nutil.types.isGeneratorFunction(function* foo() {});  // Returns true\n
" }, { "textRaw": "`util.types.isGeneratorObject(value)`", "type": "method", "name": "isGeneratorObject", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a generator object as returned from a\nbuilt-in generator function.\nThis only reports back what the JavaScript engine is seeing;\nin particular, the return value may not match the original source code if\na transpilation tool was used.

\n
function* foo() {}\nconst generator = foo();\nutil.types.isGeneratorObject(generator);  // Returns true\n
" }, { "textRaw": "`util.types.isInt8Array(value)`", "type": "method", "name": "isInt8Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Int8Array instance.

\n
util.types.isInt8Array(new ArrayBuffer());  // Returns false\nutil.types.isInt8Array(new Int8Array());  // Returns true\nutil.types.isInt8Array(new Float64Array());  // Returns false\n
" }, { "textRaw": "`util.types.isInt16Array(value)`", "type": "method", "name": "isInt16Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Int16Array instance.

\n
util.types.isInt16Array(new ArrayBuffer());  // Returns false\nutil.types.isInt16Array(new Int16Array());  // Returns true\nutil.types.isInt16Array(new Float64Array());  // Returns false\n
" }, { "textRaw": "`util.types.isInt32Array(value)`", "type": "method", "name": "isInt32Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Int32Array instance.

\n
util.types.isInt32Array(new ArrayBuffer());  // Returns false\nutil.types.isInt32Array(new Int32Array());  // Returns true\nutil.types.isInt32Array(new Float64Array());  // Returns false\n
" }, { "textRaw": "`util.types.isKeyObject(value)`", "type": "method", "name": "isKeyObject", "meta": { "added": [ "v16.2.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {Object}", "name": "value", "type": "Object" } ] } ], "desc": "

Returns true if value is a <KeyObject>, false otherwise.

" }, { "textRaw": "`util.types.isMap(value)`", "type": "method", "name": "isMap", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Map instance.

\n
util.types.isMap(new Map());  // Returns true\n
" }, { "textRaw": "`util.types.isMapIterator(value)`", "type": "method", "name": "isMapIterator", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is an iterator returned for a built-in\nMap instance.

\n
const map = new Map();\nutil.types.isMapIterator(map.keys());  // Returns true\nutil.types.isMapIterator(map.values());  // Returns true\nutil.types.isMapIterator(map.entries());  // Returns true\nutil.types.isMapIterator(map[Symbol.iterator]());  // Returns true\n
" }, { "textRaw": "`util.types.isModuleNamespaceObject(value)`", "type": "method", "name": "isModuleNamespaceObject", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is an instance of a Module Namespace Object.

\n\n
import * as ns from './a.js';\n\nutil.types.isModuleNamespaceObject(ns);  // Returns true\n
" }, { "textRaw": "`util.types.isNativeError(value)`", "type": "method", "name": "isNativeError", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value was returned by the constructor of a\nbuilt-in Error type.

\n
console.log(util.types.isNativeError(new Error()));  // true\nconsole.log(util.types.isNativeError(new TypeError()));  // true\nconsole.log(util.types.isNativeError(new RangeError()));  // true\n
\n

Subclasses of the native error types are also native errors:

\n
class MyError extends Error {}\nconsole.log(util.types.isNativeError(new MyError()));  // true\n
\n

A value being instanceof a native error class is not equivalent to isNativeError()\nreturning true for that value. isNativeError() returns true for errors\nwhich come from a different realm while instanceof Error returns false\nfor these errors:

\n
const vm = require('node:vm');\nconst context = vm.createContext({});\nconst myError = vm.runInContext('new Error()', context);\nconsole.log(util.types.isNativeError(myError)); // true\nconsole.log(myError instanceof Error); // false\n
\n

Conversely, isNativeError() returns false for all objects which were not\nreturned by the constructor of a native error. That includes values\nwhich are instanceof native errors:

\n
const myError = { __proto__: Error.prototype };\nconsole.log(util.types.isNativeError(myError)); // false\nconsole.log(myError instanceof Error); // true\n
" }, { "textRaw": "`util.types.isNumberObject(value)`", "type": "method", "name": "isNumberObject", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a number object, e.g. created\nby new Number().

\n
util.types.isNumberObject(0);  // Returns false\nutil.types.isNumberObject(new Number(0));   // Returns true\n
" }, { "textRaw": "`util.types.isPromise(value)`", "type": "method", "name": "isPromise", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Promise.

\n
util.types.isPromise(Promise.resolve(42));  // Returns true\n
" }, { "textRaw": "`util.types.isProxy(value)`", "type": "method", "name": "isProxy", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a Proxy instance.

\n
const target = {};\nconst proxy = new Proxy(target, {});\nutil.types.isProxy(target);  // Returns false\nutil.types.isProxy(proxy);  // Returns true\n
" }, { "textRaw": "`util.types.isRegExp(value)`", "type": "method", "name": "isRegExp", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a regular expression object.

\n
util.types.isRegExp(/abc/);  // Returns true\nutil.types.isRegExp(new RegExp('abc'));  // Returns true\n
" }, { "textRaw": "`util.types.isSet(value)`", "type": "method", "name": "isSet", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Set instance.

\n
util.types.isSet(new Set());  // Returns true\n
" }, { "textRaw": "`util.types.isSetIterator(value)`", "type": "method", "name": "isSetIterator", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is an iterator returned for a built-in\nSet instance.

\n
const set = new Set();\nutil.types.isSetIterator(set.keys());  // Returns true\nutil.types.isSetIterator(set.values());  // Returns true\nutil.types.isSetIterator(set.entries());  // Returns true\nutil.types.isSetIterator(set[Symbol.iterator]());  // Returns true\n
" }, { "textRaw": "`util.types.isSharedArrayBuffer(value)`", "type": "method", "name": "isSharedArrayBuffer", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in SharedArrayBuffer instance.\nThis does not include ArrayBuffer instances. Usually, it is\ndesirable to test for both; See util.types.isAnyArrayBuffer() for that.

\n
util.types.isSharedArrayBuffer(new ArrayBuffer());  // Returns false\nutil.types.isSharedArrayBuffer(new SharedArrayBuffer());  // Returns true\n
" }, { "textRaw": "`util.types.isStringObject(value)`", "type": "method", "name": "isStringObject", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a string object, e.g. created\nby new String().

\n
util.types.isStringObject('foo');  // Returns false\nutil.types.isStringObject(new String('foo'));   // Returns true\n
" }, { "textRaw": "`util.types.isSymbolObject(value)`", "type": "method", "name": "isSymbolObject", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a symbol object, created\nby calling Object() on a Symbol primitive.

\n
const symbol = Symbol('foo');\nutil.types.isSymbolObject(symbol);  // Returns false\nutil.types.isSymbolObject(Object(symbol));   // Returns true\n
" }, { "textRaw": "`util.types.isTypedArray(value)`", "type": "method", "name": "isTypedArray", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in TypedArray instance.

\n
util.types.isTypedArray(new ArrayBuffer());  // Returns false\nutil.types.isTypedArray(new Uint8Array());  // Returns true\nutil.types.isTypedArray(new Float64Array());  // Returns true\n
\n

See also ArrayBuffer.isView().

" }, { "textRaw": "`util.types.isUint8Array(value)`", "type": "method", "name": "isUint8Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Uint8Array instance.

\n
util.types.isUint8Array(new ArrayBuffer());  // Returns false\nutil.types.isUint8Array(new Uint8Array());  // Returns true\nutil.types.isUint8Array(new Float64Array());  // Returns false\n
" }, { "textRaw": "`util.types.isUint8ClampedArray(value)`", "type": "method", "name": "isUint8ClampedArray", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Uint8ClampedArray instance.

\n
util.types.isUint8ClampedArray(new ArrayBuffer());  // Returns false\nutil.types.isUint8ClampedArray(new Uint8ClampedArray());  // Returns true\nutil.types.isUint8ClampedArray(new Float64Array());  // Returns false\n
" }, { "textRaw": "`util.types.isUint16Array(value)`", "type": "method", "name": "isUint16Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Uint16Array instance.

\n
util.types.isUint16Array(new ArrayBuffer());  // Returns false\nutil.types.isUint16Array(new Uint16Array());  // Returns true\nutil.types.isUint16Array(new Float64Array());  // Returns false\n
" }, { "textRaw": "`util.types.isUint32Array(value)`", "type": "method", "name": "isUint32Array", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in Uint32Array instance.

\n
util.types.isUint32Array(new ArrayBuffer());  // Returns false\nutil.types.isUint32Array(new Uint32Array());  // Returns true\nutil.types.isUint32Array(new Float64Array());  // Returns false\n
" }, { "textRaw": "`util.types.isWeakMap(value)`", "type": "method", "name": "isWeakMap", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in WeakMap instance.

\n
util.types.isWeakMap(new WeakMap());  // Returns true\n
" }, { "textRaw": "`util.types.isWeakSet(value)`", "type": "method", "name": "isWeakSet", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in WeakSet instance.

\n
util.types.isWeakSet(new WeakSet());  // Returns true\n
" }, { "textRaw": "`util.types.isWebAssemblyCompiledModule(value)`", "type": "method", "name": "isWebAssemblyCompiledModule", "meta": { "added": [ "v10.0.0" ], "deprecated": [ "v14.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `value instanceof WebAssembly.Module` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns true if the value is a built-in WebAssembly.Module instance.

\n
const module = new WebAssembly.Module(wasmBuffer);\nutil.types.isWebAssemblyCompiledModule(module);  // Returns true\n
" } ] } ], "modules": [ { "textRaw": "Deprecated APIs", "name": "deprecated_apis", "desc": "

The following APIs are deprecated and should no longer be used. Existing\napplications and modules should be updated to find alternative approaches.

", "methods": [ { "textRaw": "`util._extend(target, source)`", "type": "method", "name": "_extend", "meta": { "added": [ "v0.7.5" ], "deprecated": [ "v6.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use [`Object.assign()`][] instead.", "signatures": [ { "params": [ { "textRaw": "`target` {Object}", "name": "target", "type": "Object" }, { "textRaw": "`source` {Object}", "name": "source", "type": "Object" } ] } ], "desc": "

The util._extend() method was never intended to be used outside of internal\nNode.js modules. The community found and used it anyway.

\n

It is deprecated and should not be used in new code. JavaScript comes with very\nsimilar built-in functionality through Object.assign().

" }, { "textRaw": "`util.isArray(object)`", "type": "method", "name": "isArray", "meta": { "added": [ "v0.6.0" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use [`Array.isArray()`][] instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Alias for Array.isArray().

\n

Returns true if the given object is an Array. Otherwise, returns false.

\n
const util = require('node:util');\n\nutil.isArray([]);\n// Returns: true\nutil.isArray(new Array());\n// Returns: true\nutil.isArray({});\n// Returns: false\n
" }, { "textRaw": "`util.isBoolean(object)`", "type": "method", "name": "isBoolean", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `typeof value === 'boolean'` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is a Boolean. Otherwise, returns false.

\n
const util = require('node:util');\n\nutil.isBoolean(1);\n// Returns: false\nutil.isBoolean(0);\n// Returns: false\nutil.isBoolean(false);\n// Returns: true\n
" }, { "textRaw": "`util.isBuffer(object)`", "type": "method", "name": "isBuffer", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use [`Buffer.isBuffer()`][] instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is a Buffer. Otherwise, returns false.

\n
const util = require('node:util');\n\nutil.isBuffer({ length: 0 });\n// Returns: false\nutil.isBuffer([]);\n// Returns: false\nutil.isBuffer(Buffer.from('hello world'));\n// Returns: true\n
" }, { "textRaw": "`util.isDate(object)`", "type": "method", "name": "isDate", "meta": { "added": [ "v0.6.0" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use [`util.types.isDate()`][] instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is a Date. Otherwise, returns false.

\n
const util = require('node:util');\n\nutil.isDate(new Date());\n// Returns: true\nutil.isDate(Date());\n// false (without 'new' returns a String)\nutil.isDate({});\n// Returns: false\n
" }, { "textRaw": "`util.isError(object)`", "type": "method", "name": "isError", "meta": { "added": [ "v0.6.0" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use [`util.types.isNativeError()`][] instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is an Error. Otherwise, returns\nfalse.

\n
const util = require('node:util');\n\nutil.isError(new Error());\n// Returns: true\nutil.isError(new TypeError());\n// Returns: true\nutil.isError({ name: 'Error', message: 'an error occurred' });\n// Returns: false\n
\n

This method relies on Object.prototype.toString() behavior. It is\npossible to obtain an incorrect result when the object argument manipulates\n@@toStringTag.

\n
const util = require('node:util');\nconst obj = { name: 'Error', message: 'an error occurred' };\n\nutil.isError(obj);\n// Returns: false\nobj[Symbol.toStringTag] = 'Error';\nutil.isError(obj);\n// Returns: true\n
" }, { "textRaw": "`util.isFunction(object)`", "type": "method", "name": "isFunction", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `typeof value === 'function'` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is a Function. Otherwise, returns\nfalse.

\n
const util = require('node:util');\n\nfunction Foo() {}\nconst Bar = () => {};\n\nutil.isFunction({});\n// Returns: false\nutil.isFunction(Foo);\n// Returns: true\nutil.isFunction(Bar);\n// Returns: true\n
" }, { "textRaw": "`util.isNull(object)`", "type": "method", "name": "isNull", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `value === null` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is strictly null. Otherwise, returns\nfalse.

\n
const util = require('node:util');\n\nutil.isNull(0);\n// Returns: false\nutil.isNull(undefined);\n// Returns: false\nutil.isNull(null);\n// Returns: true\n
" }, { "textRaw": "`util.isNullOrUndefined(object)`", "type": "method", "name": "isNullOrUndefined", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `value === undefined || value === null` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is null or undefined. Otherwise,\nreturns false.

\n
const util = require('node:util');\n\nutil.isNullOrUndefined(0);\n// Returns: false\nutil.isNullOrUndefined(undefined);\n// Returns: true\nutil.isNullOrUndefined(null);\n// Returns: true\n
" }, { "textRaw": "`util.isNumber(object)`", "type": "method", "name": "isNumber", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `typeof value === 'number'` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is a Number. Otherwise, returns false.

\n
const util = require('node:util');\n\nutil.isNumber(false);\n// Returns: false\nutil.isNumber(Infinity);\n// Returns: true\nutil.isNumber(0);\n// Returns: true\nutil.isNumber(NaN);\n// Returns: true\n
" }, { "textRaw": "`util.isObject(object)`", "type": "method", "name": "isObject", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `value !== null && typeof value === 'object'` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is strictly an Object and not a\nFunction (even though functions are objects in JavaScript).\nOtherwise, returns false.

\n
const util = require('node:util');\n\nutil.isObject(5);\n// Returns: false\nutil.isObject(null);\n// Returns: false\nutil.isObject({});\n// Returns: true\nutil.isObject(() => {});\n// Returns: false\n
" }, { "textRaw": "`util.isPrimitive(object)`", "type": "method", "name": "isPrimitive", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `(typeof value !== 'object' && typeof value !== 'function') || value === null` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is a primitive type. Otherwise, returns\nfalse.

\n
const util = require('node:util');\n\nutil.isPrimitive(5);\n// Returns: true\nutil.isPrimitive('foo');\n// Returns: true\nutil.isPrimitive(false);\n// Returns: true\nutil.isPrimitive(null);\n// Returns: true\nutil.isPrimitive(undefined);\n// Returns: true\nutil.isPrimitive({});\n// Returns: false\nutil.isPrimitive(() => {});\n// Returns: false\nutil.isPrimitive(/^$/);\n// Returns: false\nutil.isPrimitive(new Date());\n// Returns: false\n
" }, { "textRaw": "`util.isRegExp(object)`", "type": "method", "name": "isRegExp", "meta": { "added": [ "v0.6.0" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is a RegExp. Otherwise, returns false.

\n
const util = require('node:util');\n\nutil.isRegExp(/some regexp/);\n// Returns: true\nutil.isRegExp(new RegExp('another regexp'));\n// Returns: true\nutil.isRegExp({});\n// Returns: false\n
" }, { "textRaw": "`util.isString(object)`", "type": "method", "name": "isString", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `typeof value === 'string'` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is a string. Otherwise, returns false.

\n
const util = require('node:util');\n\nutil.isString('');\n// Returns: true\nutil.isString('foo');\n// Returns: true\nutil.isString(String('foo'));\n// Returns: true\nutil.isString(5);\n// Returns: false\n
" }, { "textRaw": "`util.isSymbol(object)`", "type": "method", "name": "isSymbol", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `typeof value === 'symbol'` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is a Symbol. Otherwise, returns false.

\n
const util = require('node:util');\n\nutil.isSymbol(5);\n// Returns: false\nutil.isSymbol('foo');\n// Returns: false\nutil.isSymbol(Symbol('foo'));\n// Returns: true\n
" }, { "textRaw": "`util.isUndefined(object)`", "type": "method", "name": "isUndefined", "meta": { "added": [ "v0.11.5" ], "deprecated": [ "v4.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use `value === undefined` instead.", "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`object` {any}", "name": "object", "type": "any" } ] } ], "desc": "

Returns true if the given object is undefined. Otherwise, returns false.

\n
const util = require('node:util');\n\nconst foo = undefined;\nutil.isUndefined(5);\n// Returns: false\nutil.isUndefined(foo);\n// Returns: true\nutil.isUndefined(null);\n// Returns: false\n
" }, { "textRaw": "`util.log(string)`", "type": "method", "name": "log", "meta": { "added": [ "v0.3.0" ], "deprecated": [ "v6.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use a third party module instead.", "signatures": [ { "params": [ { "textRaw": "`string` {string}", "name": "string", "type": "string" } ] } ], "desc": "

The util.log() method prints the given string to stdout with an included\ntimestamp.

\n
const util = require('node:util');\n\nutil.log('Timestamped message.');\n
" } ], "type": "module", "displayName": "Deprecated APIs" } ], "type": "module", "displayName": "Util" } ] }