Skip to content

fix(deps): update all non-major dependencies#423

Closed
renovate[bot] wants to merge 1 commit intomainfrom
renovate/all-minor-patch
Closed

fix(deps): update all non-major dependencies#423
renovate[bot] wants to merge 1 commit intomainfrom
renovate/all-minor-patch

Conversation

@renovate
Copy link
Contributor

@renovate renovate bot commented Mar 17, 2025

This PR contains the following updates:

Package Change Age Adoption Passing Confidence
@modelcontextprotocol/sdk (source) ^1.6.1 -> ^1.7.0 age adoption passing confidence
@types/node (source) ^22.13.0 -> ^22.13.10 age adoption passing confidence
@vitest/coverage-v8 (source) ^3.0.8 -> ^3.0.9 age adoption passing confidence
fast-xml-parser ^5.0.8 -> ^5.0.9 age adoption passing confidence
hono (source) ^4.6.20 -> ^4.7.4 age adoption passing confidence
lucide-vue-next (source) ^0.474.0 -> ^0.482.0 age adoption passing confidence
piscina ^4.8.0 -> ^4.9.0 age adoption passing confidence
repomix ^0.2.29 -> ^0.2.41 age adoption passing confidence
tsx (source) ^4.19.2 -> ^4.19.3 age adoption passing confidence
typescript (source) ^5.7.3 -> ^5.8.2 age adoption passing confidence
web-tree-sitter (source) ^0.24.7 -> ^0.25.3 age adoption passing confidence
zod (source) ^3.24.1 -> ^3.24.2 age adoption passing confidence

Release Notes

modelcontextprotocol/typescript-sdk (@​modelcontextprotocol/sdk)

v1.7.0

Compare Source

What's Changed

New Contributors

Full Changelog: modelcontextprotocol/typescript-sdk@1.6.1...1.7.0

vitest-dev/vitest (@​vitest/coverage-v8)

v3.0.9

Compare Source

NaturalIntelligence/fast-xml-parser (fast-xml-parser)

v5.0.9

Compare Source

honojs/hono (hono)

v4.7.4

Compare Source

What's Changed

Full Changelog: honojs/hono@v4.7.3...v4.7.4

v4.7.3

Compare Source

What's Changed
New Contributors

Full Changelog: honojs/hono@v4.7.2...v4.7.3

v4.7.2

Compare Source

What's Changed

Full Changelog: honojs/hono@v4.7.1...v4.7.2

v4.7.1

Compare Source

What's Changed
New Contributors

Full Changelog: honojs/hono@v4.7.0...v4.7.1

v4.7.0

Compare Source

Release Notes

Hono v4.7.0 is now available!

This release introduces one helper and two middleware.

  • Proxy Helper
  • Language Middleware
  • JWK Auth Middleware

Plus, Standard Schema Validator has been born.

Let's look at each of these.

Proxy Helper

We sometimes use the Hono application as a reverse proxy. In that case, it accesses the backend using fetch. However, it sends an unintended headers.

app.all('/proxy/:path', (c) => {
  // Send unintended header values to the origin server
  return fetch(`http://${originServer}/${c.req.param('path')}`)
})

For example, fetch may send Accept-Encoding, causing the origin server to return a compressed response. Some runtimes automatically decode it, leading to a Content-Length mismatch and potential client-side errors.

Also, you should probably remove some of the headers sent from the origin server, such as Transfer-Encoding.

Proxy Helper will send requests to the origin and handle responses properly. The above headers problem is solved simply by writing as follows.

import { Hono } from 'hono'
import { proxy } from 'hono/proxy'

app.get('/proxy/:path', (c) => {
  return proxy(`http://${originServer}/${c.req.param('path')}`)
})

You can also use it in more complex ways.

app.get('/proxy/:path', async (c) => {
  const res = await proxy(
    `http://${originServer}/${c.req.param('path')}`,
    {
      headers: {
        ...c.req.header(),
        'X-Forwarded-For': '127.0.0.1',
        'X-Forwarded-Host': c.req.header('host'),
        Authorization: undefined,
      },
    }
  )
  res.headers.delete('Set-Cookie')
  return res
})

Thanks @​usualoma!

Language Middleware

Language Middleware provides 18n functions to Hono applications. By using the languageDetector function, you can get the language that your application should support.

import { Hono } from 'hono'
import { languageDetector } from 'hono/language'

const app = new Hono()

app.use(
  languageDetector({
    supportedLanguages: ['en', 'ar', 'ja'], // Must include fallback
    fallbackLanguage: 'en', // Required
  })
)

app.get('/', (c) => {
  const lang = c.get('language')
  return c.text(`Hello! Your language is ${lang}`)
})

You can get the target language in various ways, not just by using Accept-Language.

  • Query parameters
  • Cookies
  • Accept-Language header
  • URL path

Thanks @​lord007tn!

JWK Auth Middleware

Finally, middleware that supports JWK (JSON Web Key) has landed. Using JWK Auth Middleware, you can authenticate by verifying JWK tokens. It can access keys fetched from the specified URL.

import { Hono } from 'hono'
import { jwk } from 'hono/jwk'

app.use(
  '/auth/*',
  jwk({
    jwks_uri: `https://${backendServer}/.well-known/jwks.json`,
  })
)

app.get('/auth/page', (c) => {
  return c.text('You are authorized')
})

Thanks @​Beyondo!

Standard Schema Validator

Standard Schema provides a common interface for TypeScript validator libraries. Standard Schema Validator is a validator that uses it. This means that Standard Schema Validator can handle several validators, such as Zod, Valibot, and ArkType, with the same interface.

The code below really works!

import { Hono } from 'hono'
import { sValidator } from '@​hono/standard-validator'
import { type } from 'arktype'
import * as v from 'valibot'
import { z } from 'zod'

const aSchema = type({
  agent: 'string',
})

const vSchema = v.object({
  slag: v.string(),
})

const zSchema = z.object({
  name: z.string(),
})

const app = new Hono()

app.get(
  '/:slag',
  sValidator('header', aSchema),
  sValidator('param', vSchema),
  sValidator('query', zSchema),
  (c) => {
    const headerValue = c.req.valid('header')
    const paramValue = c.req.valid('param')
    const queryValue = c.req.valid('query')
    return c.json({ headerValue, paramValue, queryValue })
  }
)

const res = await app.request('/foo?name=foo', {
  headers: {
    agent: 'foo',
  },
})

console.log(await res.json())

Thanks @​muningis!

New features
All changes
New Contributors

Full Changelog: honojs/hono@v4.6.20...v4.7.0

lucide-icons/lucide (lucide-vue-next)

v0.482.0: Version 0.482.0

Compare Source

What's Changed

New Contributors

Full Changelog: lucide-icons/lucide@0.481.0...0.482.0

v0.481.0: Version 0.481.0

Compare Source

What's Changed

Full Changelog: lucide-icons/lucide@0.480.0...0.481.0

v0.480.0: Version 0.480.0

Compare Source

What's Changed

New Contributors

Full Changelog: lucide-icons/lucide@0.479.0...0.480.0

v0.479.0: Version 0.479.0

Compare Source

What's Changed

Full Changelog: lucide-icons/lucide@0.478.0...0.479.0

v0.478.0: Version 0.478.0

Compare Source

What's Changed

Full Changelog: lucide-icons/lucide@0.477.0...0.478.0

v0.477.0: New icons 0.477.0

Compare Source

New icons 🎨

Modified Icons 🔨

v0.476.0: Fixes and new icons 0.476.0

Compare Source

Fixes
New icons 🎨
Modified Icons 🔨

v0.475.0: New icons 0.475.0

Compare Source

New icons 🎨

piscinajs/piscina (piscina)

v4.9.0

Compare Source

yamadashy/repomix (repomix)

v0.2.41

Compare Source

This release introduces Git-based file sorting and enhances file compression capabilities.

What's New 🚀

Git-based File Sorting (#​356, #​421)
  • Added ability to sort files by Git commit frequency
    • Prioritizes frequently modified files in the output
  • Can be controlled via CLI options or configuration
    • Use --no-git-sort-by-changes flag to disable Git-based sorting
    • Configure in repomix.config.json:
      {
        "output": {
          "git": {
            "sortByChanges": true,
            "sortByChangesMaxCommits": 100
          }
        }
      }

Special thanks to @​SpyC0der77 for suggesting this feature!

Improvements ⚡️

Enhanced Compress Mode (#​420)
  • Added Vue.js and CSS file support for compress mode

How to Update

npm update -g repomix

As always, if you encounter any issues or have suggestions, please let us know through our GitHub issues or join our Discord community for support.

v0.2.40

Compare Source

This release brings significant enhancements to Model Context Protocol (MCP) integration and improves file handling capabilities.

Improvements ⚡

Enhanced MCP Integration (#​419, #​415, #​409, #​413)
  • Added file and directory reading capabilities with integrated Secretlint security checks
  • Introduced result retrieval tools for Claude Desktop and Cursor AI assistants

Pack local repo with compress:

Please pack this with compress in repomix.
<path>

MCP Integration - Command Example

Read detailed results:
MCP Integration - Results View

For more MCP details, please refer to the documentation:
https://github.com/yamadashy/repomix#mcp-integration

Extended File Format Support (#​407)
  • Added support for Bun lockfile format (bun.lockb)

Special thanks to @​jiftoo for their first contribution!

How to Update

npm update -g repomix

As always, if you encounter any issues or have suggestions, please let us know through our GitHub issues or join our Discord community for support.

v0.2.39

Compare Source

v0.2.38

Compare Source

v0.2.37

Compare Source

v0.2.36

Compare Source

This release adds MCP server support, improves ignore pattern handling on the website, and includes dependency updates.

What's New 🚀

MCP Server Support (#​399)
  • Added initial implementation of the Model Context Protocol (MCP) server
    • Allows AI assistants to directly interact with your codebase without manual file preparation
    • Provides two powerful tools:
      • pack_codebase: Package local code directories for AI analysis
      • pack_remote_repository: Fetch, clone and package GitHub repositories

We've also submitted Repomix to the MCP marketplace:

To use Repomix as an MCP server with Cline (VS Code extension), edit the cline_mcp_settings.json file:

{
  "mcpServers": {
    "repomix": {
      "command": "npx",
      "args": [
        "-y",
        "repomix",
        "--mcp"
      ]
    }
  }
}
image

For more details, please refer to the documentation:
https://github.com/yamadashy/repomix#mcp-integration

Improvements ⚡️

Enhanced Ignore Pattern Support (#​396)
  • Now allows special characters like ! ( ) in ignore patterns via the website

Known Issue: There's currently an issue where negation patterns (!) don't work correctly. See Issue #​400 for details.

Thank you @​eastlondoner for your first contribution to the project!

How to Update

npm update -g repomix

As always if you encounter any issues or have suggestions please let us know through our GitHub issues or join our Discord community https://discord.gg/wNYzTwZFku for support.

v0.2.35

Compare Source

This release adds folder upload capability to the website, improves gitignore handling, and includes documentation updates.

What's New 🚀

Website Folder Upload (#​387, #​377)
  • Added folder upload option to the https://repomix.com
    • Supports drag & drop or folder browser selection

Thank you @​PaperBoardOfficial for implementing folder upload on our website!

Improvements ⚡️

Enhanced Gitignore Support (#​391, #​375)
  • Now uses the contents of .git/info/exclude when useGitignore is set to true
  • Allows for local-only file exclusions without modifying the shared .gitignore
  • Fixes issue #​375

Thanks to @​motlin for improving gitignore support!

How to Update

npm update -g repomix

As always if you encounter any issues or have suggestions please let us know through our GitHub issues or join our Discord community https://discord.gg/wNYzTwZFku for support.

v0.2.34

Compare Source

This release fixes an important configuration issue affecting negative boolean options in Repomix.

Bug Fixes 🐛

Configuration Handling Fix (#​385, #​389)
  • Fixed an issue where setting false values in the config file for certain options (like "fileSummary": false) was not being respected
  • Properly handles all --no-* style CLI options when specified in the config file
  • Affected options include:
    • fileSummary
    • directoryStructure
    • gitignore
    • defaultPatterns
    • securityCheck

Special thanks to @​mapleroyal for reporting this issue!

How to Update

npm update -g repomix

As always, if you encounter any issues or have suggestions, please let us know through our GitHub issues or join our Discord community for support.

v0.2.33

Compare Source

This release addresses two important issues to improve code handling and file output capabilities.

Bug Fixes 🐛

TypeScript Import Handling for Compressed Output (#​382)

  • Fixed an issue where named imports were partially excluded when using compress mode
    • Now properly preserves all import statements including named imports like import { Component } from 'module'

Directory Structure Support for Output Files (#​378, #​383)

  • Fixes related issue (#​378) where nested output paths would fail, especially with remote repositories
    • Now automatically creates parent directories when writing to nested output paths

How to Update

npm update -g repomix

As always, if you encounter any issues or have suggestions, please let us know through our GitHub issues or join our Discord community for support.

v0.2.32

Compare Source

The code compression feature introduced in v0.2.28 has been enhanced! 🚀

Improvements ⚡

Enhanced Code Compression (#​380)

  • Now includes comments and import statements in compression output:
    • Preserves both single-line and multi-line comments
    • Keeps import/require statements for better code context
  • Complete type definition support for TypeScript, Python, and Go:
    • Full inclusion of interface and type definitions
  • Enhanced function signature preservation:
    • Captures complete function signatures including arguments spanning multiple lines
    • Ensures accurate preservation of all function parameters
Example

Using compression via CLI:

repomix --compress

Before:

import { ShoppingItem } from './shopping-item';

/**
 * Calculate the total price of shopping items
 */
const calculateTotal = (
  items: ShoppingItem[]
) => {
  let total = 0;
  for (const item of items) {
    total += item.price * item.quantity;
  }
  return total;
}

// Shopping item interface
interface Item {
  name: string;
  price: number;
  quantity: number;
}

After compression:

import { ShoppingItem } from './shopping-item';
----
/**
 * Calculate the total price of shopping items
 */
const calculateTotal = (
  items: ShoppingItem[]
) => {
----
// Shopping item interface
interface Item {
  name: string;
  price: number;
  quantity: number;
}

How to Update

npm update -g repomix

As always, if you encounter any issues or have suggestions, please let us know through our GitHub issues or join our Discord community for support.

v0.2.31

Compare Source

v0.2.30

Compare Source

This release addresses a file system permission issue and adds support for more flexible configuration formats.

Improvements ⚡

Configuration Flexibility (#​346, #​366)

  • Added support for JSON5 in configuration files
    • More flexible and developer-friendly configuration format
    • Allows comments and trailing commas

Bug Fixes 🐛

File System Handling (#​372, #​374)

  • Removed unnecessary write permission check on source directories

How to Update

npm update -g repomix

As always, if you encounter any issues or have suggestions, please let us know through our GitHub issues or join our Discord community for support.

microsoft/TypeScript (typescript)

v5.8.2

Compare Source

tree-sitter/tree-sitter (web-tree-sitter)

v0.25.3

Compare Source

Bug Fixes
  • Fixed an infinite loop that could happen in some grammars during error recovery if the end of the file was reached.
  • Fixed a parser-generation error where internal character set constants were given external linkage, which could cause linking errors on some platforms if multiple Tree-sitter parsers were linked into the same application.

v0.25.2

Compare Source

Bug Fixes
  • Fixed a crash that could occur when loading WASM-compiled languages that were generated with an earlier version of the Tree-sitter CLI (#​4210).
  • Fixed incorrect tokenization when using WASM-compiled languages, if the language's external scanner did not assign to result_symbol (#​4218)
  • Fixed an infinite loop that could occur if external scanners returned empty extra tokens (#​4213)
Build
  • Decreased the rustc version required to build the tree-sitter-languages and tree-sitter crates (#​4221)

v0.25.1

Compare Source

Changelog

[0.25.1] — 2025-02-02

Features
  • cli: Specify abi version via env var (#​4173)
Bug Fixes
  • bindings: Correct Zig bindings to expose a language function
  • lib: Prevent finished_tree assertion failure (#​4176)
Documentation
  • Correct build steps for WASM files
Build System and CI
  • Use ubuntu-22.04 for x64 builds (#​4175)
  • Bump version to 0.25.1
Other
  • rust: Correct doc comments

v0.25.0

Compare Source

Changelog

[0.25.0] — 2025-02-01

Notices

This is a large release. As such, a few major changes and how to adapt to them are outlined below:

  • web-tree-sitter was rewritten in TypeScript. With that, we also now publish the sourcemaps, and debug builds for the library. We also publish both CommonJS and ESM modules.
  • The internal ABI was bumped to 15. The main benefits this brings is that the language name, version, supertype info, and reserved words are added to the parsers. To use ABI 15, you must have a tree-sitter.json file in your repository, since the version information for the parser is pulled from this file.
  • Parsing and Querying should be cancelled using the "progress callback", rather than setting a timeout or a cancellation flag, which are now deprecated. To do so, use the "parse/query with options" function in the bindings you choose to use, in the next release the old way of timing out parsing will be removed, which allows us to get rid of our dependency on the time.h headers in the core library.
  • MISSING nodes can now be queried, and queries involving supertypes are properly validated now.
  • The ts_node_child_containing_descendant function was removed; use ts_node_child_with_descendant instead (which has nearly the same behavior but can also return descendant.)
  • TSInput now includes a (mandatory) new field DecodeFunction, which allows passing a custom decode function. To use the builtin function, pass NULL.
  • In the DSL, there is now a RustRegex function, which takes in a Rust regex as a string. All of the capabilities of Rust's regex engine are available here, which allows for some nice features that aren't possible with JavaScript regexes.
  • We've migrated our documentation to mdBook, and greatly improved the docs.
Breaking
  • Properly handle UTF-16 endianness encoding (#​3740)
  • Bump internal abi to 15 (#​3803)
  • Update playground with new web bindings (#​4121)
  • bindings: Update swift bindings (#​4154)
  • cli: Remove migration code for tree-sitter.json (#​4107)
  • generate: Use regex_syntax::Hir for expanding regexes (#​3831)
  • lib: Remove ts_node_child_containing_descendant (#​4107)
  • lib: Add the ability to specify a custom decode function (#​3833)
  • web: Rewrite the library in TypeScript (#​4121)
  • web: Use the WASM module in the bindings, and not the other way around (#​4121)
  • web: Rename pattern to patternIndex in QueryMatch (#​4141)
  • web: Deprecate Language.query in favor of new Query (#​4141)
Features
  • Drop legacy binding updates (#​3734)
  • Bump version to 0.25 (#​3752)
  • Allow setting the output directory for generated source files (#​2614)
  • Move scripts to xtasks (#​3758)
  • Add CST pretty-printer for parser output (#​3762)
  • Add version subcommand for versioning grammars (#​3786)
  • Add build sha to parser.c header comment (#​3828)
  • Implement a cache for get_column (#​2503)
  • Generate schema in tree-sitter.json (#​3947)
  • Support querying missing nodes (#​3887)
  • Add flag to output css classes instead of inline styles in HTML highlighter output (#​3879)
  • Add xtask to bump emscripten-version (#​4015)
  • Add 'reserved word' construct (#​3896)
  • Add Supertype API (#​3938)
  • Support passing in a Rust regex in the grammar dsl (#​4076)
  • Allow parser balancing to be cancellable (#​4122)
  • Remove lazy_static in favor of LazyLock (#​4130)
  • Add and apply eslint config (#​4121)
  • Begin autogenerating web-tree-sitter.d.ts (#​4121)
  • Publish both CJS and ESM files (#​4121)
  • Add a patternIndex field to QueryCapture (#​4141)
  • Improve PredicateStep types (#​4141)
  • Add the semantic version to TSLanguage, and expose an API for retrieving it (#​4135)
  • Add error information in the progress callback (#​3987)
  • bindings: Auto-detect scanners (#​3809)
  • bindings: Drop language name from node (#​3184)
  • bindings: Update some binding files (#​3952)
  • bindings: Drop python 3.9 support (#​3799)
  • bindings: Support free-threaded python build (#​3799)
  • bindings: Add opt-in zig bindings (#​4144)
  • bindings: Use cc

Configuration

📅 Schedule: Branch creation - "* 0-3 * * 1" (UTC), 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.

👻 Immortal: This PR will be recreated if closed unmerged. Get config help if that's undesired.


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

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

@renovate renovate bot requested a review from yamadashy as a code owner March 17, 2025 02:16
@renovate renovate bot added dependencies Dependencies updates renovate Renovate labels Mar 17, 2025
@cloudflare-workers-and-pages
Copy link

cloudflare-workers-and-pages bot commented Mar 17, 2025

Deploying repomix with  Cloudflare Pages  Cloudflare Pages

Latest commit: 0a670b0
Status: ✅  Deploy successful!
Preview URL: https://c0be3926.repomix.pages.dev
Branch Preview URL: https://renovate-all-minor-patch.repomix.pages.dev

View logs

@renovate renovate bot force-pushed the renovate/all-minor-patch branch from 11773c5 to 0a670b0 Compare March 17, 2025 12:08
@yamadashy yamadashy closed this Mar 17, 2025
@yamadashy yamadashy deleted the renovate/all-minor-patch branch March 17, 2025 15:23
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

dependencies Dependencies updates renovate Renovate

Projects

None yet

Development

Successfully merging this pull request may close these issues.

1 participant