Skip to content

chore(deps): update dependency pnpm to v10#10

Merged
miguelvelezsa merged 1 commit intogoogleapis:mainfrom
renovate-bot:renovate/pnpm-10.x
Sep 17, 2025
Merged

chore(deps): update dependency pnpm to v10#10
miguelvelezsa merged 1 commit intogoogleapis:mainfrom
renovate-bot:renovate/pnpm-10.x

Conversation

@renovate-bot
Copy link
Contributor

This PR contains the following updates:

Package Change Age Confidence
pnpm (source) ^7.0.0 -> ^10.0.0 age confidence

Release Notes

pnpm/pnpm (pnpm)

v10.16.1

Compare Source

Patch Changes
  • The full metadata cache should be stored not at the same location as the abbreviated metadata. This fixes a bug where pnpm was loading the abbreviated metadata from cache and couldn't find the "time" field as a result #​9963.
  • Forcibly disable ANSI color codes when generating patch diff #​9914.

v10.16.0

Compare Source

Minor Changes
  • There have been several incidents recently where popular packages were successfully attacked. To reduce the risk of installing a compromised version, we are introducing a new setting that delays the installation of newly released dependencies. In most cases, such attacks are discovered quickly and the malicious versions are removed from the registry within an hour.

    The new setting is called minimumReleaseAge. It specifies the number of minutes that must pass after a version is published before pnpm will install it. For example, setting minimumReleaseAge: 1440 ensures that only packages released at least one day ago can be installed.

    If you set minimumReleaseAge but need to disable this restriction for certain dependencies, you can list them under the minimumReleaseAgeExclude setting. For instance, with the following configuration pnpm will always install the latest version of webpack, regardless of its release time:

    minimumReleaseAgeExclude:
      - webpack

    Related issue: #​9921.

  • Added support for finders #​9946.

    In the past, pnpm list and pnpm why could only search for dependencies by name (and optionally version). For example:

    pnpm why minimist
    

    prints the chain of dependencies to any installed instance of minimist:

    verdaccio 5.20.1
    ├─┬ handlebars 4.7.7
    │ └── minimist 1.2.8
    └─┬ mv 2.1.1
      └─┬ mkdirp 0.5.6
        └── minimist 1.2.8
    

    What if we want to search by other properties of a dependency, not just its name? For instance, find all packages that have react@17 in their peer dependencies?

    This is now possible with "finder functions". Finder functions can be declared in .pnpmfile.cjs and invoked with the --find-by=<function name> flag when running pnpm list or pnpm why.

    Let's say we want to find any dependencies that have React 17 in peer dependencies. We can add this finder to our .pnpmfile.cjs:

    module.exports = {
      finders: {
        react17: (ctx) => {
          return ctx.readManifest().peerDependencies?.react === "^17.0.0";
        },
      },
    };

    Now we can use this finder function by running:

    pnpm why --find-by=react17
    

    pnpm will find all dependencies that have this React in peer dependencies and print their exact locations in the dependency graph.

    @&#8203;apollo/client 4.0.4
    ├── @&#8203;graphql-typed-document-node/core 3.2.0
    └── graphql-tag 2.12.6
    

    It is also possible to print out some additional information in the output by returning a string from the finder. For example, with the following finder:

    module.exports = {
      finders: {
        react17: (ctx) => {
          const manifest = ctx.readManifest();
          if (manifest.peerDependencies?.react === "^17.0.0") {
            return `license: ${manifest.license}`;
          }
          return false;
        },
      },
    };

    Every matched package will also print out the license from its package.json:

    @&#8203;apollo/client 4.0.4
    ├── @&#8203;graphql-typed-document-node/core 3.2.0
    │   license: MIT
    └── graphql-tag 2.12.6
        license: MIT
    
Patch Changes
  • Fix deprecation warning printed when executing pnpm with Node.js 24 #​9529.
  • Throw an error if nodeVersion is not set to an exact semver version #​9934.
  • pnpm publish should be able to publish a .tar.gz file #​9927.
  • Canceling a running process with Ctrl-C should make pnpm run return a non-zero exit code #​9626.

v10.15.1

Compare Source

Patch Changes
  • Fix .pnp.cjs crash when importing subpath #​9904.
  • When resolving peer dependencies, pnpm looks whether the peer dependency is present in the root workspace project's dependencies. This change makes it so that the peer dependency is correctly resolved even from aliased npm-hosted dependencies or other types of dependencies #​9913.

v10.15.0

Compare Source

Minor Changes
  • Added the cleanupUnusedCatalogs configuration. When set to true, pnpm will remove unused catalog entries during installation #​9793.
  • Automatically load pnpmfiles from config dependencies that are named @*/pnpm-plugin-* #​9780.
  • pnpm config get now prints an INI string for an object value #​9797.
  • pnpm config get now accepts property paths (e.g. pnpm config get catalog.react, pnpm config get .catalog.react, pnpm config get 'packageExtensions["@&#8203;babel/parser"].peerDependencies["@&#8203;babel/types"]'), and pnpm config set now accepts dot-leading or subscripted keys (e.g. pnpm config set .ignoreScripts true).
  • pnpm config get --json now prints a JSON serialization of config value, and pnpm config set --json now parses the input value as JSON.
Patch Changes
  • Semi-breaking. When automatically installing missing peer dependencies, prefer versions that are already present in the direct dependencies of the root workspace package #​9835.
  • When executing the pnpm create command, must verify whether the node version is supported even if a cache already exists #​9775.
  • When making requests for the non-abbreviated packument, add */* to the Accept header to avoid getting a 406 error on AWS CodeArtifact #​9862.
  • The standalone exe version of pnpm works with glibc 2.26 again #​9734.
  • Fix a regression in which pnpm dlx pkg --help doesn't pass --help to pkg #​9823.

v10.14.0

Compare Source

Minor Changes
  • Added support for JavaScript runtime resolution

    Declare Node.js, Deno, or Bun in devEngines.runtime (inside package.json) and let pnpm download and pin it automatically.

    Usage example:

    {
      "devEngines": {
        "runtime": {
          "name": "node",
          "version": "^24.4.0",
          "onFail": "download" (we only support the "download" value for now)
        }
      }
    }

    How it works:

    1. pnpm install resolves your specified range to the latest matching runtime version.
    2. The exact version (and checksum) is saved in the lockfile.
    3. Scripts use the local runtime, ensuring consistency across environments.

    Why this is better:

    1. This new setting supports also Deno and Bun (vs. our Node-only settings useNodeVersion and executionEnv.nodeVersion)
    2. Supports version ranges (not just a fixed version).
    3. The resolved version is stored in the pnpm lockfile, along with an integrity checksum for future validation of the Node.js content's validity.
    4. It can be used on any workspace project (like executionEnv.nodeVersion). So, different projects in a workspace can use different runtimes.
    5. For now devEngines.runtime setting will install the runtime locally, which we will improve in future versions of pnpm by using a shared location on the computer.

    Related PR: #​9755.

  • Add --cpu, --libc, and --os to pnpm install, pnpm add, and pnpm dlx to customize supportedArchitectures via the CLI #​7510.

Patch Changes
  • Fix a bug in which pnpm add downloads packages whose libc differ from pnpm.supportedArchitectures.libc.
  • The integrities of the downloaded Node.js artifacts are verified #​9750.
  • Allow dlx to parse CLI flags and options between the dlx command and the command to run or between the dlx command and -- #​9719.
  • pnpm install --prod should removing hoisted dev dependencies #​9782.
  • Fix an edge case bug causing local tarballs to not re-link into the virtual store. This bug would happen when changing the contents of the tarball without renaming the file and running a filtered install.
  • Fix a bug causing pnpm install to incorrectly assume the lockfile is up to date after changing a local tarball that has peers dependencies.

v10.13.1

Compare Source

Patch Changes
  • Run user defined pnpmfiles after pnpmfiles of plugins.

v10.13.0

Compare Source

Minor Changes
  • Added the possibility to load multiple pnpmfiles. The pnpmfile setting can now accept a list of pnpmfile locations #​9702.

  • pnpm will now automatically load the pnpmfile.cjs file from any config dependency named @pnpm/plugin-* or pnpm-plugin-* #​9729.

    The order in which config dependencies are initialized should not matter — they are initialized in alphabetical order. If a specific order is needed, the paths to the pnpmfile.cjs files in the config dependencies can be explicitly listed using the pnpmfile setting in pnpm-workspace.yaml.

Patch Changes
  • When patching dependencies installed via pkg.pr.new, treat them as Git tarball URLs #​9694.
  • Prevent conflicts between local projects' config and the global config in dangerouslyAllowAllBuilds, onlyBuiltDependencies, onlyBuiltDependenciesFile, and neverBuiltDependencies #​9628.
  • Sort keys in pnpm-workspace.yaml with deep #​9701.
  • The pnpm rebuild command should not add pkgs included in ignoredBuiltDependencies to ignoredBuilds in node_modules/.modules.yaml #​9338.
  • Replaced shell-quote with shlex for quoting command arguments #​9381.

v10.12.4

Compare Source

Patch Changes

v10.12.3

Compare Source

Patch Changes
  • Restore hoisting of optional peer dependencies when installing with an outdated lockfile.
    Regression introduced in v10.12.2 by #​9648; resolves #​9685.

v10.12.2

Compare Source

Patch Changes
  • Fixed hoisting with enableGlobalVirtualStore set to true #​9648.
  • Fix the --help and -h flags not working as expected for the pnpm create command.
  • The dependency package path output by the pnpm licenses list --json command is incorrect.
  • Fix a bug in which pnpm deploy fails due to overridden dependencies having peer dependencies causing ERR_PNPM_OUTDATED_LOCKFILE #​9595.

v10.12.1

Minor Changes
  • Experimental. Added support for global virtual stores. When enabled, node_modules contains only symlinks to a central virtual store, rather to node_modules/.pnpm. By default, this central store is located at <store-path>/links (you can find the store path by running pnpm store path).

    In the central virtual store, each package is hard linked into a directory whose name is the hash of its dependency graph. This allows multiple projects on the system to symlink shared dependencies from this central location, significantly improving installation speed when a warm cache is available.

    This is conceptually similar to how NixOS manages packages, using dependency graph hashes to create isolated and reusable package directories.

    To enable the global virtual store, set enableGlobalVirtualStore: true in your root pnpm-workspace.yaml, or globally via:

    pnpm config -g set enable-global-virtual-store true

    NOTE: In CI environments, where caches are typically cold, this setting may slow down installation. pnpm automatically disables the global virtual store when running in CI.

    Related PR: #​8190

  • The pnpm update command now supports updating catalog: protocol dependencies and writes new specifiers to pnpm-workspace.yaml.
  • Added two new CLI options (--save-catalog and --save-catalog-name=<name>) to pnpm add to save new dependencies as catalog entries. catalog: or catalog:<name> will be added to package.json and the package specifier will be added to the catalogs or catalog[<name>] object in pnpm-workspace.yaml #​9425.
  • Semi-breaking. The keys used for side-effects caches have changed. If you have a side-effects cache generated by a previous version of pnpm, the new version will not use it and will create a new cache instead #​9605.
  • Added a new setting called ci for explicitly telling pnpm if the current environment is a CI or not.
Patch Changes
  • Sort versions printed by pnpm patch using semantic versioning rules.
  • Improve the way the error message displays mismatched specifiers. Show differences instead of 2 whole objects #​9598.
  • Revert #​9574 to fix a regression #​9596.

v10.11.1

Compare Source

Patch Changes
  • Fix an issue in which pnpm deploy --legacy creates unexpected directories when the root package.json has a workspace package as a peer dependency #​9550.
  • Dependencies specified via a URL that redirects will only be locked to the target if it is immutable, fixing a regression when installing from GitHub releases. (#​9531)
  • Installation should not exit with an error if strictPeerDependencies is true but all issues are ignored by peerDependencyRules #​9505.
  • Use pnpm_config_ env variables instead of npm_config_ #​9571.
  • Fix a regression (in v10.9.0) causing the --lockfile-only flag on pnpm update to produce a different pnpm-lock.yaml than an update without the flag.
  • Let pnpm deploy work in repos with overrides when inject-workspace-packages=true #​9283.
  • Fixed the problem of path loss caused by parsing URL address. Fixes a regression shipped in pnpm v10.11 via #​9502.
  • pnpm -r --silent run should not print out section #​9563.

v10.11.0

Compare Source

Minor Changes
  • A new setting added for pnpm init to create a package.json with type=module, when init-type is module. Works as a flag for the init command too #​9463.

  • Added support for Nushell to pnpm setup #​6476.

  • Added two new flags to the pnpm audit command, --ignore and --ignore-unfixable #​8474.

    Ignore all vulnerabilities that have no solution:

    > pnpm audit --ignore-unfixable

    Provide a list of CVE's to ignore those specifically, even if they have a resolution.

    > pnpm audit --ignore=CVE-2021-1234 --ignore=CVE-2021-5678
  • Added support for recursively running pack in every project of a workspace #​4351.

    Now you can run pnpm -r pack to pack all packages in the workspace.

Patch Changes
  • pnpm version management should work, when dangerouslyAllowAllBuilds is set to true #​9472.
  • pnpm link should work from inside a workspace #​9506.
  • Set the default workspaceConcurrency to Math.min(os.availableParallelism(), 4) #​9493.
  • Installation should not exit with an error if strictPeerDependencies is true but all issues are ignored by peerDependencyRules #​9505.
  • Read updateConfig from pnpm-workspace.yaml #​9500.
  • Add support for recursive pack
  • Remove url.parse usage to fix warning on Node.js 24 #​9492.
  • pnpm run should be able to run commands from the workspace root, if ignoreScripts is set tot true #​4858.

v10.10.0

Compare Source

Minor Changes
  • Allow loading the preResolution, importPackage, and fetchers hooks from local pnpmfile.
Patch Changes
  • Fix cd command, when shellEmulator is true #​7838.
  • Sort keys in pnpm-workspace.yaml #​9453.
  • Pass the npm_package_json environment variable to the executed scripts #​9452.
  • Fixed a mistake in the description of the --reporter=silent option.

v10.9.0

Compare Source

Minor Changes
  • Added support for installing JSR packages. You can now install JSR packages using the following syntax:

    pnpm add jsr:<pkg_name>
    

    or with a version range:

    pnpm add jsr:<pkg_name>@&#8203;<range>
    

    For example, running:

    pnpm add jsr:@&#8203;foo/bar
    

    will add the following entry to your package.json:

    {
      "dependencies": {
        "@&#8203;foo/bar": "jsr:^0.1.2"
      }
    }

    When publishing, this entry will be transformed into a format compatible with npm, older versions of Yarn, and previous pnpm versions:

    {
      "dependencies": {
        "@&#8203;foo/bar": "npm:@&#8203;jsr/foo__bar@^0.1.2"
      }
    }

    Related issue: #​8941.

    Note: The @jsr scope defaults to https://npm.jsr.io/ if the @jsr:registry setting is not defined.

  • Added a new setting, dangerouslyAllowAllBuilds, for automatically running any scripts of dependencies without the need to approve any builds. It was already possible to allow all builds by adding this to pnpm-workspace.yaml:

    neverBuiltDependencies: []

    dangerouslyAllowAllBuilds has the same effect but also allows to be set globally via:

    pnpm config set dangerouslyAllowAllBuilds true
    

    It can also be set when running a command:

    pnpm install --dangerously-allow-all-builds
    
Patch Changes
  • Fix a false negative in verifyDepsBeforeRun when nodeLinker is hoisted and there is a workspace package without dependencies and node_modules directory #​9424.
  • Explicitly drop verifyDepsBeforeRun support for nodeLinker: pnp. Combining verifyDepsBeforeRun and nodeLinker: pnp will now print a warning.

v10.8.1

Compare Source

Patch Changes
  • Removed bright white highlighting, which didn't look good on some light themes #​9389.
  • If there is no pnpm related configuration in package.json, onlyBuiltDependencies will be written to pnpm-workspace.yaml file #​9404.

v10.8.0

Compare Source

Minor Changes
  • Experimental. A new hook is supported for updating configuration settings. The hook can be provided via .pnpmfile.cjs. For example:

    module.exports = {
      hooks: {
        updateConfig: (config) => ({
          ...config,
          nodeLinker: "hoisted",
        }),
      },
    };
  • Now you can use the pnpm add command with the --config flag to install new configurational dependencies #​9377.

Patch Changes
  • Do not hang indefinitely, when there is a glob that starts with !/ in pnpm-workspace.yaml. This fixes a regression introduced by #​9169.
  • pnpm audit --fix should update the overrides in pnpm-workspace.yaml.
  • pnpm link should update overrides in pnpm-workspace.yaml, not in package.json #​9365.

v10.7.1

Compare Source

Patch Changes
  • pnpm config set should convert the settings to their correct type before adding them to pnpm-workspace.yaml #​9355.
  • pnpm config get should read auth related settings via npm CLI #​9345.
  • Replace leading ~/ in a path in .npmrc with the home directory #​9217.

v10.7.0

Compare Source

Minor Changes
  • pnpm config get and list also show settings set in pnpm-workspace.yaml files #​9316.

  • It should be possible to use env variables in pnpm-workspace.yaml setting names and value.

  • Add an ability to patch dependencies by version ranges. Exact versions override version ranges, which in turn override name-only patches. Version range * is the same as name-only, except that patch application failure will not be ignored.

    For example:

    patchedDependencies:
      foo: patches/foo-1.patch
      foo@^2.0.0: patches/foo-2.patch
      foo@2.1.0: patches/foo-3.patch

    The above configuration would apply patches/foo-3.patch to foo@2.1.0, patches/foo-2.patch to all foo versions which satisfy ^2.0.0 except 2.1.0, and patches/foo-1.patch to the remaining foo versions.

    [!WARNING]
    The version ranges should not overlap. If you want to specialize a sub range, make sure to exclude it from the other keys. For example:

    # pnpm-workspace.yaml
    patchedDependencies:
      # the specialized sub range
      'foo@2.2.0-2.8.0': patches/foo.2.2.0-2.8.0.patch
      # the more general patch, excluding the sub range above
      'foo@>=2.0.0 <2.2.0 || >2.8.0': 'patches/foo.gte2.patch

    In most cases, however, it's sufficient to just define an exact version to override the range.

  • pnpm config set --location=project saves the setting to a pnpm-workspace.yaml file if no .npmrc file is present in the directory #​9316.

  • Rename pnpm.allowNonAppliedPatches to pnpm.allowUnusedPatches. The old name is still supported but it would print a deprecation warning message.

  • Add pnpm.ignorePatchFailures to manage whether pnpm would ignore patch application failures.

    If ignorePatchFailures is not set, pnpm would throw an error when patches with exact versions or version ranges fail to apply, and it would ignore failures from name-only patches.

    If ignorePatchFailures is explicitly set to false, pnpm would throw an error when any type of patch fails to apply.

    If ignorePatchFailures is explicitly set to true, pnpm would print a warning when any type of patch fails to apply.

Patch Changes
  • Remove dependency paths from audit output to prevent out-of-memory errors #​9280.

v10.6.5

Compare Source

Patch Changes
  • Remove warnings after having explicitly approved no builds #​9296.
  • When installing different dependency packages, should retain the ignoredBuilds field in the .modules.yaml file #​9240.
  • Fix usages of the catalog: protocol in injected local workspace packages. This previously errored with ERR_PNPM_SPEC_NOT_SUPPORTED_BY_ANY_RESOLVER. #​8715
  • Setting workspace-concurrency to less than or equal to 0 should work #​9297.

v10.6.4

Compare Source

Patch Changes
  • Fix pnpm dlx with --allow-build flag #​9263.
  • Invalid Node.js version in use-node-version should not cause pnpm itself to break #​9276.
  • The max amount of workers running for linking packages from the store has been reduced to 4 to achieve optimal results #​9286. The workers are performing many file system operations, so increasing the number of CPUs doesn't help performance after some point.

v10.6.3

Compare Source

Patch Changes
  • pnpm install --prod=false should not crash, when executed in a project with a pnpm-workspace.yaml file #​9233. This fixes regression introduced via #​9211.

  • Add the missing node-options config to recursive run #​9180.

  • Removed a branching code path that only executed when dedupe-peer-dependents=false. We believe this internal refactor will not result in behavior changes, but we expect it to make future pnpm versions behave more consistently for projects that override dedupe-peer-dependents to false. There should be less unique bugs from turning off dedupe-peer-dependents.

    See details in #​9259.

v10.6.2

Compare Source

Patch Changes
  • pnpm self-update should always update the version in the packageManager field of package.json.
  • Fix running pnpm CLI from pnpm CLI on Windows when the CLI is bundled to an executable #​8971.
  • pnpm patch-commit will now use the same filesystem as the store directory to compare and create patch files.
  • Don't show info output when --loglevel=error is used.
  • peerDependencyRules should be set in pnpm-workspace.yaml to take effect.

v10.6.1

Compare Source

Patch Changes
  • The pnpm CLI process should not stay hanging, when --silent reporting is used.
  • When --loglevel is set to error, don't show installation summary, execution time, and big tarball download progress.
  • Don't ignore pnpm.patchedDependencies from package.json #​9226.
  • When executing the approve-builds command, if package.json contains onlyBuiltDependencies or ignoredBuiltDependencies, the selected dependency package will continue to be written into package.json.
  • When a package version cannot be found in the package metadata, print the registry from which the package was fetched.

v10.6.0

Compare Source

Minor Changes
  • pnpm-workspace.yaml can now hold all the settings that .npmrc accepts. The settings should use camelCase #​9211.

    pnpm-workspace.yaml example:

    verifyDepsBeforeRun: install
    optimisticRepeatInstall: true
    publicHoistPattern:
      - "*types*"
      - "!@&#8203;types/react"
  • Projects using a file: dependency on a local tarball file (i.e. .tgz, .tar.gz, .tar) will see a performance improvement during installation. Previously, using a file: dependency on a tarball caused the lockfile resolution step to always run. The lockfile will now be considered up-to-date if the tarball is unchanged.

Patch Changes
  • pnpm self-update should not leave a directory with a broken pnpm installation if the installation fails.
  • fast-glob replace with tinyglobby to reduce the size of the pnpm CLI dependencies #​9169.
  • pnpm deploy should not remove fields from the deployed package's package.json file #​9215.
  • pnpm self-update should not read the pnpm settings from the package.json file in the current working directory.
  • Fix pnpm deploy creating a package.json without the imports and license field #​9193.
  • pnpm update -i should list only packages that have newer versions #​9206.
  • Fix a bug causing entries in the catalogs section of the pnpm-lock.yaml file to be removed when dedupe-peer-dependents=false on a filtered install. #​9112

v10.5.2

Compare Source

Patch Changes
  • The pnpm config set command should change the global .npmrc file by default.
    This was a regression introduced by #​9151 and shipped in pnpm v10.5.0.

v10.5.1

Compare Source

Patch Changes
  • Throw an error message if a pnpm-workspaces.yaml or pnpm-workspaces.yml file is found instead of a pnpm-workspace.yaml #​9170.
  • Fix the update of pnpm-workspace.yaml by the pnpm approve-builds command #​9168.
  • Normalize generated link paths in package.json #​9163
  • Specifying overrides in pnpm-workspace.yaml should work.
  • pnpm dlx should ignore settings from the package.json file in the current working directory #​9178.

v10.5.0

Compare Source

Minor Changes
  • Allow to set the "pnpm" settings from package.json via the pnpm-workspace.yaml file #​9121.

  • Added support for automatically syncing files of injected workspace packages after pnpm run #​9081. Use the sync-injected-deps-after-scripts setting to specify which scripts build the workspace package. This tells pnpm when syncing is needed. The setting should be defined in a .npmrc file at the root of the workspace. Example:

    sync-injected-deps-after-scripts[]=compile
  • The packages field in pnpm-workspace.yaml became optional.

Patch Changes
  • pnpm link with no parameters should work as if --global is specified #​9151.
  • Allow scope registry CLI option without --config. prefix such as --@&#8203;scope:registry=https://scope.example.com/npm #​9089.
  • pnpm link <path> should calculate relative path from the root of the workspace directory #​9132.
  • Fix a bug causing catalog snapshots to be removed from the pnpm-lock.yaml file when using --fix-lockfile and --filter. #​8639
  • Fix a bug causing catalog protocol dependencies to not re-resolve on a filtered install #​8638.

v10.4.1

Compare Source

Patch Changes
  • Throws an error when the value provided by the --allow-build option overlaps with the pnpm.ignoredBuildDependencies list #​9105.
  • Print pnpm's version after the execution time at the end of the console output.
  • Print warning about ignored builds of dependencies on repeat install #​9106.
  • Setting init-package-manager should work.

v10.4.0

Compare Source

Minor Changes
  • pnpm approve-builds --global works now for allowing dependencies of globally installed packages to run postinstall scripts.

  • The pnpm add command now supports a new flag, --allow-build, which allows building the specified dependencies. For instance, if you want to install a package called bundle that has esbuild as a dependency and want to allow esbuild to run postinstall scripts, you can run:

    pnpm --allow-build=esbuild add bundle
    

    This will run esbuild's postinstall script and also add it to the pnpm.onlyBuiltDependencies field of package.json. So, esbuild will always be allowed to run its scripts in the future.

    Related PR: #​9086.

  • The pnpm init command adds a packageManager field with the current version of pnpm CLI #​9069. To disable this behaviour, set the init-package-manager setting to false.

Patch Changes
  • pnpm approve-builds should work after two consecutive pnpm install runs #​9083.
  • Fix instruction for updating pnpm with corepack #​9101.
  • The pnpm version specified by packageManager cannot start with v.

v10.3.0

Compare Source

Minor Changes
  • Added a new setting called strict-dep-builds. When enabled, the installation will exit with a non-zero exit code if any dependencies have unreviewed build scripts (aka postinstall scripts) #​9071.
Patch Changes
  • Fix a false negative of verify-deps-before-run after pnpm install --production|--no-optional #​9019.
  • Print the warning about blocked installation scripts at the end of the installation output and make it more prominent.

v10.2.1

Compare Source

Patch Changes
  • Don't read a package from side-effects cache if it isn't allowed to be built #​9042.
  • pnpm approve-builds should work, when executed from a subdirectory of a workspace #​9042.
  • pnpm deploy --legacy should work without injected dependencies.
  • Add information about how to deploy without "injected dependencies" to the "pnpm deploy" error message.

v10.2.0

Compare Source

Minor Changes
  • Packages executed via pnpm dlx and pnpm create are allowed to be built (run postinstall scripts) by default.

    If the packages executed by dlx or create have dependencies that have to be built, they should be listed via the --allow-build flag. For instance, if you want to run a package called bundle that has esbuild in dependencies and want to allow esbuild to run postinstall scripts, run:

    pnpm --allow-build=esbuild dlx bundle
    

    Related PR: #​9026.

Patch Changes
  • Quote args for scripts with shell-quote to support new lines (on POSIX only) #​8980.
  • Fix a bug in which pnpm deploy fails to read the correct projectId when the deploy source is the same as the workspace directory #​9001.
  • Proxy settings should be respected, when resolving Git-hosted dependencies #​6530.
  • Prevent overrides from adding invalid version ranges to peerDependencies by keeping the peerDependencies and overriding them with prod dependencies #​8978.
  • Sort the package names in the "pnpm.onlyBuiltDependencies" list saved by pnpm approve-builds.

v10.1.0

Compare Source

Minor Changes
  • Added a new command for printing the list of dependencies with ignored build scripts: pnpm ignored-builds #​8963.
  • Added a new command for approving dependencies for running scripts during installation: pnpm approve-builds #​8963.
  • Added a new setting called optimistic-repeat-install. When enabled, a fast check will be performed before proceeding to installation. This way a repeat install or an install on a project with everything up-to-date becomes a lot faster. But some edge cases might arise, so we keep it disabled by default for now #​8977.
  • Added a new field "pnpm.ignoredBuiltDependencies" for explicitly listing packages that should not be built. When a package is in the list, pnpm will not print an info message about that package not being built #​8935.
Patch Changes
  • Verify that the package name is valid when executing the publish command.
  • When running pnpm install, the preprepare and postprepare scripts of the project should be executed #​8989.
  • Allow workspace: and catalog: to be part of wider version range in peerDependencies.
  • pnpm deploy should inherit the pnpm object from the root package.json #​8991.
  • Make sure that the deletion of a node_modules in a sub-project of a monorepo is detected as out-of-date #​8959.
  • Fix infinite loop caused by lifecycle scripts using pnpm to execute other scripts during pnpm install with verify-deps-before-run=install #​8954.
  • Replace strip-ansi with the built-in util.stripVTControlCharacters #​9009.
  • Do not print patched dependencies as ignored dependencies that require a build #​8952.

v10.0.0

Compare Source

Major Changes
  • Lifecycle scripts of dependencies are not executed during installation by default! This is a breaking change aimed at increasing security. In order to allow lifecycle scripts of specific dependencies, they should be listed in the pnpm.onlyBuiltDependencies field of package.json #​8897. For example:

    {
      "pnpm": {
        "onlyBuiltDependencies": ["fsevents"]
      }
    }
  • pnpm link behavior updated:

    The pnpm link command now adds overrides to the root package.json.

    • In a workspace: The override is added to the root of the workspace, linking the dependency to all projects in the workspace.
    • Global linking: To link a package globally, run pnpm link from the package’s directory. Previously, you needed to use pnpm link -g.
      Related PR: #​8653
  • Secure hashing with SHA256:

    Various hashing algorithms have been updated to SHA256 for enhanced security and consistency:

    • Long paths inside node_modules/.pnpm are now hashed with SHA256.
    • Long peer dependency hashes in the lockfile now use SHA256 instead of MD5. (This affects very few users since these are only used for long keys.)
    • The hash stored in the packageExtensionsChecksum field of pnpm-lock.yaml is now SHA256.
    • The side effects cache keys now use SHA256.
    • The pnpmfile checksum in the lockfile now uses SHA256 (#​8530).
  • Configuration updates:

    • manage-package-manager-versions: enabled by default. pnpm now manages its own version based on the packageManager field in package.json by default.

    • public-hoist-pattern: nothing is hoisted by default. Packages containing eslint or prettier in their name are no longer hoisted to the root of node_modules. Related Issue: #​8378

    • Upgraded @yarnpkg/extensions to v2.0.3. This may alter your lockfile.

    • virtual-store-dir-max-length: the default value on Windows has been reduced to 60 characters.

    • Reduced environment variables for scripts:
      During script execution, fewer npm_package_* environment variables are set. Only name, version, bin, engines, and config remain.
      Related Issue: #​8552

    • All dependencies are now installed even if NODE_ENV=production. Related Issue: #​8827

  • Changes to the global store:

    • Store version bumped to v10.

    • Some registries allow identical content to be published under different package names or versions. To accommodate this, index files in the store are now stored using both the content hash and package identifier.

      This approach ensures that we can:

      1. Validate that the integrity in the lockfile corresponds to the correct package, which might not be the case after a poorly resolved Git conflict.
      2. Allow the same content to be referenced by different packages or different versions of the same package.
        Related PR: #​8510
        Related Issue: #​8204
    • More efficient side effects indexing. The structure of index files in the store has changed. Side effects are now tracked more efficiently by listing only file differences rather than all files.
      Related PR: #​8636

    • A new index directory stores package content mappings. Previously, these files were in files.

  • Other breaking changes:

    • The # character is now escaped in directory names within node_modules/.pnpm.
      Related PR: #​8557
    • Running pnpm add --global pnpm or pnpm add --global @&#8203;pnpm/exe now fails with an error message, directing you to use pnpm self-update instead.
      Related PR: #​8728
    • Dependencies added via a URL now record the final resolved URL in the lockfile, ensuring that any redirects are fully captured.
      Related Issue: #​8833
    • The pnpm deploy command now only works in workspaces that have inject-workspace-packages=true. This limitation is introduced to allow us to create a proper lockfile for the deployed project using the workspace lockfile.
    • Removed conversion from lockfile v6 to v9. If you need v6-to-v9 conversion, use pnpm CLI v9.
    • pnpm test now passes all parameters after the test keyword directly to the underlying script. This matches the behavior of pnpm run test. Previously you needed to use the -- prefix.
      Related PR: #​8619
  • node-gyp updated to version 11.

  • pnpm deploy now tries creating a dedicated lockfile from a shared lockfile for deployment. It will fallback to deployment without a lockfile if there is no shared lockfile or force-legacy-deploy is set to true.

Minor Changes
  • Added support for a new type of dependencies called "configurational dependencies". These dependencies are installed before all the other types of dependencies (before "dependencies", "devDependencies", "optionalDependencies").

    Configurational dependencies cannot have dependencies of their own or lifecycle scripts. They should be added using exact version and the integrity checksum. Example:

    {
      "pnpm": {
        "configDependencies": {
          "my-configs": "1.0.0+sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw=="
        }
      }
    }

    Related RFC: #​8.
    Related PR: #​8915.

  • New settings:

    • New verify-deps-before-run setting. This setting controls how pnpm checks node_modules before running scripts:

      • install: Automatically run pnpm install if node_modules is outdated.
      • warn: Print a warning if node_modules is outdated.
      • prompt: Prompt the user to confirm running pnpm install if node_modules is outdated.
      • error: Throw an error if node_modules is outdated.
      • false: Disable dependency checks.
        Related Issue: #​8585
    • New inject-workspace-packages setting enables hard-linking all local workspace dependencies instead of symlinking them. Previously, this could be achieved using dependenciesMeta[].injected, which remains supported.
      Related PR: #​8836

  • Faster repeat installs:

    On repeated installs, pnpm performs a quick check to ensure node_modules is up to date.
    Related PR: #​8838

  • pnpm add integrates with default workspace catalog:

    When adding a dependency, pnpm add checks the default workspace catalog. If the dependency and version requirement match the catalog, pnpm add uses the catalog: protocol. Without a specified version, it matches the catalog’s version. If it doesn’t match, it falls back to standard behavior.
    Related Issue: #​8640

  • pnpm dlx now resolves packages to their exact versions and uses these exact versions for cache keys. This ensures pnpm dlx always installs the latest requested packages.
    Related PR: #​8811

  • No node_modules validation on certain commands. Commands that should not modify node_modules (e.g., pnpm install --lockfile-only) no longer validate or purge node_modules.
    Related PR: #​8657

v9.15.9: pnpm 9.15.9

Compare Source

Patch Changes

  • Fix running pnpm CLI from pnpm CLI on Windows when the CLI is bundled to an executable #​8971.

Platinum Sponsors

Bit Bit Syntax

Gold Sponsors

Discord

Configuration

📅 Schedule: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined).

🚦 Automerge: Disabled by config. Please merge this manually once you are satisfied.

Rebasing: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox.

🔕 Ignore: Close this PR and you won't be reminded about this update again.


  • If you want to rebase/retry this PR, check this box

This PR was generated by Mend Renovate. View the repository job log.

@miguelvelezsa miguelvelezsa merged commit 54ba13b into googleapis:main Sep 17, 2025
6 checks passed
@renovate-bot renovate-bot deleted the renovate/pnpm-10.x branch September 17, 2025 02:22
GautamSharda added a commit that referenced this pull request Sep 29, 2025
* Initial release

* Update readme

* Add package.json

* Change header weight to 600

* Fix numbered code blocks padding

* Update version

* Remove padding from last line in linenum codeblock

* Fix padding on direct code blocks

* Add methods to nav tree, overflow

* Add overflow to nav

* chore(Readme): Release minami on npm and suggest using npm to manage

* feat(Design): Better sidebar, responsive, css only

* 1.1.0

* chore(Readme): Update screenshot

* chore(Readme): Change Open Sans -> Montserrat (headers), Helvetica Neue (body)

* chore(License): Move under Apache 2 license to fall under JSDoc requirements

* chore(License): Add JSDoc 3 license to third party section

* Adding sticky nave

* Adding sticky nav

* Fix error when items are missing

* Use HTTPS link for webfont

This fixes font loading on HTTPS pages

* update default css && package information, bump version to 1.2.0

* update css

* method title css updates

* add padding to side nav for scrollability on small screens

* Removes RETURNS and TYPE from many doclet templates

* Only show classes and modules in sidebar navigation

* Bump version to 1.2.5

* Add minimal table styling

* Bump version to 1.2.6

* B js doc theme (#2)

* Updated theme and layout. Search feature. Removing Minami theme.

* Updating the readme

* Removing version number from left nav as it is not dynamically updated

* Limiting width of some sections on huge displays

* Adding highlight JS. Moving away from b_mono for code because of box char support

* Adding mixpanel, removing prettyprint library

* Updating the version number to reflect v2.0 release

* Fixing some indentation and consistency issues

* Reducing the number of search results to fit a regular screen

* Add eslint

* Fixing some spelling and using === instead of ==

* Linted the css

* Add travis yaml (#4)

* Stop travis from emailing about jsdoc builds

* Update deprecation styling

* Bump version to 2.0.1

* Add URL link button to JSDoc entries (#6)

* Bump version to 2.0.2

* Add "Forked from" attribution to README

* Make nav title configurable

* Remove includeDate option

* Make search configurable

* Make search configurable

* Clean up indentation

* Remove excess padding on code blocks

* Fix spelling error in README

* Bump version to 3.0.0.

* Fix console error from pagelocation script

* Add anchor tags to examples (#13)

* Increase section max-width to fit one nested table (#12)

* Bump version to 3.1.0

* Hide hidden modules from members section (#14)

* Hide excluded modules from members section

* Add changelog entry

* Update container.tmpl

* Bump version to 3.1.1

* Update container.tmpl (#16)

* LI to show (#17)

* Add 'disableSort' option (#15)

* Added disableSort option

* Documented `disableSort`

* Update container.tmpl

* Update README.md

* Bump version to v3.2.0

* Fix linting errors

* unreleased
-----
- Added support for templates.collapse option. When set to true only the active component\'s members are expanded.
- Added templates.resources option that takes an object where the keys are the labels and the values are links to external resources.
- Minor css bugfixes

* Bump version to v3.3.0

* Update eslint dependency

* Update travis yaml

* Bump lodash from 4.17.11 to 4.17.14 (#20)

Bumps [lodash](https://github.com/lodash/lodash) from 4.17.11 to 4.17.14.
- [Release notes](https://github.com/lodash/lodash/releases)
- [Commits](lodash/lodash@4.17.11...4.17.14)

Signed-off-by: dependabot[bot] <support@github.com>

* feat: make it work for us

* fix: update renovate config and tokens (#2)

* fix: bump the build

* fix: put output in the root docs/ folder

* docs: update the README (#3)

* chore(deps): update dependency semistandard to v14 (#4)

* fix: prevent identically named top-level items in the left nav (#5)

Before this change, if two top-level items had the same `name`, that name appeared twice in the left nav. For example, `v1.Foo` and `v2.Foo` both appeared as `Foo`, and the generated HTML used the `id` attribute `Foo-nav` for both items.

After this change, the left nav shows `v1.Foo` and `v2.Foo` instead, and their `id` attributes are `v1.Foo-nav` and `v2.Foo-nav`, respectively.

* chore: include common synth files (#7)

* chore(deps): update dependency eslint-plugin-node to v11 (#8)

* chore(deps): update dependency prettier to v2 (#10)

* chore(deps): update dependency eslint to v7 (#11)

* fix: function's returns are missing (#13)

* chore: release 1.0.3 (#14)

* created CHANGELOG.md [ci skip]

* updated package.json [ci skip]

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* build: update to common CI (#17)

* build: migrate to secret manager (#18)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/9b55eba7-85ee-48d5-a737-8b677439db4d/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@1c92077

* chore(nodejs_templates): add script logging to node_library populate-secrets.sh (#19)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/e306327b-605f-4c07-9420-c106e40c47d5/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@e703494

* chore: update node issue template (#20)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/37f383f8-7560-459e-b66c-def10ff830cb/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@b10590a

* build: add config .gitattributes (#21)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/2a81bca4-7abd-4108-ac1f-21340f858709/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@dc9caca

* fix: typeo in nodejs .gitattribute (#23)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/cc99acfa-05b8-434b-9500-2f6faf2eaa02/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@799d8e6

* chore: release 1.0.4 (#24)

:robot: I have created a release \*beep\* \*boop\* 
---
### [1.0.4](https://www.github.com/googleapis/jsdoc-fresh/compare/v1.0.3...v1.0.4) (2020-07-09)


### Bug Fixes

* typeo in nodejs .gitattribute ([#23](https://www.github.com/googleapis/jsdoc-fresh/issues/23)) ([80e2df9](https://www.github.com/googleapis/jsdoc-fresh/commit/80e2df993ee5f674a1e9856b306eb23ca75fdbdc))
---


This PR was generated with [Release Please](https://github.com/googleapis/release-please).

* build: missing closing paren in publish script (#26)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/9c6207e5-a7a6-4e44-ab6b-91751e0230b1/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@d82decc

* chore: add dev dependencies for cloud-rad ref docs (#31)

* build: add Node 8 tests

* chore: add config files for cloud-rad, delete template for Node 8 tests (#30)

* chore: delete template for Node 8 tests

Source-Author: F. Hinkelmann <franziska.hinkelmann@gmail.com>
Source-Date: Tue Jul 14 19:56:02 2020 -0400
Source-Repo: googleapis/synthtool
Source-Sha: 388e10f5ae302d3e8de1fac99f3a95d1ab8f824a
Source-Link: googleapis/synthtool@388e10f

* chore: add config files for cloud-rad for node.js

* chore: add config files for cloud-rad for node.js

Generate and upload yaml files for ref docs

* Add gitattributes for json with comments

* chore: extra char

Source-Author: F. Hinkelmann <franziska.hinkelmann@gmail.com>
Source-Date: Thu Jul 16 12:19:00 2020 -0400
Source-Repo: googleapis/synthtool
Source-Sha: 21f1470ecd01424dc91c70f1a7c798e4e87d1eec
Source-Link: googleapis/synthtool@21f1470

Co-authored-by: sofisl <55454395+sofisl@users.noreply.github.com>

* build: correct dev-site config (#32)

* build: --credential-file-override is no longer required (#34)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/4de22315-84b1-493d-8da2-dfa7688128f5/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@94421c4

* chore: update cloud rad kokoro build job (#35)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/b742586e-df31-4aac-8092-78288e9ea8e7/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@bd0deaa

* build: perform publish using Node 12 (#36)

This PR was generated using Autosynth. 🌈



- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@5747555

* chore: start tracking obsolete files (#37)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/7a1b0b96-8ddb-4836-a1a2-d2f73b7e6ffe/targets

- [ ] To automatically regenerate this PR, check this box.

* build: move system and samples test from Node 10 to Node 12 (#38)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/ba2d388f-b3b2-4ad7-a163-0c6b4d86894f/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@05de3e1

* build: track flaky tests for "nightly", add new secrets for tagging (#39)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/96acae41-dfd7-4d71-95d3-12436053b826/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@8cf6d28

* build(test): recursively find test files; fail on unsupported dependency versions (#41)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/57acd272-496f-4414-af01-fc62837d5aa1/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@fdd03c1

* chore: update bucket for cloud-rad (#42)

Co-authored-by: gcf-merge-on-green[bot] <60162190+gcf-merge-on-green[bot]@users.noreply.github.com>

Source-Author: F. Hinkelmann <franziska.hinkelmann@gmail.com>
Source-Date: Wed Sep 30 14:13:57 2020 -0400
Source-Repo: googleapis/synthtool
Source-Sha: 079dcce498117f9570cebe6e6cff254b38ba3860
Source-Link: googleapis/synthtool@079dcce

* build(node_library): migrate to Trampoline V2 (#43)

Source-Author: Takashi Matsuo <tmatsuo@google.com>
Source-Date: Fri Oct 2 12:13:27 2020 -0700
Source-Repo: googleapis/synthtool
Source-Sha: 0c868d49b8e05bc1f299bc773df9eb4ef9ed96e9
Source-Link: googleapis/synthtool@0c868d4

* build: only check --engine-strict for production deps (#44)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/75155c02-9dd0-4bb9-8de5-c6ec245fec71/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@5451633

* chore: clean up Node.js TOC for cloud-rad  (#45)

* chore: clean up Node.js TOC for cloud-rad

Source-Author: F. Hinkelmann <franziska.hinkelmann@gmail.com>
Source-Date: Wed Oct 21 09:26:04 2020 -0400
Source-Repo: googleapis/synthtool
Source-Sha: f96d3b455fe27c3dc7bc37c3c9cd27b1c6d269c8
Source-Link: googleapis/synthtool@f96d3b4

* chore: fix Node.js TOC for cloud-rad

Source-Author: F. Hinkelmann <franziska.hinkelmann@gmail.com>
Source-Date: Wed Oct 21 12:01:24 2020 -0400
Source-Repo: googleapis/synthtool
Source-Sha: 901ddd44e9ef7887ee681b9183bbdea99437fdcc
Source-Link: googleapis/synthtool@901ddd4

* docs: updated code of conduct (includes update to actions) (#49)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/d837e2c5-e7f6-4c9f-a98e-12a1b08a381f/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@89c849b
Source-Link: googleapis/synthtool@a783321
Source-Link: googleapis/synthtool@b7413d3
Source-Link: googleapis/synthtool@5f6ef0e

* fix(docs): fix the sample in README.md (#50)

This should be just `docs:` but we also want to test the release automation. So `fix(docs)`!

* chore: release 1.0.5 (#51)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* build(node): add KOKORO_BUILD_ARTIFACTS_SUBDIR to env (#52)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/4517db23-0bde-4f5c-a0d0-6b663836a90c/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@ba9918c

* chore(deps): update dependency gts to v3 (#53)

* docs: add instructions for authenticating for system tests (#54)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/305b4f12-f9c7-4cda-8a25-0d5dc36b634b/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@363fe30

* refactor(nodejs): move build cop to flakybot (#56)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/6beadd04-5b03-401e-9ccb-223912fefc50/targets

- [ ] To automatically regenerate this PR, check this box.

Source-Link: googleapis/synthtool@57c23fa

* chore: regenerate common templates (#60)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/2ea6930c-6999-4b7b-87b2-ebae50f55cbb/targets

- [ ] To automatically regenerate this PR, check this box. (May take up to 24 hours.)

Source-Link: googleapis/synthtool@c6706ee
Source-Link: googleapis/synthtool@b33b0e2
Source-Link: googleapis/synthtool@898b38a

* build: add generated-files bot config (#61)

Source-Author: Daniel Bankhead <dan@danielbankhead.com>
Source-Date: Tue Apr 27 15:33:07 2021 -0700
Source-Repo: googleapis/synthtool
Source-Sha: 04573fd73f56791c659832aa84d35a4ec860d6f7
Source-Link: googleapis/synthtool@04573fd

* build: remove codecov action (#63)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/80be6106-65d5-4cf6-b3c7-c0b786f2ac32/targets

- [ ] To automatically regenerate this PR, check this box. (May take up to 24 hours.)

Source-Link: googleapis/synthtool@b891fb4

* feat: add `gcf-owl-bot[bot]` to `ignoreAuthors` (#64)

This PR was generated using Autosynth. 🌈

Synth log will be available here:
https://source.cloud.google.com/results/invocations/6d4e6343-f274-491c-b4e9-e2dbd090be29/targets

- [ ] To automatically regenerate this PR, check this box. (May take up to 24 hours.)

Source-Link: googleapis/synthtool@7332178

* chore: migrate to owl bot (#66)

* chore: migrate to owl bot

* chore: copy files from googleapis-gen 397c0bfd367a2427104f988d5329bc117caafd95

* chore: run the post processor

* feat: display deprecation messages better (#68)

* chore: release 1.1.0 (#69)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* chore(nodejs): remove api-extractor dependencies (#74)

* chore: release 1.1.1 (#84)

:robot: I have created a release \*beep\* \*boop\*
---
### [1.1.1](https://www.github.com/googleapis/jsdoc-fresh/compare/v1.1.0...v1.1.1) (2021-08-11)


### Bug Fixes

* **build:** migrate to using main branch ([#83](https://www.github.com/googleapis/jsdoc-fresh/issues/83)) ([9474adb](https://www.github.com/googleapis/jsdoc-fresh/commit/9474adbf0d559d319ff207397ba2be6b557999ac))
---


This PR was generated with [Release Please](https://github.com/googleapis/release-please). See [documentation](https://github.com/googleapis/release-please#release-please).

* chore: relocate owl bot post processor (#88)

* chore: relocate owl bot post processor

* chore: relocate owl bot post processor

* build(node): run linkinator against index.html (#1227) (#90)

Source-Link: googleapis/synthtool@d4236bb
Post-Processor: gcr.io/cloud-devrel-public-resources/owlbot-nodejs:latest@sha256:c0ad7c54b9210f1d10678955bc37b377e538e15cb07ecc3bac93cc7219ec2bc5
Co-authored-by: Owl Bot <gcf-owl-bot[bot]@users.noreply.github.com>
Co-authored-by: bcoe <bencoe@google.com>

* chore(cloud-rad): delete api-extractor config (#91)

* build: add generated samples to .eslintignore (#92)

* build: add srs yaml file (#1419) (#105)

* build: sdd srs yaml file (#1419)

* build: add sync-repo-settings and change branch protection
Source-Link: googleapis/synthtool@ed8079c
Post-Processor: gcr.io/cloud-devrel-public-resources/owlbot-nodejs:latest@sha256:80bfa0c67226453b37b501be7748b2fa2a2676cfeec0012e79e3a1a8f1cbe6a3

* add engines field

* 🦉 Updates from OwlBot post-processor

See https://github.com/googleapis/repo-automation-bots/blob/main/packages/owl-bot/README.md

Co-authored-by: Owl Bot <gcf-owl-bot[bot]@users.noreply.github.com>
Co-authored-by: Sofia Leon <sofialeon@google.com>

* build!: update library to use Node 12 (#108)

* build!: Update library to use Node 12

* chore(main): release 2.0.0 (#109)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* chore(main): release 2.0.1 (#113)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* fix(deps): replace `taffydb` with `@jsdoc/salty` (#117)

`taffydb` has issues. It's unclear what license it uses, and it has an alleged "security vulnerability" that's completely bogus but nonetheless causes `npm audit` to squawk. See https://github.com/jsdoc/jsdoc/blob/main/packages/jsdoc-salty/README.md for details about both issues.

This PR replaces `taffydb` with `@jsdoc/salty`, a drop-in replacement for `taffydb` that's licensed under the Apache License 2.0. It has no known security issues, bogus or otherwise.

To test this PR, I generated docs for JSDoc 4.x using this template:

```
git clone https://github.com/jsdoc/jsdoc
cd jsdoc
git checkout releases/4.0
npm install
node jsdoc.js jsdoc.js lib/jsdoc/* -t ../jsdoc-fresh
```

* chore(main): release 2.0.2 (#118)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* chore!: upgrade to Node 14

* docs: fix node release schedule link

Co-authored-by: Jeffrey Rennie <rennie@google.com>

Source-Link: googleapis/synthtool@1a24315
Post-Processor: gcr.io/cloud-devrel-public-resources/owlbot-nodejs:latest@sha256:e08f9a3757808cdaf7a377e962308c65c4d7eff12db206d4fae702dd50d43430

* chore!:upgrade to Node 14

* 🦉 Updates from OwlBot post-processor

See https://github.com/googleapis/repo-automation-bots/blob/main/packages/owl-bot/README.md

---------

Co-authored-by: Owl Bot <gcf-owl-bot[bot]@users.noreply.github.com>
Co-authored-by: Sofia Leon <sofialeon@google.com>

* chore(main): release 3.0.0 (#127)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* chore(nodejs): Add `system-test/fixtures` to `.eslintignore` (#132)

* fix: Add `system-test/fixtures` to `.eslintignore`

* refactor: Use `**`

Source-Link: googleapis/synthtool@b7858ba
Post-Processor: gcr.io/cloud-devrel-public-resources/owlbot-nodejs:latest@sha256:abc68a9bbf4fa808b25fa16d3b11141059dc757dbc34f024744bba36c200b40f

Co-authored-by: Owl Bot <gcf-owl-bot[bot]@users.noreply.github.com>

* ci: Enable `constraintsFiltering` for Node.js Libraries (#138)

chore: Enable `constraintsFiltering` for Node.js Libraries

Source-Link: https://togithub.com/googleapis/synthtool/commit/dae1282201b64e4da3ad512632cb4dda70a832a1
Post-Processor: gcr.io/cloud-devrel-public-resources/owlbot-nodejs:latest@sha256:d920257482ca1cd72978f29f7d28765a9f8c758c21ee0708234db5cf4c5016c2

* chore: update links in github issue templates (#140)

* chore: update links in github issue templates

* chore: update links in github issue templates

Source-Link: googleapis/synthtool@38fa49f
Post-Processor: gcr.io/cloud-devrel-public-resources/owlbot-nodejs:latest@sha256:609822e3c09b7a1bd90b99655904609f162cc15acb4704f1edf778284c36f429

* Update owlbot.py

* Delete .github/ISSUE_TEMPLATE/bug_report.md

* Update bug_report.yml

* Delete .github/ISSUE_TEMPLATE/feature_request.md

* Update feature_request.yml

* Delete .github/ISSUE_TEMPLATE/question.md

* Delete .github/scripts/close-invalid-link.cjs

* Delete .github/workflows/issues-no-repro.yaml

---------

Co-authored-by: Owl Bot <gcf-owl-bot[bot]@users.noreply.github.com>
Co-authored-by: sofisl <55454395+sofisl@users.noreply.github.com>

* chore(main): release 4.0.0 (#150)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* build: add release-please config, fix owlbot-config

* Update .release-please-manifest.json

* Update release-please-config.json

* chore: mv packages/* dev-packages/

* change copyright to 2025

* chore: fix compile script ci failure

* chore: remove trailing comma

* echo no samples test

* since there's no compile script, there is no build/ dir for system-test

---------

Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: Nijiko Yonskai <nijikokun@gmail.com>
Co-authored-by: dryajov <dryajov@gmail.com>
Co-authored-by: Brian Peiris <brianpeiris@gmail.com>
Co-authored-by: SEAPUNK <ivan@sq10.net>
Co-authored-by: mvaznaian <code@getbraintree.com>
Co-authored-by: Mrak <eric.mrak@getbraintree.com>
Co-authored-by: Evan Hahn <me@evanhahn.com>
Co-authored-by: Craig Wattrus <cwattrus@gmail.com>
Co-authored-by: Blade Barringer <blade@crookedneighbor.com>
Co-authored-by: Lila Conlee <lila.conlee@gmail.com>
Co-authored-by: Brent Fitzgerald <burnto@gmail.com>
Co-authored-by: Tony Mobily <merc@mobily1.com>
Co-authored-by: blade <blade.barringer@getbraintree.com>
Co-authored-by: Daniel Belisle <daniel.belisle@aofl.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Justin Beckwith <justin.beckwith@gmail.com>
Co-authored-by: renovate[bot] <29139614+renovate[bot]@users.noreply.github.com>
Co-authored-by: Jeff Williams <jeffrey.l.williams@gmail.com>
Co-authored-by: Renovate Bot <renovatebot@gmail.com>
Co-authored-by: WhiteSource Renovate <bot@renovateapp.com>
Co-authored-by: Summer Ji <summerji@google.com>
Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>
Co-authored-by: Yoshi Automation Bot <yoshi-automation@google.com>
Co-authored-by: F. Hinkelmann <franziska.hinkelmann@gmail.com>
Co-authored-by: sofisl <55454395+sofisl@users.noreply.github.com>
Co-authored-by: Jeffrey Rennie <rennie@google.com>
Co-authored-by: Alexander Fenster <fenster@google.com>
Co-authored-by: Alice <65933803+alicejli@users.noreply.github.com>
Co-authored-by: gcf-owl-bot[bot] <78513119+gcf-owl-bot[bot]@users.noreply.github.com>
Co-authored-by: Owl Bot <gcf-owl-bot[bot]@users.noreply.github.com>
Co-authored-by: bcoe <bencoe@google.com>
Co-authored-by: Sofia Leon <sofialeon@google.com>
Co-authored-by: Jeff Williams <jefesaurus@google.com>
miguelvelezsa added a commit that referenced this pull request Oct 9, 2025
GautamSharda pushed a commit that referenced this pull request Oct 29, 2025
* Update api_callable

Fixes #10, and related to googleapis/gax-python#104. This respect
the basic redesign of gax-python.

* Fix
GautamSharda pushed a commit that referenced this pull request Oct 29, 2025
* Update api_callable

Fixes #10, and related to googleapis/gax-python#104. This respect
the basic redesign of gax-python.

* Fix
miguelvelezsa pushed a commit that referenced this pull request Nov 6, 2025
GautamSharda added a commit that referenced this pull request Dec 5, 2025
* allo allo

* 1.0.0

* readme: fix example

* add exponential backoff

* dont return stream if not using as once - fixes #2

* 1.1.0

* add note about not using POST

* upgrade forward-stream

* 1.1.1

* update readme

* fancy logo

* expose abort function

* 1.2.0

* use stream-forward with explicit events

* 1.2.1

* Don't forward events to the cache stream

RE:
https://github.com/GoogleCloudPlatform/gcloud-node/issues/996#issuecomment-163139386

Previously, we were forwarding events from a request stream to
a cache stream. When the request is confirmed "good to go", the
cache stream is piped to the user's stream. The thought was the
events would be forwarded, too. It kind of worked, but had some
edge cases.

`streamForward` has always been tricky. It turns out it's not
all that helpful, but more confusing in practice. It's now
removed from use in this library. Instead, we are now forwarding
events manually.

* 1.2.2

* expose abort function from request

* 1.2.3

* force secure version of request

* 1.2.4

* support objectmode - fixes #5

* 1.3.0

* remove stream-cache

* 1.3.1

* downgrade request for node 0.12 compatibility

* set engines in package.json

* 1.3.2

* Don't lock down request dependency

* 2.0.0

* retry on low-level errors

* 2.0.1

* fix abort to only call abort() when possible

Fixes #10

* 2.0.2

* only call end if it is a method

* 2.0.3

* assign once listeners

this assigns once listeners instead of on, so that
response events are only handled once

investigative work behind this change: https://github.com/GoogleCloudPlatform/google-cloud-node/issues/2328#issuecomment-303821776

* removeAllListeners so multiple events don't fire

* only remove relevant listeners

* just once the response and complete

* use first-event

* 2.0.4

* use manual tracking instead of first-event

* 2.0.5

* do not retry on 4xx (except for 429)

* 3.0.0

* Remove .only from test

* Add type definitions

* add types field in package.json

* 3.0.1

* Add option to set number of retries when no response

* updated test

* Add to readme + Test refactor

* 3.1.0

* Forward errors from request stream.

* 3.1.1

* Pass in currentRetryAttempt to override the numAttempts value

* Copy currentRetryAttempt instead of incrementing the user supplied property.

* Change deepEqual to strictEqual

* 3.2.0

* Emit a `response` event on every request.

* Lint

* Lint

* 3.3.0

* Delay first request if currentRetryAttempt > 0

* 3.3.1

* Add Circle

* Set default noResponseRetries.

* 3.3.2

* Remove `request` as a dependency.

* 4.0.0

* Upgrade mocha and resovle vulnerabilities.

* Add debug feature

* remove old nodes

* Update package.json

* Remove node v4 from circleci config.yml

* change to version 3

* Update config.yml

* Delete package-lock.json

* Delete .gitignore

* Update index.js

* Update readme.md

* update dependencies

* 4.1.0

* depend on debug

* 4.1.1

* fix: correctly calculate retry attempt (#33)

* Drop through2 (#34)

* Drop through2

Ref https://github.com/rvagg/through2#do-you-need-this

Node builtin stream.Transform handles same functionality just fine on
node 8+. Two dependencies (also readable-stream) can be dropped.

* Use PassThrough instead

* 4.1.2

* 4.1.3

* feat: support enhanced retry settings (#35)

* 4.2.0

* fix: add new retry options to types (#36)

* 4.2.1

* fix: use extend instead of object.assign (#37)

* 4.2.2

* testing: add the standard ci workflow (#45)

* testing: add the standard ci workflow

* testing: add lint build

* chore: add a Code of Conduct (#42)

chore: add a Code of Conduct

* chore: add CONTRIBUTING.md (#44)

chore: add CONTRIBUTING.md

* chore: add standard .gitignore file (#49)

* chore: include standard lint configs, fix quotes (#50)

* chore: include standard lint configs, fix quotes

* ignore unpublished import/require for sibiling packages

* build: mark lint check required

* chore: enable owlbot (#51)

* chore: create .OwlBot.yaml config

* chore: create owlbot lock file

* chore: create .repo-metadata.json

* chore: add owlbot.py

* 🦉 Updates from OwlBot post-processor

See https://github.com/googleapis/repo-automation-bots/blob/main/packages/owl-bot/README.md

* docs: add jsdoc config

Co-authored-by: Owl Bot <gcf-owl-bot[bot]@users.noreply.github.com>

* build: fix broken link (#57)

* build: add linkinator, ignore broken link

* 🦉 Updates from OwlBot post-processor

See https://github.com/googleapis/repo-automation-bots/blob/main/packages/owl-bot/README.md

Co-authored-by: Owl Bot <gcf-owl-bot[bot]@users.noreply.github.com>

* chore(deps): update dependency mocha to v9 (#55)

[![WhiteSource Renovate](https://app.renovatebot.com/images/banner.svg)](https://renovatebot.com)

This PR contains the following updates:

| Package | Change | Age | Adoption | Passing | Confidence |
|---|---|---|---|---|---|
| [mocha](https://mochajs.org/) ([source](https://togithub.com/mochajs/mocha)) | [`^6.1.4` -> `^9.0.0`](https://renovatebot.com/diffs/npm/mocha/6.2.3/9.2.2) | [![age](https://badges.renovateapi.com/packages/npm/mocha/9.2.2/age-slim)](https://docs.renovatebot.com/merge-confidence/) | [![adoption](https://badges.renovateapi.com/packages/npm/mocha/9.2.2/adoption-slim)](https://docs.renovatebot.com/merge-confidence/) | [![passing](https://badges.renovateapi.com/packages/npm/mocha/9.2.2/compatibility-slim/6.2.3)](https://docs.renovatebot.com/merge-confidence/) | [![confidence](https://badges.renovateapi.com/packages/npm/mocha/9.2.2/confidence-slim/6.2.3)](https://docs.renovatebot.com/merge-confidence/) |

---

### Release Notes

<details>
<summary>mochajs/mocha</summary>

### [`v9.2.2`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;922--2022-03-11)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.2.1...v9.2.2)

#### :bug: Fixes

-   [#&#8203;4842](https://togithub.com/mochajs/mocha/issues/4842): Loading of reporter throws wrong error ([**@&#8203;juergba**](https://togithub.com/juergba))

-   [#&#8203;4839](https://togithub.com/mochajs/mocha/issues/4839): `dry-run`: prevent potential call-stack crash ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :nut_and_bolt: Other

-   [#&#8203;4843](https://togithub.com/mochajs/mocha/issues/4843): Update production dependencies ([**@&#8203;juergba**](https://togithub.com/juergba))

### [`v9.2.1`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;921--2022-02-19)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.2.0...v9.2.1)

#### :bug: Fixes

-   [#&#8203;4832](https://togithub.com/mochajs/mocha/issues/4832): Loading of config files throws wrong error ([**@&#8203;juergba**](https://togithub.com/juergba))

-   [#&#8203;4799](https://togithub.com/mochajs/mocha/issues/4799): Reporter: configurable `maxDiffSize` reporter-option ([**@&#8203;norla**](https://togithub.com/norla))

### [`v9.2.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;920--2022-01-24)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.1.4...v9.2.0)

#### :tada: Enhancements

-   [#&#8203;4813](https://togithub.com/mochajs/mocha/issues/4813): Parallel: assign each worker a worker-id ([**@&#8203;forty**](https://togithub.com/forty))

#### :nut_and_bolt: Other

-   [#&#8203;4818](https://togithub.com/mochajs/mocha/issues/4818): Update production dependencies ([**@&#8203;juergba**](https://togithub.com/juergba))

### [`v9.1.4`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;914--2022-01-14)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.1.3...v9.1.4)

#### :bug: Fixes

-   [#&#8203;4807](https://togithub.com/mochajs/mocha/issues/4807): `import` throws wrong error if loader is used ([**@&#8203;giltayar**](https://togithub.com/giltayar))

#### :nut_and_bolt: Other

-   [#&#8203;4777](https://togithub.com/mochajs/mocha/issues/4777): Add Node v17 to CI test matrix ([**@&#8203;outsideris**](https://togithub.com/outsideris))

### [`v9.1.3`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;913--2021-10-15)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.1.2...v9.1.3)

#### :bug: Fixes

-   [#&#8203;4769](https://togithub.com/mochajs/mocha/issues/4769): Browser: re-enable `bdd` ES6 style import ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :nut_and_bolt: Other

-   [#&#8203;4764](https://togithub.com/mochajs/mocha/issues/4764): Revert deprecation of `EVENT_SUITE_ADD_*` events ([**@&#8203;beatfactor**](https://togithub.com/beatfactor))

### [`v9.1.2`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;912--2021-09-25)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.1.1...v9.1.2)

#### :bug: Fixes

-   [#&#8203;4746](https://togithub.com/mochajs/mocha/issues/4746): Browser: stop using all global vars in `browser-entry.js` ([**@&#8203;PaperStrike**](https://togithub.com/PaperStrike))

#### :nut_and_bolt: Other

-   [#&#8203;4754](https://togithub.com/mochajs/mocha/issues/4754): Remove dependency wide-align ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4736](https://togithub.com/mochajs/mocha/issues/4736): ESM: remove code for Node versions <10 ([**@&#8203;juergba**](https://togithub.com/juergba))

### [`v9.1.1`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;911--2021-08-28)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.1.0...v9.1.1)

#### :bug: Fixes

-   [#&#8203;4623](https://togithub.com/mochajs/mocha/issues/4623): `XUNIT` and `JSON` reporter crash in `parallel` mode ([**@&#8203;curtisman**](https://togithub.com/curtisman))

### [`v9.1.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;910--2021-08-20)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.0.3...v9.1.0)

#### :tada: Enhancements

-   [#&#8203;4716](https://togithub.com/mochajs/mocha/issues/4716): Add new option `--fail-zero` ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4691](https://togithub.com/mochajs/mocha/issues/4691): Add new option `--node-option` ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4607](https://togithub.com/mochajs/mocha/issues/4607): Add output option to `JSON` reporter ([**@&#8203;dorny**](https://togithub.com/dorny))

### [`v9.0.3`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;903--2021-07-25)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.0.2...v9.0.3)

#### :bug: Fixes

-   [#&#8203;4702](https://togithub.com/mochajs/mocha/issues/4702): Error rethrow from cwd-relative path while loading `.mocharc.js` ([**@&#8203;kirill-golovan**](https://togithub.com/kirill-golovan))

-   [#&#8203;4688](https://togithub.com/mochajs/mocha/issues/4688): Usage of custom interface in parallel mode ([**@&#8203;juergba**](https://togithub.com/juergba))

-   [#&#8203;4687](https://togithub.com/mochajs/mocha/issues/4687): ESM: don't swallow `MODULE_NOT_FOUND` errors in case of `type:module` ([**@&#8203;giltayar**](https://togithub.com/giltayar))

### [`v9.0.2`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;902--2021-07-03)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.0.1...v9.0.2)

#### :bug: Fixes

-   [#&#8203;4668](https://togithub.com/mochajs/mocha/issues/4668): ESM: make `--require <dir>` work with new `import`-first loading ([**@&#8203;giltayar**](https://togithub.com/giltayar))

#### :nut_and_bolt: Other

-   [#&#8203;4674](https://togithub.com/mochajs/mocha/issues/4674): Update production dependencies ([**@&#8203;juergba**](https://togithub.com/juergba))

### [`v9.0.1`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;901--2021-06-18)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v9.0.0...v9.0.1)

#### :nut_and_bolt: Other

-   [#&#8203;4657](https://togithub.com/mochajs/mocha/issues/4657): Browser: add separate bundle for modern browsers ([**@&#8203;juergba**](https://togithub.com/juergba))

We added a separate browser bundle `mocha-es2018.js` in javascript ES2018, as we skipped the transpilation down to ES5. This is an **experimental step towards freezing Mocha's support of IE11**.

-   [#&#8203;4653](https://togithub.com/mochajs/mocha/issues/4653): ESM: proper version check in `hasStableEsmImplementation` ([**@&#8203;alexander-fenster**](https://togithub.com/alexander-fenster))

### [`v9.0.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;900--2021-06-07)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.4.0...v9.0.0)

#### :boom: Breaking Changes

-   [#&#8203;4633](https://togithub.com/mochajs/mocha/issues/4633): **Drop Node.js v10.x support** ([**@&#8203;juergba**](https://togithub.com/juergba))

-   [#&#8203;4635](https://togithub.com/mochajs/mocha/issues/4635): `import`-first loading of test files ([**@&#8203;giltayar**](https://togithub.com/giltayar))

**Mocha is going ESM-first!** This means that it will now use ESM `import(test_file)` to load the test files, instead of the CommonJS `require(test_file)`. This is not a problem, as `import` can also load most files that `require` does. In the rare cases where this fails, it will fallback to `require(...)`. This ESM-first approach is the next step in Mocha's ESM migration, and allows ESM loaders to load and transform the test file.

-   [#&#8203;4636](https://togithub.com/mochajs/mocha/issues/4636): Remove deprecated `utils.lookupFiles()` ([**@&#8203;juergba**](https://togithub.com/juergba))

-   [#&#8203;4638](https://togithub.com/mochajs/mocha/issues/4638): Limit the size of `actual`/`expected` for `diff` generation ([**@&#8203;juergba**](https://togithub.com/juergba))

-   [#&#8203;4389](https://togithub.com/mochajs/mocha/issues/4389): Refactoring: Consuming log-symbols alternate to code for win32 in reporters/base ([**@&#8203;MoonSupport**](https://togithub.com/MoonSupport))

#### :tada: Enhancements

-   [#&#8203;4640](https://togithub.com/mochajs/mocha/issues/4640): Add new option `--dry-run` ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :bug: Fixes

-   [#&#8203;4128](https://togithub.com/mochajs/mocha/issues/4128): Fix: control stringification of error message ([**@&#8203;syeutyu**](https://togithub.com/syeutyu))

#### :nut_and_bolt: Other

-   [#&#8203;4646](https://togithub.com/mochajs/mocha/issues/4646): Deprecate `Runner(suite: Suite, delay: boolean)` signature ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4643](https://togithub.com/mochajs/mocha/issues/4643): Update production dependencies ([**@&#8203;juergba**](https://togithub.com/juergba))

### [`v8.4.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;840--2021-05-07)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.3.2...v8.4.0)

#### :tada: Enhancements

-   [#&#8203;4502](https://togithub.com/mochajs/mocha/issues/4502): CLI file parsing errors now have error codes ([**@&#8203;evaline-ju**](https://togithub.com/evaline-ju))

#### :bug: Fixes

-   [#&#8203;4614](https://togithub.com/mochajs/mocha/issues/4614): Watch: fix crash when reloading files ([**@&#8203;outsideris**](https://togithub.com/outsideris))

#### :book: Documentation

-   [#&#8203;4630](https://togithub.com/mochajs/mocha/issues/4630): Add `options.require` to Mocha constructor for `root hook` plugins on parallel runs ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4617](https://togithub.com/mochajs/mocha/issues/4617): Dynamically generating tests with `top-level await` and ESM test files ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4608](https://togithub.com/mochajs/mocha/issues/4608): Update default file extensions ([**@&#8203;outsideris**](https://togithub.com/outsideris))

Also thanks to [**@&#8203;outsideris**](https://togithub.com/outsideris) for various improvements on our GH actions workflows.

### [`v8.3.2`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;832--2021-03-12)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.3.1...v8.3.2)

#### :bug: Fixes

-   [#&#8203;4599](https://togithub.com/mochajs/mocha/issues/4599): Fix regression in `require` interface ([**@&#8203;alexander-fenster**](https://togithub.com/alexander-fenster))

#### :book: Documentation

-   [#&#8203;4601](https://togithub.com/mochajs/mocha/issues/4601): Add build to GH actions run ([**@&#8203;christian-bromann**](https://togithub.com/christian-bromann))
-   [#&#8203;4596](https://togithub.com/mochajs/mocha/issues/4596): Filter active sponsors/backers ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4225](https://togithub.com/mochajs/mocha/issues/4225): Update config file examples ([**@&#8203;pkuczynski**](https://togithub.com/pkuczynski))

### [`v8.3.1`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;831--2021-03-06)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.3.0...v8.3.1)

#### :bug: Fixes

-   [#&#8203;4577](https://togithub.com/mochajs/mocha/issues/4577): Browser: fix `EvalError` caused by regenerator-runtime ([**@&#8203;snoack**](https://togithub.com/snoack))
-   [#&#8203;4574](https://togithub.com/mochajs/mocha/issues/4574): ESM: allow `import` from mocha in parallel mode ([**@&#8203;nicojs**](https://togithub.com/nicojs))

### [`v8.3.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;830--2021-02-11)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.2.1...v8.3.0)

#### :tada: Enhancements

-   [#&#8203;4506](https://togithub.com/mochajs/mocha/issues/4506): Add error code for test timeout errors ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4112](https://togithub.com/mochajs/mocha/issues/4112): Add BigInt support to stringify util function ([**@&#8203;JosejeSinohui**](https://togithub.com/JosejeSinohui))

#### :bug: Fixes

-   [#&#8203;4557](https://togithub.com/mochajs/mocha/issues/4557): Add file location when SyntaxError happens in ESM ([**@&#8203;giltayar**](https://togithub.com/giltayar))
-   [#&#8203;4521](https://togithub.com/mochajs/mocha/issues/4521): Fix `require` error when bundling Mocha with Webpack ([**@&#8203;devhazem**](https://togithub.com/devhazem))

#### :book: Documentation

-   [#&#8203;4507](https://togithub.com/mochajs/mocha/issues/4507): Add support for typescript-style docstrings ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4503](https://togithub.com/mochajs/mocha/issues/4503): Add GH Actions workflow status badge ([**@&#8203;outsideris**](https://togithub.com/outsideris))
-   [#&#8203;4494](https://togithub.com/mochajs/mocha/issues/4494): Add example of generating tests dynamically with a closure ([**@&#8203;maxwellgerber**](https://togithub.com/maxwellgerber))

#### :nut_and_bolt: Other

-   [#&#8203;4556](https://togithub.com/mochajs/mocha/issues/4556): Upgrade all dependencies to latest stable ([**@&#8203;AviVahl**](https://togithub.com/AviVahl))
-   [#&#8203;4543](https://togithub.com/mochajs/mocha/issues/4543): Update dependencies yargs and yargs-parser ([**@&#8203;juergba**](https://togithub.com/juergba))

Also thanks to [**@&#8203;outsideris**](https://togithub.com/outsideris) and [**@&#8203;HyunSangHan**](https://togithub.com/HyunSangHan) for various fixes to our website and documentation.

### [`v8.2.1`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;821--2020-11-02)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.2.0...v8.2.1)

Fixed stuff.

#### :bug: Fixes

-   [#&#8203;4489](https://togithub.com/mochajs/mocha/issues/4489): Fix problematic handling of otherwise-unhandled `Promise` rejections and erroneous "`done()` called twice" errors ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4496](https://togithub.com/mochajs/mocha/issues/4496): Avoid `MaxListenersExceededWarning` in watch mode ([**@&#8203;boneskull**](https://togithub.com/boneskull))

Also thanks to [**@&#8203;akeating**](https://togithub.com/akeating) for a documentation fix!

### [`v8.2.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;820--2020-10-16)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.1.3...v8.2.0)

The major feature added in v8.2.0 is addition of support for [*global fixtures*](https://mochajs.org/#global-fixtures).

While Mocha has always had the ability to run setup and teardown via a hook (e.g., a `before()` at the top level of a test file) when running tests in serial, Mocha v8.0.0 added support for parallel runs. Parallel runs are *incompatible* with this strategy; e.g., a top-level `before()` would only run for the file in which it was defined.

With [global fixtures](https://mochajs.org/#global-fixtures), Mocha can now perform user-defined setup and teardown *regardless* of mode, and these fixtures are guaranteed to run *once and only once*. This holds for parallel mode, serial mode, and even "watch" mode (the teardown will run once you hit Ctrl-C, just before Mocha finally exits). Tasks such as starting and stopping servers are well-suited to global fixtures, but not sharing resources--global fixtures do *not* share context with your test files (but they do share context with each other).

Here's a short example of usage:

```js
// fixtures.js

// can be async or not
exports.mochaGlobalSetup = async function() {
  this.server = await startSomeServer({port: process.env.TEST_PORT});
  console.log(`server running on port ${this.server.port}`);
};

exports.mochaGlobalTeardown = async function() {
  // the context (`this`) is shared, but not with the test files
  await this.server.stop();
  console.log(`server on port ${this.server.port} stopped`);
};

// this file can contain root hook plugins as well!
// exports.mochaHooks = { ... }
```

Fixtures are loaded with `--require`, e.g., `mocha --require fixtures.js`.

For detailed information, please see the [documentation](https://mochajs.org/#global-fixtures) and this handy-dandy [flowchart](https://mochajs.org/#test-fixture-decision-tree-wizard-thing) to help understand the differences between hooks, root hook plugins, and global fixtures (and when you should use each).

#### :tada: Enhancements

-   [#&#8203;4308](https://togithub.com/mochajs/mocha/issues/4308): Support run-once [global setup & teardown fixtures](https://mochajs.org/#global-fixtures) ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4442](https://togithub.com/mochajs/mocha/issues/4442): Multi-part extensions (e.g., `test.js`) now usable with `--extension` option ([**@&#8203;jordanstephens**](https://togithub.com/jordanstephens))
-   [#&#8203;4472](https://togithub.com/mochajs/mocha/issues/4472): Leading dots (e.g., `.js`, `.test.js`) now usable with `--extension` option ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4434](https://togithub.com/mochajs/mocha/issues/4434): Output of `json` reporter now contains `speed` ("fast"/"medium"/"slow") property ([**@&#8203;wwhurin**](https://togithub.com/wwhurin))
-   [#&#8203;4464](https://togithub.com/mochajs/mocha/issues/4464): Errors thrown by serializer in parallel mode now have error codes ([**@&#8203;evaline-ju**](https://togithub.com/evaline-ju))

*For implementors of custom reporters:*

-   [#&#8203;4409](https://togithub.com/mochajs/mocha/issues/4409): Parallel mode and custom reporter improvements ([**@&#8203;boneskull**](https://togithub.com/boneskull)):
    -   Support custom worker-process-only reporters (`Runner.prototype.workerReporter()`); reporters should subclass `ParallelBufferedReporter` in `mocha/lib/nodejs/reporters/parallel-buffered`
    -   Allow opt-in of object reference matching for "sufficiently advanced" custom reporters (`Runner.prototype.linkPartialObjects()`); use if strict object equality is needed when consuming `Runner` event data
    -   Enable detection of parallel mode (`Runner.prototype.isParallelMode()`)

#### :bug: Fixes

-   [#&#8203;4476](https://togithub.com/mochajs/mocha/issues/4476): Workaround for profoundly bizarre issue affecting `npm` v6.x causing some of Mocha's deps to be installed when `mocha` is present in a package's `devDependencies` and `npm install --production` is run the package's working copy ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4465](https://togithub.com/mochajs/mocha/issues/4465): Worker processes guaranteed (as opposed to "very likely") to exit before Mocha does; fixes a problem when using `nyc` with Mocha in parallel mode ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4419](https://togithub.com/mochajs/mocha/issues/4419): Restore `lookupFiles()` in `mocha/lib/utils`, which was broken/missing in Mocha v8.1.0; it now prints a deprecation warning (use `const {lookupFiles} = require('mocha/lib/cli')` instead) ([**@&#8203;boneskull**](https://togithub.com/boneskull))

Thanks to [**@&#8203;AviVahl**](https://togithub.com/AviVahl), [**@&#8203;donghoon-song**](https://togithub.com/donghoon-song), [**@&#8203;ValeriaVG**](https://togithub.com/ValeriaVG), [**@&#8203;znarf**](https://togithub.com/znarf), [**@&#8203;sujin-park**](https://togithub.com/sujin-park), and [**@&#8203;majecty**](https://togithub.com/majecty) for other helpful contributions!

### [`v8.1.3`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;813--2020-08-28)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.1.2...v8.1.3)

#### :bug: Fixes

-   [#&#8203;4425](https://togithub.com/mochajs/mocha/issues/4425): Restore `Mocha.utils.lookupFiles()` and Webpack compatibility (both broken since v8.1.0); `Mocha.utils.lookupFiles()` is now **deprecated** and will be removed in the next major revision of Mocha; use `require('mocha/lib/cli').lookupFiles` instead ([**@&#8203;boneskull**](https://togithub.com/boneskull))

### [`v8.1.2`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;812--2020-08-25)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.1.1...v8.1.2)

#### :bug: Fixes

-   [#&#8203;4418](https://togithub.com/mochajs/mocha/issues/4418): Fix command-line flag incompatibility in forthcoming Node.js v14.9.0 ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4401](https://togithub.com/mochajs/mocha/issues/4401): Fix missing global variable in browser ([**@&#8203;irrationnelle**](https://togithub.com/irrationnelle))

#### :lock: Security Fixes

-   [#&#8203;4396](https://togithub.com/mochajs/mocha/issues/4396): Update many dependencies ([**@&#8203;GChuf**](https://togithub.com/GChuf))

#### :book: Documentation

-   Various fixes by [**@&#8203;sujin-park**](https://togithub.com/sujin-park), [**@&#8203;wwhurin**](https://togithub.com/wwhurin) & [**@&#8203;Donghoon759**](https://togithub.com/Donghoon759)

### [`v8.1.1`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;811--2020-08-04)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.1.0...v8.1.1)

#### :bug: Fixes

-   [#&#8203;4394](https://togithub.com/mochajs/mocha/issues/4394): Fix regression wherein certain reporters did not correctly detect terminal width ([**@&#8203;boneskull**](https://togithub.com/boneskull))

### [`v8.1.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;810--2020-07-30)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.0.1...v8.1.0)

In this release, Mocha now builds its browser bundle with Rollup and Babel, which will provide the project's codebase more flexibility and consistency.

While we've been diligent about backwards compatibility, it's *possible* consumers of the browser bundle will encounter differences (other than an increase in the bundle size). If you *do* encounter an issue with the build, please [report it here](https://togithub.com/mochajs/mocha/issues/new?labels=unconfirmed-bug\&template=bug_report.md\&title=).

This release **does not** drop support for IE11.

Other community contributions came from [**@&#8203;Devjeel**](https://togithub.com/Devjeel), [**@&#8203;Harsha509**](https://togithub.com/Harsha509) and [**@&#8203;sharath2106**](https://togithub.com/sharath2106). *Thank you* to everyone who contributed to this release!

> Do you read Korean? See [this guide to running parallel tests in Mocha](https://blog.outsider.ne.kr/1489), translated by our maintainer, [**@&#8203;outsideris**](https://togithub.com/outsideris).

#### :tada: Enhancements

-   [#&#8203;4287](https://togithub.com/mochajs/mocha/issues/4287): Use background colors with inline diffs for better visual distinction ([**@&#8203;michael-brade**](https://togithub.com/michael-brade))

#### :bug: Fixes

-   [#&#8203;4328](https://togithub.com/mochajs/mocha/issues/4328): Fix "watch" mode when Mocha run in parallel ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4382](https://togithub.com/mochajs/mocha/issues/4382): Fix root hook execution in "watch" mode ([**@&#8203;indieisaconcept**](https://togithub.com/indieisaconcept))
-   [#&#8203;4383](https://togithub.com/mochajs/mocha/issues/4383): Consistent auto-generated hook titles ([**@&#8203;cspotcode**](https://togithub.com/cspotcode))
-   [#&#8203;4359](https://togithub.com/mochajs/mocha/issues/4359): Better errors when running `mocha init` ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4341](https://togithub.com/mochajs/mocha/issues/4341): Fix weirdness when using `delay` option in browser ([**@&#8203;craigtaub**](https://togithub.com/craigtaub))

#### :lock: Security Fixes

-   [#&#8203;4378](https://togithub.com/mochajs/mocha/issues/4378), [#&#8203;4333](https://togithub.com/mochajs/mocha/issues/4333): Update [javascript-serialize](https://npm.im/javascript-serialize) ([**@&#8203;martinoppitz**](https://togithub.com/martinoppitz), [**@&#8203;wnghdcjfe**](https://togithub.com/wnghdcjfe))
-   [#&#8203;4354](https://togithub.com/mochajs/mocha/issues/4354): Update [yargs-unparser](https://npm.im/yargs-unparser) ([**@&#8203;martinoppitz**](https://togithub.com/martinoppitz))

#### :book: Documentation & Website

-   [#&#8203;4173](https://togithub.com/mochajs/mocha/issues/4173): Document how to use `--enable-source-maps` with Mocha ([**@&#8203;bcoe**](https://togithub.com/bcoe))
-   [#&#8203;4343](https://togithub.com/mochajs/mocha/issues/4343): Clean up some API docs ([**@&#8203;craigtaub**](https://togithub.com/craigtaub))
-   [#&#8203;4318](https://togithub.com/mochajs/mocha/issues/4318): Sponsor images are now self-hosted ([**@&#8203;Munter**](https://togithub.com/Munter))

#### :nut_and_bolt: Other

-   [#&#8203;4293](https://togithub.com/mochajs/mocha/issues/4293): Use Rollup and Babel in build pipeline; add source map to published files ([**@&#8203;Munter**](https://togithub.com/Munter))

### [`v8.0.1`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;801--2020-06-10)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v8.0.0...v8.0.1)

The obligatory patch after a major.

#### :bug: Fixes

-   [#&#8203;4328](https://togithub.com/mochajs/mocha/issues/4328): Fix `--parallel` when combined with `--watch` ([**@&#8203;boneskull**](https://togithub.com/boneskull))

### [`v8.0.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;800--2020-06-10)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v7.2.0...v8.0.0)

In this major release, Mocha adds the ability to *run tests in parallel*. Better late than never! Please note the **breaking changes** detailed below.

Let's welcome [**@&#8203;giltayar**](https://togithub.com/giltayar) and [**@&#8203;nicojs**](https://togithub.com/nicojs) to the maintenance team!

#### :boom: Breaking Changes

-   [#&#8203;4164](https://togithub.com/mochajs/mocha/issues/4164): **Mocha v8.0.0 now requires Node.js v10.12.0 or newer.** Mocha no longer supports the Node.js v8.x line ("Carbon"), which entered End-of-Life at the end of 2019 ([**@&#8203;UlisesGascon**](https://togithub.com/UlisesGascon))

-   [#&#8203;4175](https://togithub.com/mochajs/mocha/issues/4175): Having been deprecated with a warning since v7.0.0, **`mocha.opts` is no longer supported** ([**@&#8203;juergba**](https://togithub.com/juergba))

    :sparkles: **WORKAROUND:** Replace `mocha.opts` with a [configuration file](https://mochajs.org/#configuring-mocha-nodejs).

-   [#&#8203;4260](https://togithub.com/mochajs/mocha/issues/4260): Remove `enableTimeout()` (`this.enableTimeout()`) from the context object ([**@&#8203;craigtaub**](https://togithub.com/craigtaub))

    :sparkles: **WORKAROUND:** Replace usage of `this.enableTimeout(false)` in your tests with `this.timeout(0)`.

-   [#&#8203;4315](https://togithub.com/mochajs/mocha/issues/4315): The `spec` option no longer supports a comma-delimited list of files ([**@&#8203;juergba**](https://togithub.com/juergba))

    :sparkles: **WORKAROUND**: Use an array instead (e.g., `"spec": "foo.js,bar.js"` becomes `"spec": ["foo.js", "bar.js"]`).

-   [#&#8203;4309](https://togithub.com/mochajs/mocha/issues/4309): Drop support for Node.js v13.x line, which is now End-of-Life ([**@&#8203;juergba**](https://togithub.com/juergba))

-   [#&#8203;4282](https://togithub.com/mochajs/mocha/issues/4282): `--forbid-only` will throw an error even if exclusive tests are avoided via `--grep` or other means ([**@&#8203;arvidOtt**](https://togithub.com/arvidOtt))

-   [#&#8203;4223](https://togithub.com/mochajs/mocha/issues/4223): The context object's `skip()` (`this.skip()`) in a "before all" (`before()`) hook will no longer execute subsequent sibling hooks, in addition to hooks in child suites ([**@&#8203;juergba**](https://togithub.com/juergba))

-   [#&#8203;4178](https://togithub.com/mochajs/mocha/issues/4178): Remove previously soft-deprecated APIs ([**@&#8203;wnghdcjfe**](https://togithub.com/wnghdcjfe)):

    -   `Mocha.prototype.ignoreLeaks()`
    -   `Mocha.prototype.useColors()`
    -   `Mocha.prototype.useInlineDiffs()`
    -   `Mocha.prototype.hideDiff()`

#### :tada: Enhancements

-   [#&#8203;4245](https://togithub.com/mochajs/mocha/issues/4245): Add ability to run tests in parallel for Node.js (see [docs](https://mochajs.org/#parallel-tests)) ([**@&#8203;boneskull**](https://togithub.com/boneskull))

    :exclamation: See also [#&#8203;4244](https://togithub.com/mochajs/mocha/issues/4244); [Root Hook Plugins (docs)](https://mochajs.org/#root-hook-plugins) -- *root hooks must be defined via Root Hook Plugins to work in parallel mode*

-   [#&#8203;4304](https://togithub.com/mochajs/mocha/issues/4304): `--require` now works with ES modules ([**@&#8203;JacobLey**](https://togithub.com/JacobLey))

-   [#&#8203;4299](https://togithub.com/mochajs/mocha/issues/4299): In some circumstances, Mocha can run ES modules under Node.js v10 -- *use at your own risk!* ([**@&#8203;giltayar**](https://togithub.com/giltayar))

#### :book: Documentation

-   [#&#8203;4246](https://togithub.com/mochajs/mocha/issues/4246): Add documentation for parallel mode and Root Hook plugins ([**@&#8203;boneskull**](https://togithub.com/boneskull))

#### :nut_and_bolt: Other

-   [#&#8203;4200](https://togithub.com/mochajs/mocha/issues/4200): Drop mkdirp and replace it with fs.mkdirSync ([**@&#8203;HyunSangHan**](https://togithub.com/HyunSangHan))

#### :bug: Fixes

(All bug fixes in Mocha v8.0.0 are also breaking changes, and are listed above)

### [`v7.2.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;720--2020-05-22)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v7.1.2...v7.2.0)

#### :tada: Enhancements

-   [#&#8203;4234](https://togithub.com/mochajs/mocha/issues/4234): Add ability to run tests in a mocha instance multiple times ([**@&#8203;nicojs**](https://togithub.com/nicojs))
-   [#&#8203;4219](https://togithub.com/mochajs/mocha/issues/4219): Exposing filename in JSON, doc, and json-stream reporters ([**@&#8203;Daniel0113**](https://togithub.com/Daniel0113))
-   [#&#8203;4244](https://togithub.com/mochajs/mocha/issues/4244): Add Root Hook Plugins ([**@&#8203;boneskull**](https://togithub.com/boneskull))

#### :bug: Fixes

-   [#&#8203;4258](https://togithub.com/mochajs/mocha/issues/4258): Fix missing dot in name of configuration file ([**@&#8203;sonicdoe**](https://togithub.com/sonicdoe))
-   [#&#8203;4194](https://togithub.com/mochajs/mocha/issues/4194): Check if module.paths really exists ([**@&#8203;ematipico**](https://togithub.com/ematipico))
-   [#&#8203;4256](https://togithub.com/mochajs/mocha/issues/4256): `--forbid-only` does not recognize `it.only` when `before` crashes ([**@&#8203;arvidOtt**](https://togithub.com/arvidOtt))
-   [#&#8203;4152](https://togithub.com/mochajs/mocha/issues/4152): Bug with multiple async done() calls ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4275](https://togithub.com/mochajs/mocha/issues/4275): Improper warnings for invalid reporters ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4288](https://togithub.com/mochajs/mocha/issues/4288): Broken hook.spec.js test for IE11 ([**@&#8203;boneskull**](https://togithub.com/boneskull))

#### :book: Documentation

-   [#&#8203;4081](https://togithub.com/mochajs/mocha/issues/4081): Insufficient white space for API docs in view on mobile ([**@&#8203;HyunSangHan**](https://togithub.com/HyunSangHan))
-   [#&#8203;4255](https://togithub.com/mochajs/mocha/issues/4255): Update mocha-docdash for UI fixes on API docs ([**@&#8203;craigtaub**](https://togithub.com/craigtaub))
-   [#&#8203;4235](https://togithub.com/mochajs/mocha/issues/4235): Enable emoji on website; enable normal ul elements ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4272](https://togithub.com/mochajs/mocha/issues/4272): Fetch sponsors at build time, show ALL non-skeevy sponsors ([**@&#8203;boneskull**](https://togithub.com/boneskull))

#### :nut_and_bolt: Other

-   [#&#8203;4249](https://togithub.com/mochajs/mocha/issues/4249): Refactoring improving encapsulation ([**@&#8203;arvidOtt**](https://togithub.com/arvidOtt))
-   [#&#8203;4242](https://togithub.com/mochajs/mocha/issues/4242): CI add job names, add Node.js v14 to matrix ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4237](https://togithub.com/mochajs/mocha/issues/4237): Refactor validatePlugins to throw coded errors ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4236](https://togithub.com/mochajs/mocha/issues/4236): Better debug output ([**@&#8203;boneskull**](https://togithub.com/boneskull))

### [`v7.1.2`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;712--2020-04-26)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v7.1.1...v7.1.2)

#### :nut_and_bolt: Other

-   [#&#8203;4251](https://togithub.com/mochajs/mocha/issues/4251): Prevent karma-mocha from stalling ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4222](https://togithub.com/mochajs/mocha/issues/4222): Update dependency mkdirp to v0.5.5 ([**@&#8203;outsideris**](https://togithub.com/outsideris))

#### :book: Documentation

-   [#&#8203;4208](https://togithub.com/mochajs/mocha/issues/4208): Add Wallaby logo to site ([**@&#8203;boneskull**](https://togithub.com/boneskull))

### [`v7.1.1`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;711--2020-03-18)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v7.1.0...v7.1.1)

#### :lock: Security Fixes

-   [#&#8203;4204](https://togithub.com/mochajs/mocha/issues/4204): Update dependencies mkdirp, yargs-parser and yargs ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :bug: Fixes

-   [#&#8203;3660](https://togithub.com/mochajs/mocha/issues/3660): Fix `runner` listening to `start` and `end` events ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :book: Documentation

-   [#&#8203;4190](https://togithub.com/mochajs/mocha/issues/4190): Show Netlify badge on footer ([**@&#8203;outsideris**](https://togithub.com/outsideris))

### [`v7.1.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;710--2020-02-26)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v7.0.1...v7.1.0)

#### :tada: Enhancements

[#&#8203;4038](https://togithub.com/mochajs/mocha/issues/4038): Add Node.js native ESM support ([**@&#8203;giltayar**](https://togithub.com/giltayar))

Mocha supports writing your test files as ES modules:

-   Node.js only v12.11.0 and above
-   Node.js below v13.2.0, you must set `--experimental-modules` option
-   current limitations: please check our [documentation](https://mochajs.org/#nodejs-native-esm-support)
-   for programmatic usage: see [API: loadFilesAsync()](https://mochajs.org/api/mocha#loadFilesAsync)

**Note:** Node.JS native [ECMAScript Modules](https://nodejs.org/api/esm.html) implementation has status: **Stability: 1 - Experimental**

#### :bug: Fixes

-   [#&#8203;4181](https://togithub.com/mochajs/mocha/issues/4181): Programmatic API cannot access retried test objects ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4174](https://togithub.com/mochajs/mocha/issues/4174): Browser: fix `allowUncaught` option ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :book: Documentation

-   [#&#8203;4058](https://togithub.com/mochajs/mocha/issues/4058): Manage author list in AUTHORS instead of `package.json` ([**@&#8203;outsideris**](https://togithub.com/outsideris))

#### :nut_and_bolt: Other

-   [#&#8203;4138](https://togithub.com/mochajs/mocha/issues/4138): Upgrade ESLint v6.8 ([**@&#8203;kaicataldo**](https://togithub.com/kaicataldo))

### [`v7.0.1`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;701--2020-01-25)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v7.0.0...v7.0.1)

#### :bug: Fixes

-   [#&#8203;4165](https://togithub.com/mochajs/mocha/issues/4165): Fix exception when skipping tests programmatically ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4153](https://togithub.com/mochajs/mocha/issues/4153): Restore backwards compatibility for `reporterOptions` ([**@&#8203;holm**](https://togithub.com/holm))
-   [#&#8203;4150](https://togithub.com/mochajs/mocha/issues/4150): Fix recovery of an open test upon uncaught exception ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4147](https://togithub.com/mochajs/mocha/issues/4147): Fix regression of leaking uncaught exception handler ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :book: Documentation

-   [#&#8203;4146](https://togithub.com/mochajs/mocha/issues/4146): Update copyright & trademark notices per OJSF ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4140](https://togithub.com/mochajs/mocha/issues/4140): Fix broken links ([**@&#8203;KyoungWan**](https://togithub.com/KyoungWan))

#### :nut_and_bolt: Other

-   [#&#8203;4133](https://togithub.com/mochajs/mocha/issues/4133): Print more descriptive error message ([**@&#8203;Zirak**](https://togithub.com/Zirak))

### [`v7.0.0`](https://togithub.com/mochajs/mocha/blob/HEAD/CHANGELOG.md#&#8203;700--2020-01-05)

[Compare Source](https://togithub.com/mochajs/mocha/compare/v6.2.3...v7.0.0)

#### :boom: Breaking Changes

-   [#&#8203;3885](https://togithub.com/mochajs/mocha/issues/3885): **Drop Node.js v6.x support** ([**@&#8203;mojosoeun**](https://togithub.com/mojosoeun))
-   [#&#8203;3890](https://togithub.com/mochajs/mocha/issues/3890): Remove Node.js debug-related flags `--debug`/`--debug-brk` and deprecate `debug` argument ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;3962](https://togithub.com/mochajs/mocha/issues/3962): Changes to command-line options ([**@&#8203;ParkSB**](https://togithub.com/ParkSB)):
    -   `--list-interfaces` replaces `--interfaces`
    -   `--list-reporters` replaces `--reporters`
-   Hook pattern of `this.skip()` ([**@&#8203;juergba**](https://togithub.com/juergba)):
    -   [#&#8203;3859](https://togithub.com/mochajs/mocha/issues/3859): When conditionally skipping in a `it` test, related `afterEach` hooks are now executed
    -   [#&#8203;3741](https://togithub.com/mochajs/mocha/issues/3741): When conditionally skipping in a `beforeEach` hook, subsequent inner `beforeEach` hooks are now skipped and related `afterEach` hooks are executed
    -   [#&#8203;4136](https://togithub.com/mochajs/mocha/issues/4136): Disallow `this.skip()` within `after` hooks
-   [#&#8203;3967](https://togithub.com/mochajs/mocha/issues/3967): Remove deprecated `getOptions()` and `lib/cli/options.js` ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4083](https://togithub.com/mochajs/mocha/issues/4083): Uncaught exception in `pending` test: don't swallow, but retrospectively fail the test for correct exit code ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4004](https://togithub.com/mochajs/mocha/issues/4004): Align `Mocha` constructor's option names with command-line options ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :tada: Enhancements

-   [#&#8203;3980](https://togithub.com/mochajs/mocha/issues/3980): Refactor and improve `--watch` mode with chokidar ([**@&#8203;geigerzaehler**](https://togithub.com/geigerzaehler)):
    -   adds command-line options `--watch-files` and `--watch-ignore`
    -   removes `--watch-extensions`
-   [#&#8203;3979](https://togithub.com/mochajs/mocha/issues/3979): Type "rs\n" to restart tests ([**@&#8203;broofa**](https://togithub.com/broofa))

#### :fax: Deprecations

These are *soft*-deprecated, and will emit a warning upon use. Support will be removed in (likely) the next major version of Mocha:

-   [#&#8203;3968](https://togithub.com/mochajs/mocha/issues/3968): Deprecate legacy configuration via `mocha.opts` ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :bug: Fixes

-   [#&#8203;4125](https://togithub.com/mochajs/mocha/issues/4125): Fix timeout handling with `--inspect-brk`/`--inspect` ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4070](https://togithub.com/mochajs/mocha/issues/4070): `Mocha` constructor: improve browser setup ([**@&#8203;juergba**](https://togithub.com/juergba))
-   [#&#8203;4068](https://togithub.com/mochajs/mocha/issues/4068): XUnit reporter should handle exceptions during diff generation ([**@&#8203;rgroothuijsen**](https://togithub.com/rgroothuijsen))
-   [#&#8203;4030](https://togithub.com/mochajs/mocha/issues/4030): Fix `--allow-uncaught` with `this.skip()` ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :mag: Coverage

-   [#&#8203;4109](https://togithub.com/mochajs/mocha/issues/4109): Add Node.js v13.x to CI test matrix ([**@&#8203;juergba**](https://togithub.com/juergba))

#### :book: Documentation

-   [#&#8203;4129](https://togithub.com/mochajs/mocha/issues/4129): Fix broken links ([**@&#8203;SaeromB**](https://togithub.com/SaeromB))
-   [#&#8203;4127](https://togithub.com/mochajs/mocha/issues/4127): Add reporter alias names to docs ([**@&#8203;khg0712**](https://togithub.com/khg0712))
-   [#&#8203;4101](https://togithub.com/mochajs/mocha/issues/4101): Clarify invalid usage of `done()` ([**@&#8203;jgehrcke**](https://togithub.com/jgehrcke))
-   [#&#8203;4092](https://togithub.com/mochajs/mocha/issues/4092): Replace `:coffee:` with emoji ☕️ ([**@&#8203;pzrq**](https://togithub.com/pzrq))
-   [#&#8203;4088](https://togithub.com/mochajs/mocha/issues/4088): Initial draft of project charter ([**@&#8203;boneskull**](https://togithub.com/boneskull))
-   [#&#8203;4066](https://togithub.com/mochajs/mocha/issues/4066): Change `sh` to `bash` for code block in docs/index.md ([**@&#8203;HyunSangHan**](https://togithub.com/HyunSangHan))
-   [#&#8203;4045](https://togithub.com/mochajs/mocha/issues/4045): Update README.md concerning GraphicsMagick installation ([**@&#8203;HyunSangHan**](https://togithub.com/HyunSangHan))
-   [#&#8203;3988](https://togithub.com/mochajs/mocha/issues/3988): Fix sponsors background color for readability ([**@&#8203;outsideris**](https://togithub.com/outsideris))

#### :nut_and_bolt: Other

-   [#&#8203;4118](https://togithub.com/mochajs/mocha/issues/4118): Update node-environment-flags to 1.0.6 ([**@&#8203;kylef**](https://togithub.com/kylef))
-   [#&#8203;4097](https://togithub.com/mochajs/mocha/issues/4097): Add GH Funding Metadata ([**@&#8203;SheetJSDev**](https://togithub.com/SheetJSDev))
-   [#&#8203;4089](https://togithub.com/mochajs/mocha/issues/4089): Add funding information to `package.json` ([**@&#8203;Munter**](https://togithub.com/Munter))
-   [#&#8203;4077](https://togithub.com/mochajs/mocha/issues/4077): Improve integration tests ([**@&#8203;soobing**](https://togithub.com/soobing))

</details>

---

### Configuration

📅 **Schedule**: "after 9am and before 3pm" (UTC).

🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied.

♻ **Rebasing**: Whenever PR is behind base branch, or you tick the rebase/retry checkbox.

🔕 **Ignore**: Close this PR and you won't be reminded about this update again.

---

 - [ ] <!-- rebase-check -->If you want to rebase/retry this PR, click this checkbox.

---

This PR has been generated by [WhiteSource Renovate](https://renovate.whitesourcesoftware.com). View repository job log [here](https://app.renovatebot.com/dashboard#github/googleapis/retry-request).

* chore(main): release 4.2.0 (#52)

:robot: I have created a release *beep* *boop*
---


## [4.2.0](https://github.com/googleapis/retry-request/compare/v4.1.0...v4.2.0) (2022-04-06)


### Features

* support enhanced retry settings ([#35](https://github.com/googleapis/retry-request/issues/35)) ([0184676](https://github.com/googleapis/retry-request/commit/0184676dee36596fb939fb4559af11d0a14f64bd))


### Bug Fixes

* add new retry options to types ([#36](https://github.com/googleapis/retry-request/issues/36)) ([3f10798](https://github.com/googleapis/retry-request/commit/3f10798f47c03b50f1ba352b04d09ea3d0458b9c))
* correctly calculate retry attempt ([#33](https://github.com/googleapis/retry-request/issues/33)) ([4c852e2](https://github.com/googleapis/retry-request/commit/4c852e2ba22a7f75edfb3c905bd37a7e9913e67d))
* use extend instead of object.assign ([#37](https://github.com/googleapis/retry-request/issues/37)) ([8c8dcdd](https://github.com/googleapis/retry-request/commit/8c8dcdd7d6262ce305c93fa4a8a7b2630e984824))

---
This PR was generated with [Release Please](https://github.com/googleapis/release-please). See [documentation](https://github.com/googleapis/release-please#release-please).

* chore(deps): update dependency linkinator to v3 (#59)

* chore(main): release 4.2.1 (#62)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* build!: drop node 10 (#68)

* build!: drop node 10

* add noop system test

* update mocha to ^9.2.2

* chore(main): release 5.0.0 (#70)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* fix: respect totalTimeout and do not retry if nextRetryDelay is <= 0 (#38)

* fix: respect totalTimeout and do not retry if nextRetryDelay is <= 0

* linter fix

* chore(deps): update dependency jsdoc-region-tag to v2 (#76)

[![Mend Renovate](https://app.renovatebot.com/images/banner.svg)](https://renovatebot.com)

This PR contains the following updates:

| Package | Change | Age | Adoption | Passing | Confidence |
|---|---|---|---|---|---|
| [jsdoc-region-tag](https://togithub.com/googleapis/jsdoc-region-tag) | [`^1.0.4` -> `^2.0.0`](https://renovatebot.com/diffs/npm/jsdoc-region-tag/1.3.1/2.0.0) | [![age](https://badges.renovateapi.com/packages/npm/jsdoc-region-tag/2.0.0/age-slim)](https://docs.renovatebot.com/merge-confidence/) | [![adoption](https://badges.renovateapi.com/packages/npm/jsdoc-region-tag/2.0.0/adoption-slim)](https://docs.renovatebot.com/merge-confidence/) | [![passing](https://badges.renovateapi.com/packages/npm/jsdoc-region-tag/2.0.0/compatibility-slim/1.3.1)](https://docs.renovatebot.com/merge-confidence/) | [![confidence](https://badges.renovateapi.com/packages/npm/jsdoc-region-tag/2.0.0/confidence-slim/1.3.1)](https://docs.renovatebot.com/merge-confidence/) |

---

### Release Notes

<details>
<summary>googleapis/jsdoc-region-tag</summary>

### [`v2.0.0`](https://togithub.com/googleapis/jsdoc-region-tag/blob/HEAD/CHANGELOG.md#&#8203;200-httpsgithubcomgoogleapisjsdoc-region-tagcomparev131v200-2022-05-20)

[Compare Source](https://togithub.com/googleapis/jsdoc-region-tag/compare/v1.3.1...v2.0.0)

##### ⚠ BREAKING CHANGES

-   update library to use Node 12 ([#&#8203;107](https://togithub.com/googleapis/jsdoc-region-tag/issues/107))

##### Build System

-   update library to use Node 12 ([#&#8203;107](https://togithub.com/googleapis/jsdoc-region-tag/issues/107)) ([5b51796](https://togithub.com/googleapis/jsdoc-region-tag/commit/5b51796771984cf8b978990025f14faa03c19923))

##### [1.3.1](https://www.github.com/googleapis/jsdoc-region-tag/compare/v1.3.0...v1.3.1) (2021-08-11)

##### Bug Fixes

-   **build:** migrate to using main branch ([#&#8203;79](https://www.togithub.com/googleapis/jsdoc-region-tag/issues/79)) ([5050615](https://www.github.com/googleapis/jsdoc-region-tag/commit/50506150b7758592df5e389c6a5c3d82b3b20881))

</details>

---

### Configuration

📅 **Schedule**: Branch creation - "after 9am and before 3pm" (UTC), Automerge - At any time (no schedule defined).

🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied.

♻ **Rebasing**: Whenever PR is behind base branch, or you tick the rebase/retry checkbox.

🔕 **Ignore**: Close this PR and you won't be reminded about this update again.

---

 - [ ] <!-- rebase-check -->If you want to rebase/retry this PR, click this checkbox.

---

This PR has been generated by [Mend Renovate](https://www.mend.io/free-developer-tools/renovate/). View repository job log [here](https://app.renovatebot.com/dashboard#github/googleapis/retry-request).

* chore(deps): update dependency jsdoc-fresh to v2 (#75)

[![Mend Renovate](https://app.renovatebot.com/images/banner.svg)](https://renovatebot.com)

This PR contains the following updates:

| Package | Change | Age | Adoption | Passing | Confidence |
|---|---|---|---|---|---|
| [jsdoc-fresh](https://togithub.com/googleapis/jsdoc-fresh) | [`^1.0.2` -> `^2.0.0`](https://renovatebot.com/diffs/npm/jsdoc-fresh/1.1.1/2.0.0) | [![age](https://badges.renovateapi.com/packages/npm/jsdoc-fresh/2.0.0/age-slim)](https://docs.renovatebot.com/merge-confidence/) | [![adoption](https://badges.renovateapi.com/packages/npm/jsdoc-fresh/2.0.0/adoption-slim)](https://docs.renovatebot.com/merge-confidence/) | [![passing](https://badges.renovateapi.com/packages/npm/jsdoc-fresh/2.0.0/compatibility-slim/1.1.1)](https://docs.renovatebot.com/merge-confidence/) | [![confidence](https://badges.renovateapi.com/packages/npm/jsdoc-fresh/2.0.0/confidence-slim/1.1.1)](https://docs.renovatebot.com/merge-confidence/) |

---

### Release Notes

<details>
<summary>googleapis/jsdoc-fresh</summary>

### [`v2.0.0`](https://togithub.com/googleapis/jsdoc-fresh/blob/HEAD/CHANGELOG.md#&#8203;200-httpsgithubcomgoogleapisjsdoc-freshcomparev111v200-2022-05-18)

[Compare Source](https://togithub.com/googleapis/jsdoc-fresh/compare/v1.1.1...v2.0.0)

##### ⚠ BREAKING CHANGES

-   update library to use Node 12 ([#&#8203;108](https://togithub.com/googleapis/jsdoc-fresh/issues/108))

##### Build System

-   update library to use Node 12 ([#&#8203;108](https://togithub.com/googleapis/jsdoc-fresh/issues/108)) ([e61c223](https://togithub.com/googleapis/jsdoc-fresh/commit/e61c2238db8900e339e5fe7fb8aea09642290182))

##### [1.1.1](https://www.github.com/googleapis/jsdoc-fresh/compare/v1.1.0...v1.1.1) (2021-08-11)

##### Bug Fixes

-   **build:** migrate to using main branch ([#&#8203;83](https://www.togithub.com/googleapis/jsdoc-fresh/issues/83)) ([9474adb](https://www.github.com/googleapis/jsdoc-fresh/commit/9474adbf0d559d319ff207397ba2be6b557999ac))

</details>

---

### Configuration

📅 **Schedule**: Branch creation - "after 9am and before 3pm" (UTC), Automerge - At any time (no schedule defined).

🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied.

♻ **Rebasing**: Whenever PR is behind base branch, or you tick the rebase/retry checkbox.

🔕 **Ignore**: Close this PR and you won't be reminded about this update again.

---

 - [ ] <!-- rebase-check -->If you want to rebase/retry this PR, click this checkbox.

---

This PR has been generated by [Mend Renovate](https://www.mend.io/free-developer-tools/renovate/). View repository job log [here](https://app.renovatebot.com/dashboard#github/googleapis/retry-request).

* chore(main): release 5.0.1 (#73)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>
Co-authored-by: sofisl <55454395+sofisl@users.noreply.github.com>

* chore(deps): update dependency linkinator to v4 (#77)

[![Mend Renovate](https://app.renovatebot.com/images/banner.svg)](https://renovatebot.com)

This PR contains the following updates:

| Package | Change | Age | Adoption | Passing | Confidence |
|---|---|---|---|---|---|
| [linkinator](https://togithub.com/JustinBeckwith/linkinator) | [`^3.0.0` -> `^4.0.0`](https://renovatebot.com/diffs/npm/linkinator/3.1.0/4.0.0) | [![age](https://badges.renovateapi.com/packages/npm/linkinator/4.0.0/age-slim)](https://docs.renovatebot.com/merge-confidence/) | [![adoption](https://badges.renovateapi.com/packages/npm/linkinator/4.0.0/adoption-slim)](https://docs.renovatebot.com/merge-confidence/) | [![passing](https://badges.renovateapi.com/packages/npm/linkinator/4.0.0/compatibility-slim/3.1.0)](https://docs.renovatebot.com/merge-confidence/) | [![confidence](https://badges.renovateapi.com/packages/npm/linkinator/4.0.0/confidence-slim/3.1.0)](https://docs.renovatebot.com/merge-confidence/) |

---

### Release Notes

<details>
<summary>JustinBeckwith/linkinator</summary>

### [`v4.0.0`](https://togithub.com/JustinBeckwith/linkinator/releases/tag/v4.0.0)

[Compare Source](https://togithub.com/JustinBeckwith/linkinator/compare/v3.1.0...v4.0.0)

##### Features

-   create new release with notes ([#&#8203;508](https://togithub.com/JustinBeckwith/linkinator/issues/508)) ([2cab633](https://togithub.com/JustinBeckwith/linkinator/commit/2cab633c9659eb10794a4bac06f8b0acdc3e2c0c))

##### BREAKING CHANGES

-   The commits in [#&#8203;507](https://togithub.com/JustinBeckwith/linkinator/issues/507) and [#&#8203;506](https://togithub.com/JustinBeckwith/linkinator/issues/506) both had breaking changes.  They included dropping support for Node.js 12.x and updating the CSV export to be streaming, and to use a new way of writing the CSV file.  This is an empty to commit using the `BREAKING CHANGE` format in the commit message to ensure a release is triggered.

</details>

---

### Configuration

📅 **Schedule**: Branch creation - "after 9am and before 3pm" (UTC), Automerge - At any time (no schedule defined).

🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied.

♻ **Rebasing**: Whenever PR is behind base branch, or you tick the rebase/retry checkbox.

🔕 **Ignore**: Close this PR and you won't be reminded about this update again.

---

 - [ ] <!-- rebase-check -->If you want to rebase/retry this PR, click this checkbox.

---

This PR has been generated by [Mend Renovate](https://www.mend.io/free-developer-tools/renovate/). View repository job log [here](https://app.renovatebot.com/dashboard#github/googleapis/retry-request).

* fix: delete second LICENSE (#82)

* fix: delete second LICENSE

* chore(main): release 5.0.2 (#80)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* chore(deps): update dependency jsdoc to v4 (#83)

[![Mend Renovate](https://app.renovatebot.com/images/banner.svg)](https://renovatebot.com)

This PR contains the following updates:

| Package | Change | Age | Adoption | Passing | Confidence |
|---|---|---|---|---|---|
| [jsdoc](https://togithub.com/jsdoc/jsdoc) | [`^3.6.3` -> `^4.0.0`](https://renovatebot.com/diffs/npm/jsdoc/3.6.11/4.0.0) | [![age](https://badges.renovateapi.com/packages/npm/jsdoc/4.0.0/age-slim)](https://docs.renovatebot.com/merge-confidence/) | [![adoption](https://badges.renovateapi.com/packages/npm/jsdoc/4.0.0/adoption-slim)](https://docs.renovatebot.com/merge-confidence/) | [![passing](https://badges.renovateapi.com/packages/npm/jsdoc/4.0.0/compatibility-slim/3.6.11)](https://docs.renovatebot.com/merge-confidence/) | [![confidence](https://badges.renovateapi.com/packages/npm/jsdoc/4.0.0/confidence-slim/3.6.11)](https://docs.renovatebot.com/merge-confidence/) |

---

### Release Notes

<details>
<summary>jsdoc/jsdoc</summary>

### [`v4.0.0`](https://togithub.com/jsdoc/jsdoc/blob/HEAD/CHANGES.md#&#8203;400-November-2022)

[Compare Source](https://togithub.com/jsdoc/jsdoc/compare/3.6.11...084218523a7d69fec14a852ce680f374f526af28)

-   JSDoc releases now use [semantic versioning](https://semver.org/). If JSDoc makes
    backwards-incompatible changes in the future, the major version will be incremented.
-   JSDoc no longer uses the [`taffydb`](https://taffydb.com/) package. If your JSDoc template or
    plugin uses the `taffydb` package, see the
    [instructions for replacing `taffydb` with `@jsdoc/salty`](https://togithub.com/jsdoc/jsdoc/tree/main/packages/jsdoc-salty#use-salty-in-a-jsdoc-template).
-   JSDoc now supports Node.js 12.0.0 and later.

</details>

---

### Configuration

📅 **Schedule**: Branch creation - "after 9am and before 3pm" (UTC), Automerge - At any time (no schedule defined).

🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied.

♻ **Rebasing**: Whenever PR is behind base branch, or you tick the rebase/retry checkbox.

🔕 **Ignore**: Close this PR and you won't be reminded about this update again.

---

 - [ ] <!-- rebase-check -->If you want to rebase/retry this PR, check this box

---

This PR has been generated by [Mend Renovate](https://www.mend.io/free-developer-tools/renovate/). View repository job log [here](https://app.renovatebot.com/dashboard#github/googleapis/retry-request).
<!--renovate-debug:eyJjcmVhdGVkSW5WZXIiOiIzNC4xNy4xIiwidXBkYXRlZEluVmVyIjoiMzQuMTkuMCJ9-->

* build: disable docs check due to issue in linkinator (#94)

* build: disable docs check due to issue in linkinator

* exclude ci.yaml from owlbot

* chore!: move minimum version to node 14 (#96)

* chore(main): release 6.0.0 (#98)

Co-authored-by: release-please[bot] <55107282+release-please[bot]@users.noreply.github.com>

* chore(deps): update dependency gts to v5 (#99)

* chore(deps): update dependency jsdoc-region-tag to v3 (#101)

* chore(deps): update dependency jsdoc-fresh to v3 (#100)

[![Mend Renovate](https://app.renovatebot.com/images/banner.svg)](https://renovatebot.com)

This PR contains the following updates:

| Package | Change | Age | Adoption | Passing | Confidence |
|---|---|---|---|---|---|
| [jsdoc-fresh](https://togithub.com/googleapis/jsdoc-fresh) | [`^2.0.0` -> `^3.0.0`](https://renovatebot.com/diffs/npm/jsdoc-fresh/2.0.2/3.0.0) | [![age](https://developer.mend.io/api/mc/badges/age/npm/jsdoc-fresh/3.0.0?slim=true)](https://docs.renovatebot.com/merge-confidence/) | [![adoption](https://developer.mend.io/api/mc/badges/adoption/npm/jsdoc-fresh/3.0.0?slim=true)](https://docs.renovatebot.com/merge-confidence/) | [![passing](https://developer.mend.io/api/mc/badges/compatibility/npm/jsdoc-fresh/2.0.2/3.0.0?slim=true)](https://docs.renovatebot.com/merge-confidence/) | [![confidence](https://developer.mend.io/api/mc/badges/confidence/npm/jsdoc-fresh/2.0.2/3.0.0?slim=true)](https://docs.renovatebot.com/merge-confidence/) |

---

### Release Notes

<details>
<summary>googleapis/jsdoc-fresh (jsdoc-fresh)</summary>

### [`v3.0.0`](https://togithub.com/googleapis/jsdoc-fresh/blob/HEAD/CHANGELOG.md#300-2023-08-10)

[Compare Source](https://togithub.com/googleapis/jsdoc-fresh/compare/v2.0.2...v3.0.0)

##### ⚠ BREAKING CHANGES

-   upgrade to Node 14

##### Miscellaneous Chores

-   Upgrade to Node 14 ([50c1a03](https://togithub.com/googleapis/jsdoc-fresh/commit/50c1a0328a2ff7b1940989b6818366535f1c47a2))

</details>

---

### Configuration

📅 **Schedule**: Branch creation - "after 9am and before 3pm" (UTC), Automerge - At any time (no schedule defined).

🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied.

♻ **Rebasing**: Whenever PR is behind base branch, or you tick the rebase/retry checkbox.

🔕 **Ignore**: Close this PR and you won't be reminded about this update again.

---

 - [ ] <!-- rebase-check -->If you want to rebase/retry this PR, check this box

---

This PR has been generated by [Mend Renovate](https://www.mend.io/free-developer-tools/renovate/). View repository job log [here](https://developer.mend.io/github/googleapis/retry-request).
<!--renovate-debug:eyJjcmVhdGVkSW5WZXIiOiIzNi40MC4zIiwidXBkYXRlZEluVmVyIjoiMzYuNDAuMyIsInRhcmdldEJyYW5jaCI6Im1haW4ifQ==-->

* chore(nodejs): Add `system-test/fixtures` to `.eslintignore` (#106)

* fix: Add `system-test/fixtures` to `.eslintignore`

* refactor: Use `**`

Source-Link: https://github.com/googleapis/synthtool/commit/b7858ba70e8acabc89d13558a71dd9318a57034a
P…
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

None yet

Projects

None yet

Development

Successfully merging this pull request may close these issues.

2 participants