Skip to content

feat(inline-comment): add confirmed param + probe-pattern safety net#1048

Merged
km-anthropic merged 4 commits intomainfrom
kashyap/buffer-inline-comments
Mar 12, 2026
Merged

feat(inline-comment): add confirmed param + probe-pattern safety net#1048
km-anthropic merged 4 commits intomainfrom
kashyap/buffer-inline-comments

Conversation

@km-anthropic
Copy link
Collaborator

@km-anthropic km-anthropic commented Mar 12, 2026

Problem

Subagents that inherit mcp__github_inline_comment__create_inline_comment post test/probe comments on customer PRs — e.g. "Test comment to see if I can create inline comments" — when they probe the tool after hitting unrelated GraphQL errors. Recurring issue since Dec 2025.

CLI-level root cause: MCP tools are unconditionally inherited by subagents (filterToolsForAgent in claude-cli-internal short-circuits for mcp__* tools).

Fix

MCP tool: confirmed param + buffering

  • confirmed: true → post immediately
  • omitted / false → buffer to /tmp/inline-comments-buffer.jsonl, return {success: true, buffered: true}

Post-step: Haiku classification → selective posting

src/entrypoints/post-buffered-inline-comments.ts runs after Claude exits:

  1. Reads buffer
  2. confirmed: false → never posted
  3. confirmed: undefined → batch-classified by one Haiku call: real review comments post, probes dropped with ::warning::
  4. Fail-open: if ANTHROPIC_API_KEY unavailable (Bedrock/Vertex) or classification fails, posts everything

Opt-out: classify_inline_comments input

Set to 'false' to restore pre-buffering behavior (all calls post immediately):

- uses: anthropics/claude-code-action@v1
  with:
    classify_inline_comments: 'false'

Behavior matrix

confirmed classify_inline_comments Result
true any Posts immediately
omitted 'true' (default) Buffer → Haiku classifies → real posts, probe dropped
omitted 'false' Posts immediately (legacy)
false 'true' (default) Buffered, never posted
false 'false' Posts immediately (legacy)

Why this works for existing customers

Both claude-code-action (via @v1 tag) and the code-review skill (loaded at runtime) auto-update. Existing customers get the fix without re-installing.

Companion skill PR: anthropics/claude-code#33472 (one line: confirmed: true in step 9)

Subagents that inherit this tool sometimes probe it with test comments
('Test comment to see if I can create inline comments') after hitting
unrelated errors elsewhere. Recurring issue across customer PRs.

Adds two defenses:
1. confirmed param: set true to post (final review comments should pass
   this). When false, buffers to a JSONL file instead of posting.
2. Probe-pattern safety net: when confirmed is omitted (backward compat
   for existing prompts), the body is checked against obvious probe
   patterns ('test comment', 'can i', 'does this work', etc.). Matching
   calls are buffered instead of posted.

A post-run step in action.yml reports the buffered call count and bodies
as a workflow warning for diagnostics.

Backward compatibility:
- Existing single-agent prompts (no confirmed param) post normally unless
  the body happens to start with a probe phrase (unlikely for real
  review comments)
- The code-review skill is being updated to pass confirmed: true in its
  final posting step
- Subagent probes that would previously post now harmlessly buffer
Comment on lines +128 to +149
return {
content: [
{
type: "text",
text: JSON.stringify(
{
success: true,
buffered: true,
message:
"Comment buffered (not posted). " +
(looksLikeProbe
? "The body looks like a test/probe. "
: "") +
"Set confirmed=true to post. If you are testing whether " +
"this tool works: it works — no need to test further.",
},
null,
2,
),
},
],
};
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The buffered response coaches subagents on how to bypass the safety net.

The message "Set confirmed=true to post" explicitly teaches the calling subagent how to circumvent the guard on its very next call. Since the whole point of this PR is preventing subagent probe comments, this is counterproductive.

Consider removing the confirmed=true coaching and instead saying something like:

"Comment was not posted. If you believe this is a legitimate review comment, return it as text in your response and let the orchestrating agent handle posting."

Alternatively (and more robustly): invert the default so that confirmed: true is required to post. This makes the safety mechanism deterministic rather than relying on the fragile probe regex as the primary gate. Existing callers that never pass confirmed would need updating, but the companion skill PR is already being updated — so this may be the right time.

Comment on lines +109 to +113
const looksLikeProbe =
confirmed === undefined &&
/^\s*(test comment|testing if|probe\b|can i\b|does this work|just testing)/i.test(
body,
);
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

can i\b will match legitimate review comments.

This pattern matches any comment starting with "Can I suggest..." or "Can improvements be made...", which are plausible review comment openings. Consider tightening to something like can i (post|comment|write|test|create)\b to reduce false positives.

Also: the regex is inherently brittle — minor rewording ("trying this out", "hello world", "checking tool access") bypasses it entirely. If you keep the deny-by-default approach from the companion suggestion, this regex becomes a nice-to-have diagnostic rather than the critical safety gate.

Comment on lines +116 to +127
appendFileSync(
BUFFER_PATH,
JSON.stringify({
ts: new Date().toISOString(),
path,
line,
startLine,
side,
body: sanitizedBody,
reason: confirmed === false ? "confirmed=false" : "probe-pattern",
}) + "\n",
);
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

appendFileSync failure will masquerade as a comment-creation error.

If /tmp is full or the write fails, the exception is caught by the outer catch block which returns "Error creating inline comment: ...". This is misleading since the actual failure was in the buffering path, not in posting.

Consider wrapping the appendFileSync in its own try-catch so a write failure degrades gracefully (still return the "buffered" response, perhaps with a note that logging failed).

Comment on lines +14 to +18
// Calls without confirmed=true are buffered here instead of posted. This
// prevents subagents from posting test/probe comments when they inherit this
// tool and probe it after hitting unrelated errors. The action's post-step
// reports the buffer count for diagnostics.
const BUFFER_PATH = "/tmp/inline-comments-buffer.jsonl";
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Comment is misleading — overstates the buffering behavior.

The comment says "Calls without confirmed=true are buffered here instead of posted", but that's not accurate. Calls with confirmed omitted are only buffered if the body matches the probe regex; otherwise they post normally. A future reader would incorrectly assume confirmed=true is mandatory to post.

Suggested change
// Calls without confirmed=true are buffered here instead of posted. This
// prevents subagents from posting test/probe comments when they inherit this
// tool and probe it after hitting unrelated errors. The action's post-step
// reports the buffer count for diagnostics.
const BUFFER_PATH = "/tmp/inline-comments-buffer.jsonl";
// Calls with confirmed=false, or probe-like calls without confirmed=true,
// are buffered here instead of posted. This prevents subagents from posting
// test/probe comments when they inherit this tool and probe it after hitting
// unrelated errors. The action's post-step reports the buffer count for
// diagnostics.
const BUFFER_PATH = "/tmp/inline-comments-buffer.jsonl";

action.yml Outdated
Comment on lines +293 to +295
echo "::group::Buffered calls (not posted)"
cat "$BUF"
echo "::endgroup::"
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Buffer contents are cat'd without neutralizing workflow commands.

The buffer body is user-influenced. Strings starting with :: (e.g. ::warning::, ::error::) are interpreted as workflow commands by the Actions runner. A crafted comment body could inject spurious warnings/errors into the log.

Consider wrapping with stop-commands:

Suggested change
echo "::group::Buffered calls (not posted)"
cat "$BUF"
echo "::endgroup::"
TOKEN=$(uuidgen)
echo "::stop-commands::${TOKEN}"
cat "$BUF"
echo "::${TOKEN}::"

@claude
Copy link
Contributor

claude bot commented Mar 12, 2026

Code Review Summary

Good problem identification — subagents posting probe comments on customer PRs is a real issue worth fixing. The layered defense approach (parameter + pattern detection) is reasonable, and the deferred createOctokit is a nice performance improvement.

Key Concern: Default-Allow Posture

The most impactful design question is whether the default should be post unless probe detected (current) vs buffer unless confirmed: true (deny-by-default). The current approach puts the fragile probe regex on the critical path as the primary safety gate. Since the companion skill PR is already updating callers to pass confirmed: true, this may be the right time to invert the default and make the regex a diagnostic rather than the gate.

Additionally, the buffered response message explicitly tells subagents "Set confirmed=true to post" — coaching them on how to bypass the guard on the next call.

Other Findings

  • can i\b false positive risk — matches legitimate comments like "Can I suggest refactoring this?"
  • appendFileSync error handling — failures in the buffer path surface as misleading "Error creating inline comment" messages
  • Workflow command injectioncat "$BUF" in the action.yml post-step doesn't neutralize :: workflow commands in user-influenced content
  • Misleading code comment — the BUFFER_PATH comment overstates the buffering behavior
  • No test coverage — the probe regex and buffering logic have zero tests. Consider extracting the decision logic into a pure function (e.g., shouldBuffer(confirmed, body)) for easy unit testing
  • Hardcoded /tmp path — duplicated between TypeScript and action.yml; consider using RUNNER_TEMP and passing via env var

What Looks Good

  • Deferred createOctokit avoids unnecessary API client creation for buffered calls
  • JSONL format is pragmatic for append-only structured logging
  • Body sanitization before writing to buffer is correct
  • action.yml diagnostic step with if: always() is well-placed

See inline comments for specific suggestions.

The regex approach was narrow and could miss creative probe phrasings.
Replaced with a batch Haiku classification that runs after the session
completes.

Flow:
- MCP server: confirmed !== true -> buffer to JSONL (no classification
  in-band, no latency in the tool path)
- Post-step (src/entrypoints/post-buffered-inline-comments.ts): reads
  buffer, sends all bodies to a single Haiku call, posts only those
  classified as real review comments
- confirmed=false entries are never posted regardless of classification

Fail-open: if ANTHROPIC_API_KEY is unavailable (Bedrock/Vertex users)
or the classification call fails, posts all unconfirmed comments. This
matches pre-PR behavior where all calls posted immediately.

The post-step emits ::warning:: for each filtered comment so users can
see what was dropped and why.
New action input classify_inline_comments (default 'true'). Setting to
'false' restores pre-buffering behavior: all inline comment calls post
immediately regardless of the confirmed param.

Threads through: action input -> CLASSIFY_INLINE_COMMENTS env ->
context.inputs.classifyInlineComments -> MCP server env ->
CLASSIFY_ENABLED module const.

Post-step is also gated on the input so it skips entirely when
classification is disabled.
- usage.md: add classify_inline_comments to inputs table
- solutions.md: mention confirmed=true in the prompt example and explain
  buffering/classification in the tool permissions section
@km-anthropic km-anthropic enabled auto-merge (squash) March 12, 2026 07:04
@km-anthropic km-anthropic merged commit 5d0cc74 into main Mar 12, 2026
34 of 35 checks passed
@km-anthropic km-anthropic deleted the kashyap/buffer-inline-comments branch March 12, 2026 07:12
mergify bot added a commit to ArcadeData/arcadedb that referenced this pull request Mar 13, 2026
Bumps the github-actions group with 2 updates: [anthropics/claude-code-action](https://github.com/anthropics/claude-code-action) and [actions/download-artifact](https://github.com/actions/download-artifact).
Updates `anthropics/claude-code-action` from 1.0.70 to 1.0.71
Release notes

*Sourced from [anthropics/claude-code-action's releases](https://github.com/anthropics/claude-code-action/releases).*

> v1.0.71
> -------
>
> What's Changed
> --------------
>
> * docs: warn that allowed\_bots can expose the action to external triggers by [`@​an-dustin`](https://github.com/an-dustin) in [anthropics/claude-code-action#1039](https://github.com/anthropics/claude-code-action/pull/1039)
> * feat(inline-comment): add confirmed param + probe-pattern safety net by [`@​km-anthropic`](https://github.com/km-anthropic) in [anthropics/claude-code-action#1048](https://github.com/anthropics/claude-code-action/pull/1048)
>
> New Contributors
> ----------------
>
> * [`@​an-dustin`](https://github.com/an-dustin) made their first contribution in [anthropics/claude-code-action#1039](https://github.com/anthropics/claude-code-action/pull/1039)
>
> **Full Changelog**: <anthropics/claude-code-action@v1...v1.0.71>


Commits

* [`5d0cc74`](anthropics/claude-code-action@5d0cc74) feat(inline-comment): add confirmed param + probe-pattern safety net ([#1048](https://github.com/anthropics/claude-code-action/issues/1048))
* [`567be3d`](anthropics/claude-code-action@567be3d) chore: bump Claude Code to 2.1.73 and Agent SDK to 0.2.73
* [`eb99fb3`](anthropics/claude-code-action@eb99fb3) chore: bump Claude Code to 2.1.72 and Agent SDK to 0.2.72
* [`33fbb80`](anthropics/claude-code-action@33fbb80) docs: warn that allowed\_bots can expose the action to external triggers ([#1039](https://github.com/anthropics/claude-code-action/issues/1039))
* [`3428ca8`](anthropics/claude-code-action@3428ca8) chore: bump Claude Code to 2.1.71 and Agent SDK to 0.2.71
* See full diff in [compare view](anthropics/claude-code-action@26ec041...5d0cc74)
  
Updates `actions/download-artifact` from 8.0.0 to 8.0.1
Release notes

*Sourced from [actions/download-artifact's releases](https://github.com/actions/download-artifact/releases).*

> v8.0.1
> ------
>
> What's Changed
> --------------
>
> * Support for CJK characters in the artifact name by [`@​danwkennedy`](https://github.com/danwkennedy) in [actions/download-artifact#471](https://github.com/actions/download-artifact/pull/471)
> * Add a regression test for artifact name + content-type mismatches by [`@​danwkennedy`](https://github.com/danwkennedy) in [actions/download-artifact#472](https://github.com/actions/download-artifact/pull/472)
>
> **Full Changelog**: <actions/download-artifact@v8...v8.0.1>


Commits

* [`3e5f45b`](actions/download-artifact@3e5f45b) Add regression tests for CJK characters ([#471](https://github.com/actions/download-artifact/issues/471))
* [`e6d03f6`](actions/download-artifact@e6d03f6) Add a regression test for artifact name + content-type mismatches ([#472](https://github.com/actions/download-artifact/issues/472))
* See full diff in [compare view](actions/download-artifact@70fc10c...3e5f45b)
  
Dependabot will resolve any conflicts with this PR as long as you don't alter it yourself. You can also trigger a rebase manually by commenting `@dependabot rebase`.
[//]: # (dependabot-automerge-start)
[//]: # (dependabot-automerge-end)
---
Dependabot commands and options
  
You can trigger Dependabot actions by commenting on this PR:
- `@dependabot rebase` will rebase this PR
- `@dependabot recreate` will recreate this PR, overwriting any edits that have been made to it
- `@dependabot show  ignore conditions` will show all of the ignore conditions of the specified dependency
- `@dependabot ignore  major version` will close this group update PR and stop Dependabot creating any more for the specific dependency's major version (unless you unignore this specific dependency's major version or upgrade to it yourself)
- `@dependabot ignore  minor version` will close this group update PR and stop Dependabot creating any more for the specific dependency's minor version (unless you unignore this specific dependency's minor version or upgrade to it yourself)
- `@dependabot ignore ` will close this group update PR and stop Dependabot creating any more for the specific dependency (unless you unignore this specific dependency or upgrade to it yourself)
- `@dependabot unignore ` will remove all of the ignore conditions of the specified dependency
- `@dependabot unignore  ` will remove the ignore condition of the specified dependency and ignore conditions
mergify bot added a commit to ArcadeData/arcadedb-usecases that referenced this pull request Mar 19, 2026
… in the github-actions group [skip ci]

Bumps the github-actions group with 1 update: [anthropics/claude-code-action](https://github.com/anthropics/claude-code-action).
Updates `anthropics/claude-code-action` from 1.0.70 to 1.0.72
Release notes

*Sourced from [anthropics/claude-code-action's releases](https://github.com/anthropics/claude-code-action/releases).*

> v1.0.72
> -------
>
> What's Changed
> --------------
>
> * Harden tag mode tool permissions against prompt injection by [`@​km-anthropic`](https://github.com/km-anthropic) in [anthropics/claude-code-action#1002](https://github.com/anthropics/claude-code-action/pull/1002)
>
> **Full Changelog**: <anthropics/claude-code-action@v1...v1.0.72>
>
> v1.0.71
> -------
>
> What's Changed
> --------------
>
> * docs: warn that allowed\_bots can expose the action to external triggers by [`@​an-dustin`](https://github.com/an-dustin) in [anthropics/claude-code-action#1039](https://github.com/anthropics/claude-code-action/pull/1039)
> * feat(inline-comment): add confirmed param + probe-pattern safety net by [`@​km-anthropic`](https://github.com/km-anthropic) in [anthropics/claude-code-action#1048](https://github.com/anthropics/claude-code-action/pull/1048)
>
> New Contributors
> ----------------
>
> * [`@​an-dustin`](https://github.com/an-dustin) made their first contribution in [anthropics/claude-code-action#1039](https://github.com/anthropics/claude-code-action/pull/1039)
>
> **Full Changelog**: <anthropics/claude-code-action@v1...v1.0.71>


Commits

* [`cd77b50`](anthropics/claude-code-action@cd77b50) chore: bump Claude Code to 2.1.76 and Agent SDK to 0.2.76
* [`0e80d3c`](anthropics/claude-code-action@0e80d3c) chore: bump Claude Code to 2.1.75 and Agent SDK to 0.2.75
* [`f956510`](anthropics/claude-code-action@f956510) Harden tag mode tool permissions against prompt injection ([#1002](https://github.com/anthropics/claude-code-action/issues/1002))
* [`5d0cc74`](anthropics/claude-code-action@5d0cc74) feat(inline-comment): add confirmed param + probe-pattern safety net ([#1048](https://github.com/anthropics/claude-code-action/issues/1048))
* [`567be3d`](anthropics/claude-code-action@567be3d) chore: bump Claude Code to 2.1.73 and Agent SDK to 0.2.73
* [`eb99fb3`](anthropics/claude-code-action@eb99fb3) chore: bump Claude Code to 2.1.72 and Agent SDK to 0.2.72
* [`33fbb80`](anthropics/claude-code-action@33fbb80) docs: warn that allowed\_bots can expose the action to external triggers ([#1039](https://github.com/anthropics/claude-code-action/issues/1039))
* [`3428ca8`](anthropics/claude-code-action@3428ca8) chore: bump Claude Code to 2.1.71 and Agent SDK to 0.2.71
* See full diff in [compare view](anthropics/claude-code-action@26ec041...cd77b50)
  
[![Dependabot compatibility score](https://dependabot-badges.githubapp.com/badges/compatibility\_score?dependency-name=anthropics/claude-code-action&package-manager=github\_actions&previous-version=1.0.70&new-version=1.0.72)](https://docs.github.com/en/github/managing-security-vulnerabilities/about-dependabot-security-updates#about-compatibility-scores)
Dependabot will resolve any conflicts with this PR as long as you don't alter it yourself. You can also trigger a rebase manually by commenting `@dependabot rebase`.
[//]: # (dependabot-automerge-start)
[//]: # (dependabot-automerge-end)
---
Dependabot commands and options
  
You can trigger Dependabot actions by commenting on this PR:
- `@dependabot rebase` will rebase this PR
- `@dependabot recreate` will recreate this PR, overwriting any edits that have been made to it
- `@dependabot show  ignore conditions` will show all of the ignore conditions of the specified dependency
- `@dependabot ignore  major version` will close this group update PR and stop Dependabot creating any more for the specific dependency's major version (unless you unignore this specific dependency's major version or upgrade to it yourself)
- `@dependabot ignore  minor version` will close this group update PR and stop Dependabot creating any more for the specific dependency's minor version (unless you unignore this specific dependency's minor version or upgrade to it yourself)
- `@dependabot ignore ` will close this group update PR and stop Dependabot creating any more for the specific dependency (unless you unignore this specific dependency or upgrade to it yourself)
- `@dependabot unignore ` will remove all of the ignore conditions of the specified dependency
- `@dependabot unignore  ` will remove the ignore condition of the specified dependency and ignore conditions
mergify bot added a commit to robfrank/linklift that referenced this pull request Mar 19, 2026
…updates [skip ci]

Bumps the github-actions group with 7 updates in the / directory:
| Package | From | To |
| --- | --- | --- |
| [actions/cache](https://github.com/actions/cache) | `5.0.3` | `5.0.4` |
| [graalvm/setup-graalvm](https://github.com/graalvm/setup-graalvm) | `1.4.5` | `1.5.0` |
| [softprops/action-gh-release](https://github.com/softprops/action-gh-release) | `2.5.0` | `2.6.1` |
| [github/codeql-action](https://github.com/github/codeql-action) | `4.32.5` | `4.33.0` |
| [anthropics/claude-code-action](https://github.com/anthropics/claude-code-action) | `1.0.69` | `1.0.75` |
| [ruby/setup-ruby](https://github.com/ruby/setup-ruby) | `1.289.0` | `1.295.0` |
| [webfactory/ssh-agent](https://github.com/webfactory/ssh-agent) | `0.9.1` | `0.10.0` |
Updates `actions/cache` from 5.0.3 to 5.0.4
Release notes

*Sourced from [actions/cache's releases](https://github.com/actions/cache/releases).*

> v5.0.4
> ------
>
> What's Changed
> --------------
>
> * Add release instructions and update maintainer docs by [`@​Link`](https://github.com/Link)- in [actions/cache#1696](https://github.com/actions/cache/pull/1696)
> * Potential fix for code scanning alert no. 52: Workflow does not contain permissions by [`@​Link`](https://github.com/Link)- in [actions/cache#1697](https://github.com/actions/cache/pull/1697)
> * Fix workflow permissions and cleanup workflow names / formatting by [`@​Link`](https://github.com/Link)- in [actions/cache#1699](https://github.com/actions/cache/pull/1699)
> * docs: Update examples to use the latest version by [`@​XZTDean`](https://github.com/XZTDean) in [actions/cache#1690](https://github.com/actions/cache/pull/1690)
> * Fix proxy integration tests by [`@​Link`](https://github.com/Link)- in [actions/cache#1701](https://github.com/actions/cache/pull/1701)
> * Fix cache key in examples.md for bun.lock by [`@​RyPeck`](https://github.com/RyPeck) in [actions/cache#1722](https://github.com/actions/cache/pull/1722)
> * Update dependencies & patch security vulnerabilities by [`@​Link`](https://github.com/Link)- in [actions/cache#1738](https://github.com/actions/cache/pull/1738)
>
> New Contributors
> ----------------
>
> * [`@​XZTDean`](https://github.com/XZTDean) made their first contribution in [actions/cache#1690](https://github.com/actions/cache/pull/1690)
> * [`@​RyPeck`](https://github.com/RyPeck) made their first contribution in [actions/cache#1722](https://github.com/actions/cache/pull/1722)
>
> **Full Changelog**: <actions/cache@v5...v5.0.4>


Changelog

*Sourced from [actions/cache's changelog](https://github.com/actions/cache/blob/main/RELEASES.md).*

> Releases
> ========
>
> How to prepare a release
> ------------------------
>
> > [!NOTE]  
> > Relevant for maintainers with write access only.
>
> 1. Switch to a new branch from `main`.
> 2. Run `npm test` to ensure all tests are passing.
> 3. Update the version in [`https://github.com/actions/cache/blob/main/package.json`](https://github.com/actions/cache/blob/main/package.json).
> 4. Run `npm run build` to update the compiled files.
> 5. Update this [`https://github.com/actions/cache/blob/main/RELEASES.md`](https://github.com/actions/cache/blob/main/RELEASES.md) with the new version and changes in the `## Changelog` section.
> 6. Run `licensed cache` to update the license report.
> 7. Run `licensed status` and resolve any warnings by updating the [`https://github.com/actions/cache/blob/main/.licensed.yml`](https://github.com/actions/cache/blob/main/.licensed.yml) file with the exceptions.
> 8. Commit your changes and push your branch upstream.
> 9. Open a pull request against `main` and get it reviewed and merged.
> 10. Draft a new release <https://github.com/actions/cache/releases> use the same version number used in `package.json`
>     1. Create a new tag with the version number.
>     2. Auto generate release notes and update them to match the changes you made in `RELEASES.md`.
>     3. Toggle the set as the latest release option.
>     4. Publish the release.
> 11. Navigate to <https://github.com/actions/cache/actions/workflows/release-new-action-version.yml>
>     1. There should be a workflow run queued with the same version number.
>     2. Approve the run to publish the new version and update the major tags for this action.
>
> Changelog
> ---------
>
> ### 5.0.4
>
> * Bump `minimatch` to v3.1.5 (fixes ReDoS via globstar patterns)
> * Bump `undici` to v6.24.1 (WebSocket decompression bomb protection, header validation fixes)
> * Bump `fast-xml-parser` to v5.5.6
>
> ### 5.0.3
>
> * Bump `@actions/cache` to v5.0.5 (Resolves: <https://github.com/actions/cache/security/dependabot/33>)
> * Bump `@actions/core` to v2.0.3
>
> ### 5.0.2
>
> * Bump `@actions/cache` to v5.0.3 [#1692](https://github.com/actions/cache/pull/1692)
>
> ### 5.0.1
>
> * Update `@azure/storage-blob` to `^12.29.1` via `@actions/cache@5.0.1` [#1685](https://github.com/actions/cache/pull/1685)
>
> ### 5.0.0
>
> > [!IMPORTANT]
> > `actions/cache@v5` runs on the Node.js 24 runtime and requires a minimum Actions Runner version of `2.327.1`.

... (truncated)


Commits

* [`6682284`](actions/cache@6682284) Merge pull request [#1738](https://github.com/actions/cache/issues/1738) from actions/prepare-v5.0.4
* [`e340396`](actions/cache@e340396) Update RELEASES
* [`8a67110`](actions/cache@8a67110) Add licenses
* [`1865903`](actions/cache@1865903) Update dependencies & patch security vulnerabilities
* [`5656298`](actions/cache@5656298) Merge pull request [#1722](https://github.com/actions/cache/issues/1722) from RyPeck/patch-1
* [`4e380d1`](actions/cache@4e380d1) Fix cache key in examples.md for bun.lock
* [`b7e8d49`](actions/cache@b7e8d49) Merge pull request [#1701](https://github.com/actions/cache/issues/1701) from actions/Link-/fix-proxy-integration-tests
* [`984a21b`](actions/cache@984a21b) Add traffic sanity check step
* [`acf2f1f`](actions/cache@acf2f1f) Fix resolution
* [`95a07c5`](actions/cache@95a07c5) Add wait for proxy
* Additional commits viewable in [compare view](actions/cache@cdf6c1f...6682284)
  
Updates `graalvm/setup-graalvm` from 1.4.5 to 1.5.0
Release notes

*Sourced from [graalvm/setup-graalvm's releases](https://github.com/graalvm/setup-graalvm/releases).*

> v1.5.0
> ------
>
> What's Changed
> --------------
>
> * Bump lodash from 4.17.21 to 4.17.23 by [`@​dependabot`](https://github.com/dependabot)[bot] in [graalvm/setup-graalvm#205](https://github.com/graalvm/setup-graalvm/pull/205)
> * Bump the "all" group with 2 updates across multiple ecosystems by [`@​dependabot`](https://github.com/dependabot)[bot] in [graalvm/setup-graalvm#206](https://github.com/graalvm/setup-graalvm/pull/206)
> * Bump the "all" group with 1 updates across multiple ecosystems by [`@​dependabot`](https://github.com/dependabot)[bot] in [graalvm/setup-graalvm#207](https://github.com/graalvm/setup-graalvm/pull/207)
> * Upgrade to Node 24by [`@​fniephaus`](https://github.com/fniephaus) in [graalvm/setup-graalvm#209](https://github.com/graalvm/setup-graalvm/pull/209)
>
> **Full Changelog**: <graalvm/setup-graalvm@v1.4.5...v1.5.0>


Commits

* [`f744c72`](graalvm/setup-graalvm@f744c72) Bump version to `1.5.0`.
* [`138cef5`](graalvm/setup-graalvm@138cef5) Fix Windows minimatch support in bundled action.
* [`f0c91e2`](graalvm/setup-graalvm@f0c91e2) Bump dependencies.
* [`5fbabde`](graalvm/setup-graalvm@5fbabde) Fork `RetryHelper` from tool-cache.
* [`7777231`](graalvm/setup-graalvm@7777231) Run `npm audit fix`.
* [`9be1e9e`](graalvm/setup-graalvm@9be1e9e) Drop minimatch override.
* [`dd308a9`](graalvm/setup-graalvm@dd308a9) Upgrade to node 24
* [`91b8c57`](graalvm/setup-graalvm@91b8c57) Bump the all group with 11 updates
* [`9d0e2df`](graalvm/setup-graalvm@9d0e2df) Update dist files.
* [`7045e8f`](graalvm/setup-graalvm@7045e8f) Fix import.
* Additional commits viewable in [compare view](graalvm/setup-graalvm@54b4f5a...f744c72)
  
Updates `softprops/action-gh-release` from 2.5.0 to 2.6.1
Release notes

*Sourced from [softprops/action-gh-release's releases](https://github.com/softprops/action-gh-release/releases).*

> v2.6.1
> ------
>
> `2.6.1` is a patch release focused on restoring linked discussion thread creation when
> `discussion_category_name` is set. It fixes `[#764](https://github.com/softprops/action-gh-release/issues/764)`, where the draft-first publish flow
> stopped carrying the discussion category through the final publish step.
>
> If you still hit an issue after upgrading, please open a report with the bug template and include a minimal repro or sanitized workflow snippet where possible.
>
> What's Changed
> --------------
>
> ### Bug fixes 🐛
>
> * fix: preserve discussion category on publish by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#765](https://github.com/softprops/action-gh-release/pull/765)
>
> v2.6.0
> ------
>
> `2.6.0` is a minor release centered on `previous_tag` support for `generate_release_notes`,
> which lets workflows pin GitHub's comparison base explicitly instead of relying on the default range.
> It also includes the recent concurrent asset upload recovery fix, a `working_directory` docs sync,
> a checked-bundle freshness guard for maintainers, and clearer immutable-prerelease guidance where
> GitHub platform behavior imposes constraints on how prerelease asset uploads can be published.
>
> If you still hit an issue after upgrading, please open a report with the bug template and include a minimal repro or sanitized workflow snippet where possible.
>
> What's Changed
> --------------
>
> ### Exciting New Features 🎉
>
> * feat: support previous\_tag for generate\_release\_notes by [`@​pocesar`](https://github.com/pocesar) in [softprops/action-gh-release#372](https://github.com/softprops/action-gh-release/pull/372)
>
> ### Bug fixes 🐛
>
> * fix: recover concurrent asset metadata 404s by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#760](https://github.com/softprops/action-gh-release/pull/760)
>
> ### Other Changes 🔄
>
> * docs: clarify reused draft release behavior by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#759](https://github.com/softprops/action-gh-release/pull/759)
> * docs: clarify working\_directory input by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#761](https://github.com/softprops/action-gh-release/pull/761)
> * ci: verify dist bundle freshness by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#762](https://github.com/softprops/action-gh-release/pull/762)
> * fix: clarify immutable prerelease uploads by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#763](https://github.com/softprops/action-gh-release/pull/763)
>
> v2.5.3
> ------
>
> `2.5.3` is a patch release focused on the remaining path-handling and release-selection bugs uncovered after `2.5.2`.
> It fixes `[#639](https://github.com/softprops/action-gh-release/issues/639)`, `[#571](https://github.com/softprops/action-gh-release/issues/571)`, `[#280](https://github.com/softprops/action-gh-release/issues/280)`, `[#614](https://github.com/softprops/action-gh-release/issues/614)`, `[#311](https://github.com/softprops/action-gh-release/issues/311)`, `[#403](https://github.com/softprops/action-gh-release/issues/403)`, and `[#368](https://github.com/softprops/action-gh-release/issues/368)`.
> It also adds documentation clarifications for `[#541](https://github.com/softprops/action-gh-release/issues/541)`, `[#645](https://github.com/softprops/action-gh-release/issues/645)`, `[#542](https://github.com/softprops/action-gh-release/issues/542)`, `[#393](https://github.com/softprops/action-gh-release/issues/393)`, and `[#411](https://github.com/softprops/action-gh-release/issues/411)`,
> where the current behavior is either usage-sensitive or constrained by GitHub platform limits rather than an action-side runtime bug.
>
> If you still hit an issue after upgrading, please open a report with the bug template and include a minimal repro or sanitized workflow snippet where possible.
>
> What's Changed
> --------------

... (truncated)


Changelog

*Sourced from [softprops/action-gh-release's changelog](https://github.com/softprops/action-gh-release/blob/master/CHANGELOG.md).*

> 2.6.1
> -----
>
> `2.6.1` is a patch release focused on restoring linked discussion thread creation when
> `discussion_category_name` is set. It fixes `[#764](https://github.com/softprops/action-gh-release/issues/764)`, where the draft-first publish flow
> stopped carrying the discussion category through the final publish step.
>
> If you still hit an issue after upgrading, please open a report with the bug template and include a minimal repro or sanitized workflow snippet where possible.
>
> What's Changed
> --------------
>
> ### Bug fixes 🐛
>
> * fix: preserve discussion category on publish by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#765](https://github.com/softprops/action-gh-release/pull/765)
>
> 2.6.0
> -----
>
> `2.6.0` is a minor release centered on `previous_tag` support for `generate_release_notes`,
> which lets workflows pin GitHub's comparison base explicitly instead of relying on the default range.
> It also includes the recent concurrent asset upload recovery fix, a `working_directory` docs sync,
> a checked-bundle freshness guard for maintainers, and clearer immutable-prerelease guidance where
> GitHub platform behavior imposes constraints on how prerelease asset uploads can be published.
>
> If you still hit an issue after upgrading, please open a report with the bug template and include a minimal repro or sanitized workflow snippet where possible.
>
> What's Changed
> --------------
>
> ### Exciting New Features 🎉
>
> * feat: support previous\_tag for generate\_release\_notes by [`@​pocesar`](https://github.com/pocesar) in [softprops/action-gh-release#372](https://github.com/softprops/action-gh-release/pull/372)
>
> ### Bug fixes 🐛
>
> * fix: recover concurrent asset metadata 404s by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#760](https://github.com/softprops/action-gh-release/pull/760)
>
> ### Other Changes 🔄
>
> * docs: clarify reused draft release behavior by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#759](https://github.com/softprops/action-gh-release/pull/759)
> * docs: clarify working\_directory input by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#761](https://github.com/softprops/action-gh-release/pull/761)
> * ci: verify dist bundle freshness by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#762](https://github.com/softprops/action-gh-release/pull/762)
> * fix: clarify immutable prerelease uploads by [`@​chenrui333`](https://github.com/chenrui333) in [softprops/action-gh-release#763](https://github.com/softprops/action-gh-release/pull/763)
>
> 2.5.3
> -----
>
> `2.5.3` is a patch release focused on the remaining path-handling and release-selection bugs uncovered after `2.5.2`.
> It fixes `[#639](https://github.com/softprops/action-gh-release/issues/639)`, `[#571](https://github.com/softprops/action-gh-release/issues/571)`, `[#280](https://github.com/softprops/action-gh-release/issues/280)`, `[#614](https://github.com/softprops/action-gh-release/issues/614)`, `[#311](https://github.com/softprops/action-gh-release/issues/311)`, `[#403](https://github.com/softprops/action-gh-release/issues/403)`, and `[#368](https://github.com/softprops/action-gh-release/issues/368)`.
> It also adds documentation clarifications for `[#541](https://github.com/softprops/action-gh-release/issues/541)`, `[#645](https://github.com/softprops/action-gh-release/issues/645)`, `[#542](https://github.com/softprops/action-gh-release/issues/542)`, `[#393](https://github.com/softprops/action-gh-release/issues/393)`, and `[#411](https://github.com/softprops/action-gh-release/issues/411)`,
> where the current behavior is either usage-sensitive or constrained by GitHub platform limits rather than an action-side runtime bug.
>
> If you still hit an issue after upgrading, please open a report with the bug template and include a minimal repro or sanitized workflow snippet where possible.

... (truncated)


Commits

* [`153bb8e`](softprops/action-gh-release@153bb8e) release 2.6.1
* [`569deb8`](softprops/action-gh-release@569deb8) fix: preserve discussion category when publishing releases ([#765](https://github.com/softprops/action-gh-release/issues/765))
* [`26e8ad2`](softprops/action-gh-release@26e8ad2) release 2.6.0
* [`b959f31`](softprops/action-gh-release@b959f31) fix: clarify immutable prerelease uploads ([#763](https://github.com/softprops/action-gh-release/issues/763))
* [`8a8510e`](softprops/action-gh-release@8a8510e) ci: verify dist bundle freshness ([#762](https://github.com/softprops/action-gh-release/issues/762))
* [`438c15d`](softprops/action-gh-release@438c15d) docs: clarify working\_directory input ([#761](https://github.com/softprops/action-gh-release/issues/761))
* [`6ca3b5d`](softprops/action-gh-release@6ca3b5d) fix: recover concurrent asset metadata 404s ([#760](https://github.com/softprops/action-gh-release/issues/760))
* [`11f9176`](softprops/action-gh-release@11f9176) chore: add RELEASE.md
* [`1f3f350`](softprops/action-gh-release@1f3f350) feat: add AGENTS.md
* [`37819cb`](softprops/action-gh-release@37819cb) docs: clarify reused draft release behavior ([#759](https://github.com/softprops/action-gh-release/issues/759))
* Additional commits viewable in [compare view](softprops/action-gh-release@a06a81a...153bb8e)
  
Updates `github/codeql-action` from 4.32.5 to 4.33.0
Release notes

*Sourced from [github/codeql-action's releases](https://github.com/github/codeql-action/releases).*

> v4.33.0
> -------
>
> * Upcoming change: Starting April 2026, the CodeQL Action will skip collecting file coverage information on pull requests to improve analysis performance. File coverage information will still be computed on non-PR analyses. Pull request analyses will log a warning about this upcoming change. [#3562](https://github.com/github/codeql-action/pull/3562)
>
>   To opt out of this change:
>
>   + **Repositories owned by an organization:** Create a custom repository property with the name `github-codeql-file-coverage-on-prs` and the type "True/false", then set this property to `true` in the repository's settings. For more information, see [Managing custom properties for repositories in your organization](https://docs.github.com/en/organizations/managing-organization-settings/managing-custom-properties-for-repositories-in-your-organization). Alternatively, if you are using an advanced setup workflow, you can set the `CODEQL_ACTION_FILE_COVERAGE_ON_PRS` environment variable to `true` in your workflow.
>   + **User-owned repositories using default setup:** Switch to an advanced setup workflow and set the `CODEQL_ACTION_FILE_COVERAGE_ON_PRS` environment variable to `true` in your workflow.
>   + **User-owned repositories using advanced setup:** Set the `CODEQL_ACTION_FILE_COVERAGE_ON_PRS` environment variable to `true` in your workflow.
> * Fixed [a bug](https://github.com/github/codeql-action/issues/3555) which caused the CodeQL Action to fail loading repository properties if a "Multi select" repository property was configured for the repository. [#3557](https://github.com/github/codeql-action/pull/3557)
> * The CodeQL Action now loads [custom repository properties](https://docs.github.com/en/organizations/managing-organization-settings/managing-custom-properties-for-repositories-in-your-organization) on GitHub Enterprise Server, enabling the customization of features such as `github-codeql-disable-overlay` that was previously only available on GitHub.com. [#3559](https://github.com/github/codeql-action/pull/3559)
> * Once [private package registries](https://docs.github.com/en/code-security/how-tos/secure-at-scale/configure-organization-security/manage-usage-and-access/giving-org-access-private-registries) can be configured with OIDC-based authentication for organizations, the CodeQL Action will now be able to accept such configurations. [#3563](https://github.com/github/codeql-action/pull/3563)
> * Fixed the retry mechanism for database uploads. Previously this would fail with the error "Response body object should not be disturbed or locked". [#3564](https://github.com/github/codeql-action/pull/3564)
> * A warning is now emitted if the CodeQL Action detects a repository property whose name suggests that it relates to the CodeQL Action, but which is not one of the properties recognised by the current version of the CodeQL Action. [#3570](https://github.com/github/codeql-action/pull/3570)
>
> v4.32.6
> -------
>
> * Update default CodeQL bundle version to [2.24.3](https://github.com/github/codeql-action/releases/tag/codeql-bundle-v2.24.3). [#3548](https://github.com/github/codeql-action/pull/3548)


Changelog

*Sourced from [github/codeql-action's changelog](https://github.com/github/codeql-action/blob/main/CHANGELOG.md).*

> CodeQL Action Changelog
> =======================
>
> See the [releases page](https://github.com/github/codeql-action/releases) for the relevant changes to the CodeQL CLI and language packs.
>
> [UNRELEASED]
> ------------
>
> * Added an experimental change which disables TRAP caching when [improved incremental analysis](https://github.com/github/roadmap/issues/1158) is enabled, since improved incremental analysis supersedes TRAP caching. This will improve performance and reduce Actions cache usage. We expect to roll this change out to everyone in March. [#3569](https://github.com/github/codeql-action/pull/3569)
>
> 4.33.0 - 16 Mar 2026
> --------------------
>
> * Upcoming change: Starting April 2026, the CodeQL Action will skip collecting file coverage information on pull requests to improve analysis performance. File coverage information will still be computed on non-PR analyses. Pull request analyses will log a warning about this upcoming change. [#3562](https://github.com/github/codeql-action/pull/3562)
>
>   To opt out of this change:
>
>   + **Repositories owned by an organization:** Create a custom repository property with the name `github-codeql-file-coverage-on-prs` and the type "True/false", then set this property to `true` in the repository's settings. For more information, see [Managing custom properties for repositories in your organization](https://docs.github.com/en/organizations/managing-organization-settings/managing-custom-properties-for-repositories-in-your-organization). Alternatively, if you are using an advanced setup workflow, you can set the `CODEQL_ACTION_FILE_COVERAGE_ON_PRS` environment variable to `true` in your workflow.
>   + **User-owned repositories using default setup:** Switch to an advanced setup workflow and set the `CODEQL_ACTION_FILE_COVERAGE_ON_PRS` environment variable to `true` in your workflow.
>   + **User-owned repositories using advanced setup:** Set the `CODEQL_ACTION_FILE_COVERAGE_ON_PRS` environment variable to `true` in your workflow.
> * Fixed [a bug](https://github.com/github/codeql-action/issues/3555) which caused the CodeQL Action to fail loading repository properties if a "Multi select" repository property was configured for the repository. [#3557](https://github.com/github/codeql-action/pull/3557)
> * The CodeQL Action now loads [custom repository properties](https://docs.github.com/en/organizations/managing-organization-settings/managing-custom-properties-for-repositories-in-your-organization) on GitHub Enterprise Server, enabling the customization of features such as `github-codeql-disable-overlay` that was previously only available on GitHub.com. [#3559](https://github.com/github/codeql-action/pull/3559)
> * Once [private package registries](https://docs.github.com/en/code-security/how-tos/secure-at-scale/configure-organization-security/manage-usage-and-access/giving-org-access-private-registries) can be configured with OIDC-based authentication for organizations, the CodeQL Action will now be able to accept such configurations. [#3563](https://github.com/github/codeql-action/pull/3563)
> * Fixed the retry mechanism for database uploads. Previously this would fail with the error "Response body object should not be disturbed or locked". [#3564](https://github.com/github/codeql-action/pull/3564)
> * A warning is now emitted if the CodeQL Action detects a repository property whose name suggests that it relates to the CodeQL Action, but which is not one of the properties recognised by the current version of the CodeQL Action. [#3570](https://github.com/github/codeql-action/pull/3570)
>
> 4.32.6 - 05 Mar 2026
> --------------------
>
> * Update default CodeQL bundle version to [2.24.3](https://github.com/github/codeql-action/releases/tag/codeql-bundle-v2.24.3). [#3548](https://github.com/github/codeql-action/pull/3548)
>
> 4.32.5 - 02 Mar 2026
> --------------------
>
> * Repositories owned by an organization can now set up the `github-codeql-disable-overlay` custom repository property to disable [improved incremental analysis for CodeQL](https://github.com/github/roadmap/issues/1158). First, create a custom repository property with the name `github-codeql-disable-overlay` and the type "True/false" in the organization's settings. Then in the repository's settings, set this property to `true` to disable improved incremental analysis. For more information, see [Managing custom properties for repositories in your organization](https://docs.github.com/en/organizations/managing-organization-settings/managing-custom-properties-for-repositories-in-your-organization). This feature is not yet available on GitHub Enterprise Server. [#3507](https://github.com/github/codeql-action/pull/3507)
> * Added an experimental change so that when [improved incremental analysis](https://github.com/github/roadmap/issues/1158) fails on a runner — potentially due to insufficient disk space — the failure is recorded in the Actions cache so that subsequent runs will automatically skip improved incremental analysis until something changes (e.g. a larger runner is provisioned or a new CodeQL version is released). We expect to roll this change out to everyone in March. [#3487](https://github.com/github/codeql-action/pull/3487)
> * The minimum memory check for improved incremental analysis is now skipped for CodeQL 2.24.3 and later, which has reduced peak RAM usage. [#3515](https://github.com/github/codeql-action/pull/3515)
> * Reduced log levels for best-effort private package registry connection check failures to reduce noise from workflow annotations. [#3516](https://github.com/github/codeql-action/pull/3516)
> * Added an experimental change which lowers the minimum disk space requirement for [improved incremental analysis](https://github.com/github/roadmap/issues/1158), enabling it to run on standard GitHub Actions runners. We expect to roll this change out to everyone in March. [#3498](https://github.com/github/codeql-action/pull/3498)
> * Added an experimental change which allows the `start-proxy` action to resolve the CodeQL CLI version from feature flags instead of using the linked CLI bundle version. We expect to roll this change out to everyone in March. [#3512](https://github.com/github/codeql-action/pull/3512)
> * The previously experimental changes from versions 4.32.3, 4.32.4, 3.32.3 and 3.32.4 are now enabled by default. [#3503](https://github.com/github/codeql-action/pull/3503), [#3504](https://github.com/github/codeql-action/pull/3504)
>
> 4.32.4 - 20 Feb 2026
> --------------------
>
> * Update default CodeQL bundle version to [2.24.2](https://github.com/github/codeql-action/releases/tag/codeql-bundle-v2.24.2). [#3493](https://github.com/github/codeql-action/pull/3493)
> * Added an experimental change which improves how certificates are generated for the authentication proxy that is used by the CodeQL Action in Default Setup when [private package registries are configured](https://docs.github.com/en/code-security/how-tos/secure-at-scale/configure-organization-security/manage-usage-and-access/giving-org-access-private-registries). This is expected to generate more widely compatible certificates and should have no impact on analyses which are working correctly already. We expect to roll this change out to everyone in February. [#3473](https://github.com/github/codeql-action/pull/3473)
> * When the CodeQL Action is run [with debugging enabled in Default Setup](https://docs.github.com/en/code-security/how-tos/scan-code-for-vulnerabilities/troubleshooting/troubleshooting-analysis-errors/logs-not-detailed-enough#creating-codeql-debugging-artifacts-for-codeql-default-setup) and [private package registries are configured](https://docs.github.com/en/code-security/how-tos/secure-at-scale/configure-organization-security/manage-usage-and-access/giving-org-access-private-registries), the "Setup proxy for registries" step will output additional diagnostic information that can be used for troubleshooting. [#3486](https://github.com/github/codeql-action/pull/3486)
> * Added a setting which allows the CodeQL Action to enable network debugging for Java programs. This will help GitHub staff support customers with troubleshooting issues in GitHub-managed CodeQL workflows, such as Default Setup. This setting can only be enabled by GitHub staff. [#3485](https://github.com/github/codeql-action/pull/3485)
> * Added a setting which enables GitHub-managed workflows, such as Default Setup, to use a [nightly CodeQL CLI release](https://github.com/dsp-testing/codeql-cli-nightlies) instead of the latest, stable release that is used by default. This will help GitHub staff support customers whose analyses for a given repository or organization require early access to a change in an upcoming CodeQL CLI release. This setting can only be enabled by GitHub staff. [#3484](https://github.com/github/codeql-action/pull/3484)
>
> 4.32.3 - 13 Feb 2026
> --------------------
>
> * Added experimental support for testing connections to [private package registries](https://docs.github.com/en/code-security/how-tos/secure-at-scale/configure-organization-security/manage-usage-and-access/giving-org-access-private-registries). This feature is not currently enabled for any analysis. In the future, it may be enabled by default for Default Setup. [#3466](https://github.com/github/codeql-action/pull/3466)
>
> 4.32.2 - 05 Feb 2026
> --------------------

... (truncated)


Commits

* [`b1bff81`](github/codeql-action@b1bff81) Merge pull request [#3574](https://github.com/github/codeql-action/issues/3574) from github/update-v4.32.7-7dd76e6bf
* [`e682234`](github/codeql-action@e682234) Add changelog entry for [#3570](https://github.com/github/codeql-action/issues/3570)
* [`95be291`](github/codeql-action@95be291) Bump minor version
* [`59bcb60`](github/codeql-action@59bcb60) Update changelog for v4.32.7
* [`7dd76e6`](github/codeql-action@7dd76e6) Merge pull request [#3572](https://github.com/github/codeql-action/issues/3572) from github/mbg/pr-checks/eslint
* [`e3200e3`](github/codeql-action@e3200e3) Merge pull request [#3563](https://github.com/github/codeql-action/issues/3563) from github/mbg/private-registry/oidc
* [`4c356c7`](github/codeql-action@4c356c7) Merge pull request [#3570](https://github.com/github/codeql-action/issues/3570) from github/mbg/repo-props/warn-on-unexpected-props
* [`b4937c1`](github/codeql-action@b4937c1) Only emit one message with accumulated property names
* [`136b8ab`](github/codeql-action@136b8ab) Remove `cache-dependency-path` options as well
* [`a5aba59`](github/codeql-action@a5aba59) Remove `package-lock.json` that's no longer needed
* Additional commits viewable in [compare view](github/codeql-action@c793b71...b1bff81)
  
Updates `anthropics/claude-code-action` from 1.0.69 to 1.0.75
Release notes

*Sourced from [anthropics/claude-code-action's releases](https://github.com/anthropics/claude-code-action/releases).*

> v1.0.75
> -------
>
> **Full Changelog**: <anthropics/claude-code-action@v1...v1.0.75>
>
> v1.0.74
> -------
>
> What's Changed
> --------------
>
> * Restore .claude/ and .mcp.json from PR base branch before CLI runs by [`@​km-anthropic`](https://github.com/km-anthropic) in [anthropics/claude-code-action#1066](https://github.com/anthropics/claude-code-action/pull/1066)
> * Remove redundant git status/diff/log from tag mode allowlist by [`@​ddworken`](https://github.com/ddworken) in [anthropics/claude-code-action#1075](https://github.com/anthropics/claude-code-action/pull/1075)
>
> **Full Changelog**: <anthropics/claude-code-action@v1...v1.0.74>
>
> v1.0.73
> -------
>
> **Full Changelog**: <anthropics/claude-code-action@v1...v1.0.73>
>
> v1.0.72
> -------
>
> What's Changed
> --------------
>
> * Harden tag mode tool permissions against prompt injection by [`@​km-anthropic`](https://github.com/km-anthropic) in [anthropics/claude-code-action#1002](https://github.com/anthropics/claude-code-action/pull/1002)
>
> **Full Changelog**: <anthropics/claude-code-action@v1...v1.0.72>
>
> v1.0.71
> -------
>
> What's Changed
> --------------
>
> * docs: warn that allowed\_bots can expose the action to external triggers by [`@​an-dustin`](https://github.com/an-dustin) in [anthropics/claude-code-action#1039](https://github.com/anthropics/claude-code-action/pull/1039)
> * feat(inline-comment): add confirmed param + probe-pattern safety net by [`@​km-anthropic`](https://github.com/km-anthropic) in [anthropics/claude-code-action#1048](https://github.com/anthropics/claude-code-action/pull/1048)
>
> New Contributors
> ----------------
>
> * [`@​an-dustin`](https://github.com/an-dustin) made their first contribution in [anthropics/claude-code-action#1039](https://github.com/anthropics/claude-code-action/pull/1039)
>
> **Full Changelog**: <anthropics/claude-code-action@v1...v1.0.71>
>
> v1.0.70
> -------
>
> **Full Changelog**: <anthropics/claude-code-action@v1...v1.0.70>


Commits

* [`df37d2f`](anthropics/claude-code-action@df37d2f) chore: bump Claude Code to 2.1.79 and Agent SDK to 0.2.79
* [`1ba15be`](anthropics/claude-code-action@1ba15be) Remove redundant git status/diff/log from tag mode allowlist ([#1075](https://github.com/anthropics/claude-code-action/issues/1075))
* [`9ddce40`](anthropics/claude-code-action@9ddce40) Restore .claude/ and .mcp.json from PR base branch before CLI runs ([#1066](https://github.com/anthropics/claude-code-action/issues/1066))
* [`1b422b3`](anthropics/claude-code-action@1b422b3) chore: bump Claude Code to 2.1.78 and Agent SDK to 0.2.77
* [`4c044bb`](anthropics/claude-code-action@4c044bb) chore: bump Claude Code to 2.1.77 and Agent SDK to 0.2.77
* [`cd77b50`](anthropics/claude-code-action@cd77b50) chore: bump Claude Code to 2.1.76 and Agent SDK to 0.2.76
* [`0e80d3c`](anthropics/claude-code-action@0e80d3c) chore: bump Claude Code to 2.1.75 and Agent SDK to 0.2.75
* [`f956510`](anthropics/claude-code-action@f956510) Harden tag mode tool permissions against prompt injection ([#1002](https://github.com/anthropics/claude-code-action/issues/1002))
* [`5d0cc74`](anthropics/claude-code-action@5d0cc74) feat(inline-comment): add confirmed param + probe-pattern safety net ([#1048](https://github.com/anthropics/claude-code-action/issues/1048))
* [`567be3d`](anthropics/claude-code-action@567be3d) chore: bump Claude Code to 2.1.73 and Agent SDK to 0.2.73
* Additional commits viewable in [compare view](anthropics/claude-code-action@1fc90f3...df37d2f)
  
Updates `ruby/setup-ruby` from 1.289.0 to 1.295.0
Release notes

*Sourced from [ruby/setup-ruby's releases](https://github.com/ruby/setup-ruby/releases).*

> v1.295.0
> --------
>
> What's Changed
> --------------
>
> * Update CRuby releases on Windows by [`@​ruby-builder-bot`](https://github.com/ruby-builder-bot) in [ruby/setup-ruby#890](https://github.com/ruby/setup-ruby/pull/890)
>
> **Full Changelog**: <ruby/setup-ruby@v1.294.0...v1.295.0>
>
> v1.294.0
> --------
>
> What's Changed
> --------------
>
> * Add ruby-4.0.2 by [`@​ruby-builder-bot`](https://github.com/ruby-builder-bot) in [ruby/setup-ruby#889](https://github.com/ruby/setup-ruby/pull/889)
>
> **Full Changelog**: <ruby/setup-ruby@v1.293.0...v1.294.0>
>
> v1.293.0
> --------
>
> What's Changed
> --------------
>
> * Update README to remove JRuby version notes by [`@​headius`](https://github.com/headius) in [ruby/setup-ruby#887](https://github.com/ruby/setup-ruby/pull/887)
> * Update CRuby releases on Windows by [`@​ruby-builder-bot`](https://github.com/ruby-builder-bot) in [ruby/setup-ruby#888](https://github.com/ruby/setup-ruby/pull/888)
>
> **Full Changelog**: <ruby/setup-ruby@v1.292.0...v1.293.0>
>
> v1.292.0
> --------
>
> What's Changed
> --------------
>
> * Update Node to 24 by [`@​eregon`](https://github.com/eregon) in [ruby/setup-ruby#886](https://github.com/ruby/setup-ruby/pull/886)
>
> **Full Changelog**: <ruby/setup-ruby@v1.291.0...v1.292.0>
>
> v1.291.0
> --------
>
> What's Changed
> --------------
>
> * Add ruby-3.4.9 by [`@​ruby-builder-bot`](https://github.com/ruby-builder-bot) in [ruby/setup-ruby#885](https://github.com/ruby/setup-ruby/pull/885)
>
> **Full Changelog**: <ruby/setup-ruby@v1.290.0...v1.291.0>
>
> v1.290.0
> --------
>
> What's Changed
> --------------
>
> * Improve Windows version detection and HOME variable export by [`@​jbaiza`](https://github.com/jbaiza) in [ruby/setup-ruby#883](https://github.com/ruby/setup-ruby/pull/883)
>
> New Contributors
> ----------------
>
> * [`@​jbaiza`](https://github.com/jbaiza) made their first contribution in [ruby/setup-ruby#883](https://github.com/ruby/setup-ruby/pull/883)
>
> **Full Changelog**: <ruby/setup-ruby@v1.289.0...v1.290.0>


Commits

* [`319994f`](ruby/setup-ruby@319994f) Update CRuby releases on Windows
* [`c984c1a`](ruby/setup-ruby@c984c1a) Add ruby-4.0.2
* [`dffb23f`](ruby/setup-ruby@dffb23f) Update CRuby releases on Windows
* [`ea73ddb`](ruby/setup-ruby@ea73ddb) Update README to remove JRuby version notes
* [`4eb9f11`](ruby/setup-ruby@4eb9f11) Update Node to 24
* [`9d13dd6`](ruby/setup-ruby@9d13dd6) Add ruby-3.4.9
* [`6ca151f`](ruby/setup-ruby@6ca151f) Leave only basic comment about env variable change
* [`7413847`](ruby/setup-ruby@7413847) Set HOME variable from OS information
* [`b3cff1b`](ruby/setup-ruby@b3cff1b) Add support for Windows Server Standard Evaluation
* See full diff in [compare view](ruby/setup-ruby@19a43a6...319994f)
  
Updates `webfactory/ssh-agent` from 0.9.1 to 0.10.0
Release notes

*Sourced from [webfactory/ssh-agent's releases](https://github.com/webfactory/ssh-agent/releases).*

> v0.10.0: Upgrade to node-24
> ---------------------------
>
> This release upgrades from node 20 to node 24, preparing for Node 20's upcoming EOL and getting rid of the related warning message in GitHub.
>
> What's Changed
> --------------
>
> * use node24 by [`@​jimmymcpeter`](https://github.com/jimmymcpeter) in [webfactory/ssh-agent#243](https://github.com/webfactory/ssh-agent/pull/243)
>
> New Contributors
> ----------------
>
> * [`@​jimmymcpeter`](https://github.com/jimmymcpeter) made their first contribution in [webfactory/ssh-agent#243](https://github.com/webfactory/ssh-agent/pull/243)
>
> **Full Changelog**: <webfactory/ssh-agent@v0.9.1...v0.10.0>


Commits

* [`e838748`](webfactory/ssh-agent@e838748) use node24 ([#243](https://github.com/webfactory/ssh-agent/issues/243))
* See full diff in [compare view](webfactory/ssh-agent@a6f90b1...e838748)
  
Dependabot will resolve any conflicts with this PR as long as you don't alter it yourself. You can also trigger a rebase manually by commenting `@dependabot rebase`.
[//]: # (dependabot-automerge-start)
[//]: # (dependabot-automerge-end)
---
Dependabot commands and options
  
You can trigger Dependabot actions by commenting on this PR:
- `@dependabot rebase` will rebase this PR
- `@dependabot recreate` will recreate this PR, overwriting any edits that have been made to it
- `@dependabot show  ignore conditions` will show all of the ignore conditions of the specified dependency
- `@dependabot ignore  major version` will close this group update PR and stop Dependabot creating any more for the specific dependency's major version (unless you unignore this specific dependency's major version or upgrade to it yourself)
- `@dependabot ignore  minor version` will close this group update PR and stop Dependabot creating any more for the specific dependency's minor version (unless you unignore this specific dependency's minor version or upgrade to it yourself)
- `@dependabot ignore ` will close this group update PR and stop Dependabot creating any more for the specific dependency (unless you unignore this specific dependency or upgrade to it yourself)
- `@dependabot unignore ` will remove all of the ignore conditions of the specified dependency
- `@dependabot unignore  ` will remove the ignore condition of the specified dependency and ignore conditions
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