⚠ This page is served via a proxy. Original site: https://github.com
This service does not collect credentials or authentication data.
Skip to content

Conversation

@dependabot
Copy link
Contributor

@dependabot dependabot bot commented on behalf of github Jan 15, 2026

Bumps the gha group with 6 updates in the /packages/traceloop-sdk directory:

Package From To
ruff 0.14.11 0.14.12
pytest-sugar 1.0.0 1.1.1
datamodel-code-generator 0.26.5 0.53.0
vcrpy 7.0.0 8.1.1
pytest-asyncio 0.23.8 1.3.0
anthropic 0.25.9 0.76.0

Updates ruff from 0.14.11 to 0.14.12

Changelog

Sourced from ruff's changelog.

0.14.12

Released on 2026-01-15.

Preview features

  • [flake8-blind-except] Allow more logging methods (BLE001) (#22057)
  • [ruff] Respect lint.pydocstyle.property-decorators in RUF066 (#22515)

Bug fixes

  • Fix configuration path in --show-settings (#22478)
  • Respect fmt: skip for multiple statements on the same logical line (#22119)

Rule changes

  • [pydocstyle] Update Rust crate imperative to v1.0.7 (D401) (#22519)
  • [isort] Insert imports in alphabetical order (I002) (#22493)

Documentation

  • Add llms.txt support for documentation (#22463)
  • Use prek in documentation and CI (#22505)
  • [flake8-pytest-style] Add check parameter example to PT017 docs (#22546)
  • [ruff] Make example error out-of-the-box (RUF103) (#22558)
  • [ruff] document RUF100 trailing comment fix behavior (#22479)

Other changes

  • wasm: Require explicit logging initialization (#22587)

Contributors

Commits

Updates pytest-sugar from 1.0.0 to 1.1.1

Release notes

Sourced from pytest-sugar's releases.

pytest-sugar 1.1.1

Adjust signature of SugarTerminalReporter to avoid conflicts with other pytest plugins (#297 by @​TolstochenkoDaniil)

pytest-sugar 1.1.0

Add Playwright trace file detection and display support for failed tests (#296 by @​kiebak3r)

This enhancement automatically detects and displays Playwright trace.zip files with viewing commands when tests fail, making debugging easier for Playwright users. Playwright trace.zip

New command-line options:

  • --sugar-trace-dir: Configure the directory name for Playwright trace files (default: test-results)
  • --sugar-no-trace: Disable Playwright trace file detection and display
Changelog

Sourced from pytest-sugar's changelog.

1.1.1 - 2025-08-23 ^^^^^^^^^^^^^^^^^^

Adjust signature of SugarTerminalReporter to avoid conflicts with other pytest plugins

Contributed by Daniil via [PR #297](Teemu/pytest-sugar#297)

1.1.0 - 2025-08-16 ^^^^^^^^^^^^^^^^^^

Add Playwright trace file detection and display support for failed tests. This enhancement automatically detects and displays Playwright trace.zip files with viewing commands when tests fail, making debugging easier for Playwright users. Playwright trace.zip

New command-line options:

  • --sugar-trace-dir: Configure the directory name for Playwright trace files (default: test-results)
  • --sugar-no-trace: Disable Playwright trace file detection and display

Contributed by kie via [PR #296](Teemu/pytest-sugar#296)

Commits
  • 8133503 Release pytest-sugar 1.1.1
  • 6798042 Fix conflict with other Pytest plugins (#297)
  • 43bbdd0 Release pytest-sugar 1.1.0
  • 855d661 Feature - Playwright Support for Trace Zip Mapping (#296)
  • 2a5862a Merge pull request #293 from cgoldberg/add-py313
  • ca26d98 Add support for Python 3.13
  • 69989eb Clarify license as BSD 3-Clause License
  • 3c86a5c Merge pull request #289 from deronnax/remove-packaging-dep
  • c123be0 remove 'packaging' package
  • efafd9c Merge pull request #282 from penguinpee/main
  • Additional commits viewable in compare view

Updates datamodel-code-generator from 0.26.5 to 0.53.0

Release notes

Sourced from datamodel-code-generator's releases.

0.53.0

Breaking Changes

Custom Template Update Required

  • Parser subclass signature change - The Parser base class now requires two generic type parameters: Parser[ParserConfigT, SchemaFeaturesT] instead of just Parser[ParserConfigT]. Custom parser subclasses must be updated to include the second type parameter. (#2929)
    # Before
    class MyCustomParser(Parser["MyParserConfig"]):
        ...
    # After
    class MyCustomParser(Parser["MyParserConfig", "JsonSchemaFeatures"]):
        ...
  • New abstract schema_features property required - Custom parser subclasses must now implement the schema_features abstract property that returns a JsonSchemaFeatures (or subclass) instance. (#2929)
    from functools import cached_property
    from datamodel_code_generator.parser.schema_version import JsonSchemaFeatures
    from datamodel_code_generator.enums import JsonSchemaVersion
    class MyCustomParser(Parser["MyParserConfig", "JsonSchemaFeatures"]):
        @cached_property
        def schema_features(self) -> JsonSchemaFeatures:
            return JsonSchemaFeatures.from_version(JsonSchemaVersion.Draft202012)
  • Parser _create_default_config refactored to use class variable - Subclasses that override _create_default_config should now set the _config_class_name class variable instead. The base implementation uses this variable to dynamically instantiate the correct config class. (#2929)
    # Before
    @classmethod
    def _create_default_config(cls, options: MyConfigDict) -> MyParserConfig:
        # custom implementation...
    # After
    _config_class_name: ClassVar[str] = "MyParserConfig"
    # No need to override _create_default_config if using standard config creation
  • Template condition for default values changed - If you use custom Jinja2 templates based on BaseModel_root.jinja2 or RootModel.jinja2, the condition for including default values has changed from field.required to (field.required and not field.has_default). Update your custom templates if you override these files. (#2960)

Code Generation Changes

  • RootModel default values now included in generated code - Previously, default values defined in JSON Schema or OpenAPI specifications for root models were not being applied to the generated Pydantic code. Now these defaults are correctly included. For example, a schema defining a root model with default: 1 will generate __root__: int = 1 (Pydantic v1) or root: int = 1 (Pydantic v2) instead of just __root__: int or root: int. This may affect code that relied on the previous behavior where RootModel fields had no default values. (#2960)
  • Required fields with list defaults now use default_factory - Previously, required fields with list-type defaults (like __root__: list[ID] = ['abc', 'efg']) were generated with direct list assignments. Now they correctly use Field(default_factory=lambda: ...) which follows Python best practices for mutable defaults. This changes the structure of generated code for root models and similar patterns with list defaults. (#2958) Before:
    class Family(BaseModel):
        __root__: list[ID] = ['abc', 'efg']
    After:
    class Family(BaseModel):

... (truncated)

Changelog

Sourced from datamodel-code-generator's changelog.

0.53.0 - 2026-01-12

Breaking Changes

Custom Template Update Required

  • Parser subclass signature change - The Parser base class now requires two generic type parameters: Parser[ParserConfigT, SchemaFeaturesT] instead of just Parser[ParserConfigT]. Custom parser subclasses must be updated to include the second type parameter. (#2929)
    # Before
    class MyCustomParser(Parser["MyParserConfig"]):
        ...
    # After
    class MyCustomParser(Parser["MyParserConfig", "JsonSchemaFeatures"]):
        ...
  • New abstract schema_features property required - Custom parser subclasses must now implement the schema_features abstract property that returns a JsonSchemaFeatures (or subclass) instance. (#2929)
    from functools import cached_property
    from datamodel_code_generator.parser.schema_version import JsonSchemaFeatures
    from datamodel_code_generator.enums import JsonSchemaVersion
    class MyCustomParser(Parser["MyParserConfig", "JsonSchemaFeatures"]):
        @cached_property
        def schema_features(self) -> JsonSchemaFeatures:
            return JsonSchemaFeatures.from_version(JsonSchemaVersion.Draft202012)
  • Parser _create_default_config refactored to use class variable - Subclasses that override _create_default_config should now set the _config_class_name class variable instead. The base implementation uses this variable to dynamically instantiate the correct config class. (#2929)
    # Before
    @classmethod
    def _create_default_config(cls, options: MyConfigDict) -> MyParserConfig:
        # custom implementation...
    # After
    _config_class_name: ClassVar[str] = "MyParserConfig"
    # No need to override _create_default_config if using standard config creation
  • Template condition for default values changed - If you use custom Jinja2 templates based on BaseModel_root.jinja2 or RootModel.jinja2, the condition for including default values has changed from field.required to (field.required and not field.has_default). Update your custom templates if you override these files. (#2960)

Code Generation Changes

  • RootModel default values now included in generated code - Previously, default values defined in JSON Schema or OpenAPI specifications for root models were not being applied to the generated Pydantic code. Now these defaults are correctly included. For example, a schema defining a root model with default: 1 will generate __root__: int = 1 (Pydantic v1) or root: int = 1 (Pydantic v2) instead of just __root__: int or root: int. This may affect code that relied on the previous behavior where RootModel fields had no default values. (#2960)
  • Required fields with list defaults now use default_factory - Previously, required fields with list-type defaults (like __root__: list[ID] = ['abc', 'efg']) were generated with direct list assignments. Now they correctly use Field(default_factory=lambda: ...) which follows Python best practices for mutable defaults. This changes the structure of generated code for root models and similar patterns with list defaults. (#2958) Before:
    class Family(BaseModel):
        __root__: list[ID] = ['abc', 'efg']
    After:

... (truncated)

Commits
  • a6a7b04 Fix bug in handling of graphql empty list defaults (#2948)
  • 838b2a0 Fix array RootModel default value handling in parser (#2963)
  • e717208 Fix allOf array property merging to preserve child $ref (#2962)
  • ae89a00 Add GenerateConfig lazy import from top-level module (#2961)
  • 88c7fe4 Fix required list fields ignoring empty default values (#2958)
  • 4cbf3bf Fix RootModel default value not being applied (#2960)
  • aa088d6 Add --use-closed-typed-dict option to control PEP 728 TypedDict generation (#...
  • 98f3a48 Fix IndexError when using --reuse-scope=tree with single file output (#2954)
  • fa1fc11 fix: move UnionMode import outside TYPE_CHECKING for Pydantic runtime… (#2950)
  • 4decf36 Add comprehensive feature metadata to schema version dataclasses (#2946)
  • Additional commits viewable in compare view

Updates vcrpy from 7.0.0 to 8.1.1

Release notes

Sourced from vcrpy's releases.

v8.1.1

What's Changed

  • Fix sync requests in async contexts for HTTPX (#965) - thanks @​seowalex
  • CI: bump peter-evans/create-pull-request from 7 to 8 (#969)

v8.1.0

New Features

  • Enable brotli decompression if available (via brotli, brotlipy or brotlicffi) (#620) - thanks @​immerrr

Bug Fixes

Other Changes

Full Changelog: kevin1024/vcrpy@v8.0.0...v8.1.0

v8.0.0

Breaking Changes

New Features

  • New drop_unused_requests option to remove unused interactions from cassettes (#763) - thanks @​danielnsilva

Bug Fixes

  • Rewrite httpx support to patch httpcore instead of httpx (#943) - thanks @​seowalex
    • Fixes httpx.ResponseNotRead exceptions (#832, #834)
    • Fixes KeyError: 'follow_redirects' (#945)
    • Adds support for custom httpx transports
  • Fix HTTPS proxy handling - proxy address no longer ends up in cassette URIs (#809, #914) - thanks @​alga
  • Fix iscoroutinefunction deprecation warning on Python 3.14 - thanks @​kloczek

Other Changes

Full Changelog: kevin1024/vcrpy@v7.0.0...v8.0.0

Changelog

Sourced from vcrpy's changelog.

Changelog

For a full list of triaged issues, bugs and PRs and what release they are targeted for please see the following link.

ROADMAP MILESTONES <https://github.com/kevin1024/vcrpy/milestones>_

All help in providing PRs to close out bug issues is appreciated. Even if that is providing a repo that fully replicates issues. We have very generous contributors that have added these to bug issues which meant another contributor picked up the bug and closed it out.

  • 8.1.1

    • Fix sync requests in async contexts for HTTPX (#965) - thanks @​seowalex
    • CI: bump peter-evans/create-pull-request from 7 to 8 (#969)
  • 8.1.0

  • 8.0.0

    • BREAKING: Drop support for Python 3.9 (major version bump) - thanks @​jairhenrique
    • BREAKING: Drop support for urllib3 < 2 - fixes CVE warnings from urllib3 1.x (#926, #880) - thanks @​jairhenrique
    • New feature: drop_unused_requests option to remove unused interactions from cassettes (#763) - thanks @​danielnsilva
    • Rewrite httpx support to patch httpcore instead of httpx (#943) - thanks @​seowalex
      • Fixes httpx.ResponseNotRead exceptions (#832, #834)
      • Fixes KeyError: 'follow_redirects' (#945)
      • Adds support for custom httpx transports
    • Fix HTTPS proxy handling - proxy address no longer ends up in cassette URIs (#809, #914) - thanks @​alga
    • Fix iscoroutinefunction deprecation warning on Python 3.14 - thanks @​kloczek
    • Only log message if response is appended - thanks @​talfus-laddus
    • Optimize urllib.parse calls - thanks @​Martin-Brunthaler
    • Fix CI for Ubuntu 24.04 - thanks @​hartwork
    • Various CI improvements: migrate to uv, update GitHub Actions - thanks @​jairhenrique
    • Various linting and test improvements - thanks @​jairhenrique and @​hartwork
  • 7.0.0

  • 6.0.2

  • 6.0.1

    • Bugfix with to Tornado cassette generator (thanks @​graingert)
  • 6.0.0

... (truncated)

Commits
  • 9b58663 Release v8.1.1
  • 3780f58 build(deps): bump peter-evans/create-pull-request from 7 to 8 (#969)
  • 1b70394 Split sync and async HTTPX handlers (#965)
  • ca4b1e1 Merge pull request #960 from kevin1024/precommit-autoupdate
  • b122b5c Release v8.1.0
  • 4883e3e Migrate to declarative Python package config (#767)
  • 5678b13 Fix ruff SIM117: use combined with statement
  • 48f5f84 Fix ruff linting issues in aiohttp tests
  • 31d8c34 aiohttp: Allow both data and json arguments (#624)
  • b28316a Enable brotli decompression if it is available (#620)
  • Additional commits viewable in compare view

Updates pytest-asyncio from 0.23.8 to 1.3.0

Release notes

Sourced from pytest-asyncio's releases.

pytest-asyncio 1.3.0

1.3.0 - 2025-11-10

Removed

  • Support for Python 3.9 (#1278)

Added

  • Support for pytest 9 (#1279)

Notes for Downstream Packagers

  • Tested Python versions include free threaded Python 3.14t (#1274)
  • Tests are run in the same pytest process, instead of spawning a subprocess with pytest.Pytester.runpytest_subprocess. This prevents the test suite from accidentally using a system installation of pytest-asyncio, which could result in test errors. (#1275)

pytest-asyncio 1.2.0

1.2.0 - 2025-09-12

Added

  • --asyncio-debug CLI option and asyncio_debug configuration option to enable asyncio debug mode for the default event loop. (#980)
  • A pytest.UsageError for invalid configuration values of asyncio_default_fixture_loop_scope and asyncio_default_test_loop_scope. (#1189)
  • Compatibility with the Pyright type checker (#731)

Fixed

  • RuntimeError: There is no current event loop in thread 'MainThread' when any test unsets the event loop (such as when using asyncio.run and asyncio.Runner). (#1177)
  • Deprecation warning when decorating an asynchronous fixture with @pytest.fixture in [strict]{.title-ref} mode. The warning message now refers to the correct package. (#1198)

Notes for Downstream Packagers

  • Bump the minimum required version of tox to v4.28. This change is only relevant if you use the tox.ini file provided by pytest-asyncio to run tests.
  • Extend dependency on typing-extensions>=4.12 from Python<3.10 to Python<3.13.

pytest-asyncio 1.1.1

v1.1.1 - 2025-09-12

Notes for Downstream Packagers

- Addresses a build problem with setuptoos-scm >= 9 caused by invalid setuptools-scm configuration in pytest-asyncio. (#1192)

pytest-asyncio 1.1.0

Added

  • Propagation of ContextVars from async fixtures to other fixtures and tests on Python 3.10 and older (#127)
  • Cancellation of tasks when the loop_scope ends (#200)
  • Warning when the current event loop is closed by a test

Fixed

... (truncated)

Commits
  • 2e9695f docs: Compile changelog for v1.3.0
  • dd0e9ba docs: Reference correct issue in news fragment.
  • 4c31abe Build(deps): Bump nh3 from 0.3.1 to 0.3.2
  • 13e9477 Link to migration guides from changelog
  • 4d2cf3c tests: handle Python 3.14 DefaultEventLoopPolicy deprecation warnings
  • ee3549b test: Remove obsolete test for the event_loop fixture.
  • 7a67c82 tests: Fix failing test by preventing warning conversion to error.
  • a17b689 test: add pytest config to isolated test directories
  • 18afc9d fix(tests): replace runpytest_subprocess with runpytest
  • cdc6bd1 Add support for pytest 9 and drop Python 3.9 support
  • Additional commits viewable in compare view

Updates anthropic from 0.25.9 to 0.76.0

Release notes

Sourced from anthropic's releases.

v0.76.0

0.76.0 (2026-01-13)

Full Changelog: v0.75.0...v0.76.0

Features

  • allow raw JSON schema to be passed to messages.stream() (955c61d)
  • client: add support for binary request streaming (5302f27)
  • tool runner: add support for server-side tools (#1086) (1521316)

Bug Fixes

  • client: loosen auth header validation (5a0b89b)
  • ensure streams are always closed (388bd0c)
  • types: allow pyright to infer TypedDict types within SequenceNotStr (ede3242)
  • use async_to_httpx_files in patch method (718fa8e)

Chores

  • add missing docstrings (d306605)
  • bump required uv version (90634f3)
  • ci: Add Claude Code GitHub Workflow (#1293) (83d1c4a)
  • deps: mypy 1.18.1 has a regression, pin to 1.17 (21c6374)
  • docs: use environment variables for authentication in code snippets (87aa378)
  • fix docstring (51fca79)
  • internal: add --fix argument to lint script (8914b7a)
  • internal: add missing files argument to base client (6285abc)
  • internal: avoid using unstable Python versions in tests (4547171)
  • update lockfile (d7ae1fc)
  • update uv.lock (746ac05)

v0.75.0

0.75.0 (2025-11-24)

Full Changelog: v0.74.1...v0.75.0

Features

  • api: adds support for Claude Opus 4.5, Effort, Advance Tool Use Features, Autocompaction, and Computer Use v5 (5c3e633)

Bug Fixes

Chores

... (truncated)

Changelog

Sourced from anthropic's changelog.

0.76.0 (2026-01-13)

Full Changelog: v0.75.0...v0.76.0

Features

  • allow raw JSON schema to be passed to messages.stream() (955c61d)
  • client: add support for binary request streaming (5302f27)
  • tool runner: add support for server-side tools (#1086) (1521316)

Bug Fixes

  • client: loosen auth header validation (5a0b89b)
  • ensure streams are always closed (388bd0c)
  • types: allow pyright to infer TypedDict types within SequenceNotStr (ede3242)
  • use async_to_httpx_files in patch method (718fa8e)

Chores

  • add missing docstrings (d306605)
  • bump required uv version (90634f3)
  • ci: Add Claude Code GitHub Workflow (#1293) (83d1c4a)
  • deps: mypy 1.18.1 has a regression, pin to 1.17 (21c6374)
  • docs: use environment variables for authentication in code snippets (87aa378)
  • fix docstring (51fca79)
  • internal: add --fix argument to lint script (8914b7a)
  • internal: add missing files argument to base client (6285abc)
  • internal: avoid using unstable Python versions in tests (4547171)
  • update lockfile (d7ae1fc)
  • update uv.lock (746ac05)

0.75.0 (2025-11-24)

Full Changelog: v0.74.1...v0.75.0

Features

  • api: adds support for Claude Opus 4.5, Effort, Advance Tool Use Features, Autocompaction, and Computer Use v5 (5c3e633)

Bug Fixes

Chores

... (truncated)

Commits
  • 9b5ab24 release: 0.76.0
  • e638d2e feat(client): add support for binary request streaming
  • 939a9aa codegen metadata
  • 1fb3773 fix(client): loosen auth header validation
  • 103dd1f chore(ci): Add Claude Code GitHub Workflow (#1293)
  • b9d03eb chore(internal): add --fix argument to lint script
  • 0e15b87 fix: use async_to_httpx_files in patch method
  • 981bbc7 chore(internal): add missing files argument to base client
  • 9d2a4cc codegen metadata
  • c7f9600 codegen metadata
  • Additional commits viewable in compare view

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 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 merge will merge this PR after your CI passes on it
  • @dependabot squash and merge will squash and merge this PR after your CI passes on it
  • @dependabot cancel merge will cancel a previously requested merge and block automerging
  • @dependabot reopen will reopen this PR if it is closed
  • @dependabot close will close this PR and stop Dependabot recreating it. You can achieve the same result by closing it manually
  • @dependabot show <dependency name> ignore conditions will show all of the ignore conditions of the specified dependency
  • @dependabot ignore <dependency name> 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 <dependency name> 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 <dependency name> 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 <dependency name> will remove all of the ignore conditions of the specified dependency
  • @dependabot unignore <dependency name> <ignore condition> will remove the ignore condition of the specified dependency and ignore conditions

Important

Update development dependencies in traceloop-sdk to latest versions for improved compatibility and features.

  • Dependencies Updated:
    • pytest-sugar updated from 1.0.0 to 1.1.1.
    • datamodel-code-generator updated from 0.26.5 to 0.53.0.
    • vcrpy updated from 7.0.0 to 8.1.1.
    • pytest-asyncio updated from 0.23.8 to 1.3.0.
    • anthropic updated from 0.25.9 to 0.76.0.
  • Files Affected:
    • pyproject.toml in packages/traceloop-sdk directory.

This description was created by Ellipsis for 438083a. You can customize this summary. It will automatically update as commits are pushed.

Bumps the gha group with 6 updates in the /packages/traceloop-sdk directory:

| Package | From | To |
| --- | --- | --- |
| [ruff](https://github.com/astral-sh/ruff) | `0.14.11` | `0.14.12` |
| [pytest-sugar](https://github.com/Teemu/pytest-sugar) | `1.0.0` | `1.1.1` |
| [datamodel-code-generator](https://github.com/koxudaxi/datamodel-code-generator) | `0.26.5` | `0.53.0` |
| [vcrpy](https://github.com/kevin1024/vcrpy) | `7.0.0` | `8.1.1` |
| [pytest-asyncio](https://github.com/pytest-dev/pytest-asyncio) | `0.23.8` | `1.3.0` |
| [anthropic](https://github.com/anthropics/anthropic-sdk-python) | `0.25.9` | `0.76.0` |



Updates `ruff` from 0.14.11 to 0.14.12
- [Release notes](https://github.com/astral-sh/ruff/releases)
- [Changelog](https://github.com/astral-sh/ruff/blob/main/CHANGELOG.md)
- [Commits](https://github.com/astral-sh/ruff/commits)

Updates `pytest-sugar` from 1.0.0 to 1.1.1
- [Release notes](https://github.com/Teemu/pytest-sugar/releases)
- [Changelog](https://github.com/Teemu/pytest-sugar/blob/main/CHANGES.rst)
- [Commits](Teemu/pytest-sugar@v1.0.0...v1.1.1)

Updates `datamodel-code-generator` from 0.26.5 to 0.53.0
- [Release notes](https://github.com/koxudaxi/datamodel-code-generator/releases)
- [Changelog](https://github.com/koxudaxi/datamodel-code-generator/blob/main/CHANGELOG.md)
- [Commits](koxudaxi/datamodel-code-generator@0.26.5...0.53.0)

Updates `vcrpy` from 7.0.0 to 8.1.1
- [Release notes](https://github.com/kevin1024/vcrpy/releases)
- [Changelog](https://github.com/kevin1024/vcrpy/blob/master/docs/changelog.rst)
- [Commits](kevin1024/vcrpy@v7.0.0...v8.1.1)

Updates `pytest-asyncio` from 0.23.8 to 1.3.0
- [Release notes](https://github.com/pytest-dev/pytest-asyncio/releases)
- [Commits](pytest-dev/pytest-asyncio@v0.23.8...v1.3.0)

Updates `anthropic` from 0.25.9 to 0.76.0
- [Release notes](https://github.com/anthropics/anthropic-sdk-python/releases)
- [Changelog](https://github.com/anthropics/anthropic-sdk-python/blob/main/CHANGELOG.md)
- [Commits](anthropics/anthropic-sdk-python@v0.25.9...v0.76.0)

---
updated-dependencies:
- dependency-name: ruff
  dependency-version: 0.14.12
  dependency-type: direct:development
  update-type: version-update:semver-patch
  dependency-group: gha
- dependency-name: pytest-sugar
  dependency-version: 1.1.1
  dependency-type: direct:development
  update-type: version-update:semver-minor
  dependency-group: gha
- dependency-name: datamodel-code-generator
  dependency-version: 0.53.0
  dependency-type: direct:development
  update-type: version-update:semver-minor
  dependency-group: gha
- dependency-name: vcrpy
  dependency-version: 8.1.1
  dependency-type: direct:development
  update-type: version-update:semver-major
  dependency-group: gha
- dependency-name: pytest-asyncio
  dependency-version: 1.3.0
  dependency-type: direct:development
  update-type: version-update:semver-major
  dependency-group: gha
- dependency-name: anthropic
  dependency-version: 0.76.0
  dependency-type: direct:development
  update-type: version-update:semver-minor
  dependency-group: gha
...

Signed-off-by: dependabot[bot] <[email protected]>
@dependabot dependabot bot added the dependencies Pull requests that update a dependency file label Jan 15, 2026
@coderabbitai
Copy link

coderabbitai bot commented Jan 15, 2026

Important

Review skipped

Bot user detected.

To trigger a single review, invoke the @coderabbitai review command.

You can disable this status message by setting the reviews.review_status to false in the CodeRabbit configuration file.


Comment @coderabbitai help to get the list of available commands and usage tips.

Copy link
Contributor

@ellipsis-dev ellipsis-dev bot left a comment

Choose a reason for hiding this comment

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

Important

Looks good to me! 👍

Reviewed everything up to 438083a in 1 minute and 5 seconds. Click for details.
  • Reviewed 30 lines of code in 1 files
  • Skipped 1 files when reviewing.
  • Skipped posting 5 draft comments. View those below.
  • Modify your settings and rules to customize what types of comments Ellipsis leaves. And don't forget to react with 👍 or 👎 to teach Ellipsis.
1. packages/traceloop-sdk/pyproject.toml:75
  • Draft comment:
    Bump of pytest-sugar to 1.1.1 adds new features (e.g., Playwright trace support). Confirm that the updated reporter behavior is compatible with your test suite.
  • Reason this comment was not posted:
    Comment did not seem useful. Confidence is useful = 0% <= threshold 50% This comment is related to a dependency change, specifically the bump of pytest-sugar to version 1.1.1. The comment asks the PR author to confirm compatibility with their test suite, which violates the rule against asking for confirmation or verification of behavior. Therefore, this comment should be removed.
2. packages/traceloop-sdk/pyproject.toml:80
  • Draft comment:
    The version range for datamodel-code-generator is widened to <0.54.0. This release has breaking changes in parser signatures and custom templates. Verify any custom parser/template code is updated.
  • Reason this comment was not posted:
    Comment did not seem useful. Confidence is useful = 0% <= threshold 50% The comment is discussing a dependency change, specifically the version range for datamodel-code-generator. It mentions breaking changes in parser signatures and custom templates, and advises verifying custom parser/template code is updated. This is related to dependencies, which the rules specify should not be commented on unless it's about confirming intentionality or a specific suggestion. This comment does not fit those criteria.
3. packages/traceloop-sdk/pyproject.toml:84
  • Draft comment:
    vcrpy version range is increased to support v8.x releases. Double-check that all usage (especially async contexts) works with v8.1.x.
  • Reason this comment was not posted:
    Comment did not seem useful. Confidence is useful = 0% <= threshold 50% This comment is asking the PR author to double-check compatibility with a new version of a dependency, which violates the rule against asking for confirmation or double-checking. It does not provide a specific suggestion or point out a specific issue.
4. packages/traceloop-sdk/pyproject.toml:87
  • Draft comment:
    pytest-asyncio is updated to a major new version. Check that test async fixtures and event loop handling are compatible with v1.3.0.
  • Reason this comment was not posted:
    Comment did not seem useful. Confidence is useful = 0% <= threshold 50% This comment is about a dependency update, specifically pytest-asyncio, and suggests checking compatibility with the new version. It doesn't provide a specific suggestion or point out a specific issue in the code. It falls under the rule of not commenting on dependency changes unless it's a recognized issue or specific suggestion.
5. packages/traceloop-sdk/pyproject.toml:88
  • Draft comment:
    anthropic SDK is updated significantly. Review integration for any breaking changes introduced in versions up to 0.76.0.
  • Reason this comment was not posted:
    Comment did not seem useful. Confidence is useful = 0% <= threshold 50% This comment is asking the PR author to review for breaking changes, which is similar to asking them to ensure the behavior is intended or to double-check things. It doesn't provide a specific suggestion or point out a specific issue in the code.

Workflow ID: wflow_OlAbPNVpOE9oVDLz

You can customize Ellipsis by changing your verbosity settings, reacting with 👍 or 👎, replying to comments, or adding code review rules.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

dependencies Pull requests that update a dependency file

Projects

None yet

Development

Successfully merging this pull request may close these issues.

1 participant