Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

chore(deps): update all non-major dependencies #961

Open
wants to merge 1 commit into
base: dev
Choose a base branch
from

Conversation

renovatebotcpg[bot]
Copy link

@renovatebotcpg renovatebotcpg bot commented Sep 30, 2024

This PR contains the following updates:

Package Update Change Pending
fastapi (changelog) minor ==0.112.2 -> ==0.115.0
google-cloud-bigquery minor ==3.11.4 -> ==3.26.0
google-cloud-logging patch ==2.7.0 -> ==2.7.2
google-cloud-pubsub minor ==2.18.3 -> ==2.25.2 2.26.0
google-cloud-storage minor ==1.43.0 -> ==1.44.0
python-dateutil minor ==2.8.2 -> ==2.9.0.post0
slack-sdk minor ==3.20.2 -> ==3.33.1
strawberry-graphql (source, changelog) minor ==0.243.0 -> ==0.246.0 0.246.1
uvicorn (changelog) minor ==0.29.0 -> ==0.31.0 0.31.1

Release Notes

fastapi/fastapi (fastapi)

v0.115.0

Compare Source

Highlights

Now you can declare Query, Header, and Cookie parameters with Pydantic models. 🎉

Query Parameter Models

Use Pydantic models for Query parameters:

from typing import Annotated, Literal

from fastapi import FastAPI, Query
from pydantic import BaseModel, Field

app = FastAPI()

class FilterParams(BaseModel):
    limit: int = Field(100, gt=0, le=100)
    offset: int = Field(0, ge=0)
    order_by: Literal["created_at", "updated_at"] = "created_at"
    tags: list[str] = []

@​app.get("/items/")
async def read_items(filter_query: Annotated[FilterParams, Query()]):
    return filter_query

Read the new docs: Query Parameter Models.

Header Parameter Models

Use Pydantic models for Header parameters:

from typing import Annotated

from fastapi import FastAPI, Header
from pydantic import BaseModel

app = FastAPI()

class CommonHeaders(BaseModel):
    host: str
    save_data: bool
    if_modified_since: str | None = None
    traceparent: str | None = None
    x_tag: list[str] = []

@​app.get("/items/")
async def read_items(headers: Annotated[CommonHeaders, Header()]):
    return headers

Read the new docs: Header Parameter Models.

Cookie Parameter Models

Use Pydantic models for Cookie parameters:

from typing import Annotated

from fastapi import Cookie, FastAPI
from pydantic import BaseModel

app = FastAPI()

class Cookies(BaseModel):
    session_id: str
    fatebook_tracker: str | None = None
    googall_tracker: str | None = None

@​app.get("/items/")
async def read_items(cookies: Annotated[Cookies, Cookie()]):
    return cookies

Read the new docs: Cookie Parameter Models.

Forbid Extra Query (Cookie, Header) Parameters

Use Pydantic models to restrict extra values for Query parameters (also applies to Header and Cookie parameters).

To achieve it, use Pydantic's model_config = {"extra": "forbid"}:

from typing import Annotated, Literal

from fastapi import FastAPI, Query
from pydantic import BaseModel, Field

app = FastAPI()

class FilterParams(BaseModel):
    model_config = {"extra": "forbid"}

    limit: int = Field(100, gt=0, le=100)
    offset: int = Field(0, ge=0)
    order_by: Literal["created_at", "updated_at"] = "created_at"
    tags: list[str] = []

@​app.get("/items/")
async def read_items(filter_query: Annotated[FilterParams, Query()]):
    return filter_query

This applies to Query, Header, and Cookie parameters, read the new docs:

Features
  • ✨ Add support for Pydantic models for parameters using Query, Cookie, Header. PR #​12199 by @​tiangolo.
Translations
  • 🌐 Add Portuguese translation for docs/pt/docs/advanced/security/http-basic-auth.md. PR #​12195 by @​ceb10n.
Internal

v0.114.2

Compare Source

Fixes
Translations
Internal

v0.114.1

Compare Source

Refactors
  • ⚡️ Improve performance in request body parsing with a cache for internal model fields. PR #​12184 by @​tiangolo.
Docs
  • 📝 Remove duplicate line in docs for docs/en/docs/environment-variables.md. PR #​12169 by @​prometek.
Translations
Internal

v0.114.0

Compare Source

You can restrict form fields to only include those declared in a Pydantic model and forbid any extra field sent in the request using Pydantic's model_config = {"extra": "forbid"}:

from typing import Annotated

from fastapi import FastAPI, Form
from pydantic import BaseModel

app = FastAPI()

class FormData(BaseModel):
    username: str
    password: str
    model_config = {"extra": "forbid"}

@​app.post("/login/")
async def login(data: Annotated[FormData, Form()]):
    return data

Read the new docs: Form Models - Forbid Extra Form Fields.

Features
Docs
Internal
  • ✅ Update internal tests for latest Pydantic, including CI tweaks to install the latest Pydantic. PR #​12147 by @​tiangolo.

v0.113.0

Compare Source

Now you can declare form fields with Pydantic models:

from typing import Annotated

from fastapi import FastAPI, Form
from pydantic import BaseModel

app = FastAPI()

class FormData(BaseModel):
    username: str
    password: str

@​app.post("/login/")
async def login(data: Annotated[FormData, Form()]):
    return data

Read the new docs: Form Models.

Features
Internal

v0.112.4

Compare Source

This release is mainly a big internal refactor to enable adding support for Pydantic models for Form fields, but that feature comes in the next release.

This release shouldn't affect apps using FastAPI in any way. You don't even have to upgrade to this version yet. It's just a checkpoint. 🤓

Refactors
  • ♻️ Refactor deciding if embed body fields, do not overwrite fields, compute once per router, refactor internals in preparation for Pydantic models in Form, Query and others. PR #​12117 by @​tiangolo.
Internal
  • ⏪️ Temporarily revert "✨ Add support for Pydantic models in Form parameters" to make a checkpoint release. PR #​12128 by @​tiangolo.
  • ✨ Add support for Pydantic models in Form parameters. PR #​12127 by @​tiangolo. Reverted to make a checkpoint release with only refactors.

v0.112.3

Compare Source

This release is mainly internal refactors, it shouldn't affect apps using FastAPI in any way. You don't even have to upgrade to this version yet. There are a few bigger releases coming right after. 🚀

Refactors
  • ♻️ Refactor internal check_file_field(), rename to ensure_multipart_is_installed() to clarify its purpose. PR #​12106 by @​tiangolo.
  • ♻️ Rename internal create_response_field() to create_model_field() as it's used for more than response models. PR #​12103 by @​tiangolo.
  • ♻️ Refactor and simplify internal data from solve_dependencies() using dataclasses. PR #​12100 by @​tiangolo.
  • ♻️ Refactor and simplify internal analyze_param() to structure data with dataclasses instead of tuple. PR #​12099 by @​tiangolo.
  • ♻️ Refactor and simplify dependencies data structures with dataclasses. PR #​12098 by @​tiangolo.
Docs
Translations
Internal
googleapis/python-bigquery (google-cloud-bigquery)

v3.26.0

Compare Source

Features
Bug Fixes
  • Add docfx to the presubmit configuration and delete docs-presubmit (#​1995) (bd83cfd)
  • Add warning when encountering unknown field types (#​1989) (8f5a41d)
  • Allow protobuf 5.x; require protobuf >=3.20.2; proto-plus >=1.22.3 (#​1976) (57bf873)
  • Do not set job timeout extra property if None (#​1987) (edcb79c)
  • Set pyarrow field nullable to False for a BigQuery field in REPEATED mode (#​1999) (5352870)
Dependencies
  • Bump min version of google-api-core and google-cloud-core to 2.x (#​1972) (a958732)
Documentation

v3.25.0

Compare Source

Features
Bug Fixes
  • Do not overwrite page_size with max_results when start_index is set (#​1956) (7d0fcee)

v3.24.0

Compare Source

Features
Bug Fixes
Performance Improvements
  • If page_size or max_results is set on QueryJob.result(), use to download first page of results (#​1942) (3e7a48d)

v3.23.1

Compare Source

Performance Improvements
  • Decrease the threshold in which we use the BQ Storage Read API (#​1925) (eaa1a52)

v3.23.0

Compare Source

Features
Bug Fixes

v3.22.0

Compare Source

Features

v3.21.0

Compare Source

Features
Bug Fixes
Performance Improvements
  • Avoid unnecessary API call in QueryJob.result() when job is already finished (#​1900) (1367b58)

v3.20.1

Compare Source

Bug Fixes
  • Make pyarrow an optional dependency post-3.20.0 yanked release (#​1879) (21714e1)

v3.20.0

Compare Source

Features
  • Add fields parameter to set_iam_policy for consistency with update methods (#​1872) (08b1e6f)
Bug Fixes
  • Correct type checking (#​1848) (2660dbd)
  • Update error logging when converting to pyarrow column fails (#​1836) (0ac6e9b)
  • Updates a number of optional dependencies (#​1864) (c2496a1)
  • Use an allowlist instead of denylist to determine when query_and_wait uses jobs.query API (#​1869) (e265db6)

v3.19.0

Compare Source

Features
Bug Fixes
  • Add google-auth as a direct dependency (713ce2c)
  • Augment universe_domain handling (#​1837) (53c2cbf)
  • deps: Require google-api-core>=1.34.1, >=2.11.0 (713ce2c)
  • Supplementary fix to env-based universe resolution (#​1844) (b818992)
  • Supplementary fix to env-based universe resolution (#​1847) (6dff50f)

v3.18.0

Compare Source

Features
Bug Fixes
Documentation
  • samples: Updates to urllib3 constraint for Python 3.7 (#​1834) (b099c32)
  • Update client_query_w_named_params.py to use query_and_wait API (#​1782) (89dfcb6)

v3.17.2

Compare Source

Bug Fixes
Documentation
  • Update to use API (#​1781) (81563b0)
  • Update client_query_destination_table.py sample to use query_and_wait (#​1783) (68ebbe1)
  • Update query_external_sheets_permanent_table.py to use query_and_wait API (#​1778) (a7be88a)
  • Update sample for query_to_arrow to use query_and_wait API (#​1776) (dbf10de)
  • Update the query destination table legacy file to use query_and_wait API (#​1775) (ef89f9e)
  • Update to use query_and_wait in client_query_w_positional_params.py (#​1786) (410f71e)
  • Update to use query_and_wait in samples/client_query_w_timestamp_params.py (#​1785) (ba36948)
  • Update to_geodataframe to use query_and_wait functionality (#​1800) (1298594)

v3.17.1

Compare Source

Bug Fixes
  • Add pyarrow.large_strign to the _ARROW_SCALAR_IDS_TO_BQ map (#​1796) (b402a6d)
  • Retry 'job exceeded rate limits' for DDL queries (#​1794) (39f33b2)

v3.17.0

Compare Source

Features
Bug Fixes
  • query_and_wait now retains unknown query configuration _properties (#​1793) (4ba4342)
  • Raise ValueError in query_and_wait with wrong job_config type (4ba4342)
Documentation
  • Remove unused query code sample (#​1769) (1f96439)
  • Update snippets.py to use query_and_wait (#​1773) (d90602d)
  • Update multiple samples to change query to query_and_wait (#​1784) (d1161dd)
  • Update the query with no cache sample to use query_and_wait API (#​1770) (955a4cd)
  • Updates query to query and wait in samples/desktopapp/user_credentials.py (#​1787) (89f1299)

v3.16.0

Compare Source

Features
Bug Fixes

v3.15.0

Compare Source

Features
Bug Fixes
  • Deserializing JSON subfields within structs fails (#​1742) (0d93073)
  • Due to upstream change in dataset, updates expected results (#​1761) (132c14b)
  • Load_table_from_dataframe for higher scale decimal (#​1703) (b9c8be0)
  • Updates types-protobuf version for mypy-samples nox session (#​1764) (c0de695)
Performance Improvements
  • DB-API uses more efficient query_and_wait when no job ID is provided (#​1747) (d225a94)

v3.14.1

Compare Source

Bug Fixes

v3.14.0

Compare Source

Features
Bug Fixes
  • load_table_from_dataframe now assumes there may be local null values (#​1735) (f05dc69)
  • Ensure query job retry has longer deadline than API request deadline (#​1734) (5573579)
  • Keep RowIterator.total_rows populated after iteration (#​1748) (8482f47)
  • Move grpc, proto-plus and protobuf packages to extras (#​1721) (5ce4d13)
Performance Improvements
  • Use the first page a results when query(api_method="QUERY") (#​1723) (6290517)

v3.13.0

Compare Source

Features
Bug Fixes
Documentation

v3.12.0

Compare Source

Features
  • Add Dataset.storage_billing_model setter, use client.update_dataset(ds, fields=["storage_billing_model"]) to update (#​1643) (5deba50)
  • Search statistics (#​1616) (b930e46)
  • Widen retry predicate to include ServiceUnavailable (#​1641) (3e021a4)
Bug Fixes
Documentation
googleapis/python-logging (google-cloud-logging)

v2.7.2

Compare Source

Bug Fixes

v2.7.1

Compare Source

2.7.1 (2022-04-06)
Bug Fixes
  • deps: require google-api-core >= 1.31.5, >= 2.3.2 on v2 release (#​501) (0c5d9aa)
googleapis/python-pubsub (google-cloud-pubsub)

v2.25.2

Compare Source

Documentation
  • Add command line args for OpenTelemetry Subscribe sample (#​1265) (0ff7f2a)

v2.25.1

Compare Source

Bug Fixes

v2.25.0

Compare Source

Features

v2.23.1

Compare Source

Bug Fixes
  • Replace asserts with None checks for graceful shutdown (#​1244) (ced4f52)

v2.23.0

Compare Source

Features
  • Add max messages batching for Cloud Storage subscriptions (#​1224) (91c89d3)

v2.22.0

Compare Source

Features
  • Add service_account_email for export subscriptions (ec0cc34)
  • Add use_topic_schema for Cloud Storage Subscriptions (ec0cc34)

v2.21.5

Compare Source

Bug Fixes

v2.21.4

Compare Source

Documentation

v2.21.3

Compare Source

Bug Fixes
  • Race condition where future callbacks invoked before client is in paused state (#​1145) (d12bac6)
  • Suppress warnings caused during pytest runs (#​1189) (cd51149)
  • Typecheck errors in samples/snippets/subscriber.py (#​1186) (3698450)

v2.21.2

Compare Source

Bug Fixes

[v2.21.1](https://redirect.github.com/goog


Configuration

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

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

Rebasing: Whenever PR is behind base branch, 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 has been generated by Renovate Bot.

@renovatebotcpg
Copy link
Author

renovatebotcpg bot commented Sep 30, 2024

⚠️ Artifact update problem

Renovate failed to update artifacts related to this branch. You probably do not want to merge this PR as-is.

♻ Renovate will retry this branch, including artifacts, only when one of the following happens:

  • any of the package files in this branch needs updating, or
  • the branch becomes conflicted, or
  • you click the rebase/retry checkbox if found above, or
  • you rename this PR's title to start with "rebase!" to trigger it manually

The artifact failure details are included below:

File name: requirements.txt
Command failed: pip-compile requirements.in
  ERROR: Cannot install -r requirements.in (line 13) because these package versions have conflicting dependencies.
Discarding protobuf==4.25.4 (from -r requirements.txt (line 217)) to proceed the resolution
  ERROR: Cannot install -r requirements.in (line 13), -r requirements.in (line 14), -r requirements.in (line 15), google-api-core, google-api-core[grpc]==2.19.2, google-cloud-logging and google-cloud-pubsub because these package versions have conflicting dependencies.
Traceback (most recent call last):
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/pip/_internal/resolution/resolvelib/resolver.py", line 95, in resolve
    result = self._result = resolver.resolve(
                            ^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/pip/_vendor/resolvelib/resolvers.py", line 546, in resolve
    state = resolution.resolve(requirements, max_rounds=max_rounds)
            ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/pip/_vendor/resolvelib/resolvers.py", line 439, in resolve
    raise ResolutionImpossible(self.state.backtrack_causes)
pip._vendor.resolvelib.resolvers.ResolutionImpossible: [RequirementInformation(requirement=SpecifierRequirement('protobuf<4.0.0dev'), parent=LinkCandidate('https://files.pythonhosted.org/packages/74/65/e871cb65126c29b641d88a16d38b118f7ff137a58846dbf587ab9d51b5cb/google_cloud_logging-2.7.2-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-logging/) (requires-python:>=3.6)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=4.21.0,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0dev,>=3.20.2'), parent=LinkCandidate('https://files.pythonhosted.org/packages/0c/44/1189e7954c5cdf7156e1702d2e021f2abbb6ec6ca29a7e59d942f4d997c4/google_cloud_pubsub-2.25.2-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-pubsub/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf; python_version >= "3.6"'), parent=LinkCandidate('https://files.pythonhosted.org/packages/88/1d/6719ccca615f2b68f27b52b52a0513bdb2cd125aac45c26d98dd60d265bd/google_cloud_storage-1.44.0-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-storage/) (requires-python:>=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=3.20.0,!=3.20.1,!=4.21.0,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0.dev0,>=3.19.5'), parent=LinkCandidate('https://files.pythonhosted.org/packages/79/53/2e340a6ed897fa2bdd6c1bf166b98c047fbb648463dfd2b209ca7d501984/google_api_core-2.19.2-py3-none-any.whl (from https://pypi.org/simple/google-api-core/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=3.20.0,!=3.20.1,!=4.21.0,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0.dev0,>=3.19.5'), parent=ExtrasCandidate(base=LinkCandidate('https://files.pythonhosted.org/packages/79/53/2e340a6ed897fa2bdd6c1bf166b98c047fbb648463dfd2b209ca7d501984/google_api_core-2.19.2-py3-none-any.whl (from https://pypi.org/simple/google-api-core/) (requires-python:>=3.7)'), extras=frozenset({'grpc'}))), RequirementInformation(requirement=SpecifierRequirement('protobuf!=4.21.0,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0dev,>=3.20.2'), parent=LinkCandidate('https://files.pythonhosted.org/packages/6f/74/e2a3c9a7bfe24ec39fe6529342f57bb2a0f667f476b663274c92edd6fc56/google_cloud_appengine_logging-1.4.5-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-appengine-logging/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0dev,>=3.20.2'), parent=LinkCandidate('https://files.pythonhosted.org/packages/f8/d9/d2795cae4a41781269413108cc7fcbfbcb595b89212216d56c4ce6e2482e/google_cloud_audit_log-0.3.0-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-audit-log/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=3.20.0,!=3.20.1,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<5.0.0dev,>=3.19.5'), parent=LinkCandidate('https://files.pythonhosted.org/packages/5f/4b/404f59d065a410e835576433bc296599ae093460c7724fa5d5ca2354a885/grpc_google_iam_v1-0.12.7-py2.py3-none-any.whl (from https://pypi.org/simple/grpc-google-iam-v1/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf>=4.21.6'), parent=LinkCandidate('https://files.pythonhosted.org/packages/90/40/972271de05f9315c0d69f9f7ebbcadd83bc85322f538637d11bb8c67803d/grpcio_status-1.62.3-py3-none-any.whl (from https://pypi.org/simple/grpcio-status/) (requires-python:>=3.6)'))]

The above exception was the direct cause of the following exception:

Traceback (most recent call last):
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/bin/pip-compile", line 8, in <module>
    sys.exit(cli())
             ^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/core.py", line 1157, in __call__
    return self.main(*args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/core.py", line 1078, in main
    rv = self.invoke(ctx)
         ^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/core.py", line 1434, in invoke
    return ctx.invoke(self.callback, **ctx.params)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/core.py", line 783, in invoke
    return __callback(*args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/decorators.py", line 33, in new_func
    return f(get_current_context(), *args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/piptools/scripts/compile.py", line 470, in cli
    results = resolver.resolve(max_rounds=max_rounds)
              ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/piptools/resolver.py", line 604, in resolve
    is_resolved = self._do_resolve(
                  ^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/piptools/resolver.py", line 636, in _do_resolve
    resolver.resolve(
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/pip/_internal/resolution/resolvelib/resolver.py", line 104, in resolve
    raise error from e
pip._internal.exceptions.DistributionNotFound: ResolutionImpossible: for help visit https://pip.pypa.io/en/latest/topics/dependency-resolution/#dealing-with-dependency-conflicts

File name: requirements-dev.txt
Command failed: pip-compile requirements-dev.in
  ERROR: Cannot install -r requirements.in (line 13) because these package versions have conflicting dependencies.
Discarding protobuf==4.25.4 (from -r requirements-dev.txt (line 306)) to proceed the resolution
  ERROR: Cannot install -r requirements.in (line 13), -r requirements.in (line 14), -r requirements.in (line 15), google-api-core, google-api-core[grpc]==2.19.2, google-cloud-logging and google-cloud-pubsub because these package versions have conflicting dependencies.
Traceback (most recent call last):
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/pip/_internal/resolution/resolvelib/resolver.py", line 95, in resolve
    result = self._result = resolver.resolve(
                            ^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/pip/_vendor/resolvelib/resolvers.py", line 546, in resolve
    state = resolution.resolve(requirements, max_rounds=max_rounds)
            ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/pip/_vendor/resolvelib/resolvers.py", line 439, in resolve
    raise ResolutionImpossible(self.state.backtrack_causes)
pip._vendor.resolvelib.resolvers.ResolutionImpossible: [RequirementInformation(requirement=SpecifierRequirement('protobuf<4.0.0dev'), parent=LinkCandidate('https://files.pythonhosted.org/packages/74/65/e871cb65126c29b641d88a16d38b118f7ff137a58846dbf587ab9d51b5cb/google_cloud_logging-2.7.2-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-logging/) (requires-python:>=3.6)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=4.21.0,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0dev,>=3.20.2'), parent=LinkCandidate('https://files.pythonhosted.org/packages/0c/44/1189e7954c5cdf7156e1702d2e021f2abbb6ec6ca29a7e59d942f4d997c4/google_cloud_pubsub-2.25.2-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-pubsub/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf; python_version >= "3.6"'), parent=LinkCandidate('https://files.pythonhosted.org/packages/88/1d/6719ccca615f2b68f27b52b52a0513bdb2cd125aac45c26d98dd60d265bd/google_cloud_storage-1.44.0-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-storage/) (requires-python:>=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=3.20.0,!=3.20.1,!=4.21.0,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0.dev0,>=3.19.5'), parent=LinkCandidate('https://files.pythonhosted.org/packages/79/53/2e340a6ed897fa2bdd6c1bf166b98c047fbb648463dfd2b209ca7d501984/google_api_core-2.19.2-py3-none-any.whl (from https://pypi.org/simple/google-api-core/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=3.20.0,!=3.20.1,!=4.21.0,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0.dev0,>=3.19.5'), parent=ExtrasCandidate(base=LinkCandidate('https://files.pythonhosted.org/packages/79/53/2e340a6ed897fa2bdd6c1bf166b98c047fbb648463dfd2b209ca7d501984/google_api_core-2.19.2-py3-none-any.whl (from https://pypi.org/simple/google-api-core/) (requires-python:>=3.7)'), extras=frozenset({'grpc'}))), RequirementInformation(requirement=SpecifierRequirement('protobuf!=4.21.0,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0dev,>=3.20.2'), parent=LinkCandidate('https://files.pythonhosted.org/packages/6f/74/e2a3c9a7bfe24ec39fe6529342f57bb2a0f667f476b663274c92edd6fc56/google_cloud_appengine_logging-1.4.5-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-appengine-logging/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<6.0.0dev,>=3.20.2'), parent=LinkCandidate('https://files.pythonhosted.org/packages/f8/d9/d2795cae4a41781269413108cc7fcbfbcb595b89212216d56c4ce6e2482e/google_cloud_audit_log-0.3.0-py2.py3-none-any.whl (from https://pypi.org/simple/google-cloud-audit-log/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf!=3.20.0,!=3.20.1,!=4.21.1,!=4.21.2,!=4.21.3,!=4.21.4,!=4.21.5,<5.0.0dev,>=3.19.5'), parent=LinkCandidate('https://files.pythonhosted.org/packages/5f/4b/404f59d065a410e835576433bc296599ae093460c7724fa5d5ca2354a885/grpc_google_iam_v1-0.12.7-py2.py3-none-any.whl (from https://pypi.org/simple/grpc-google-iam-v1/) (requires-python:>=3.7)')), RequirementInformation(requirement=SpecifierRequirement('protobuf>=4.21.6'), parent=LinkCandidate('https://files.pythonhosted.org/packages/90/40/972271de05f9315c0d69f9f7ebbcadd83bc85322f538637d11bb8c67803d/grpcio_status-1.62.3-py3-none-any.whl (from https://pypi.org/simple/grpcio-status/) (requires-python:>=3.6)'))]

The above exception was the direct cause of the following exception:

Traceback (most recent call last):
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/bin/pip-compile", line 8, in <module>
    sys.exit(cli())
             ^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/core.py", line 1157, in __call__
    return self.main(*args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/core.py", line 1078, in main
    rv = self.invoke(ctx)
         ^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/core.py", line 1434, in invoke
    return ctx.invoke(self.callback, **ctx.params)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/core.py", line 783, in invoke
    return __callback(*args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/click/decorators.py", line 33, in new_func
    return f(get_current_context(), *args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/piptools/scripts/compile.py", line 470, in cli
    results = resolver.resolve(max_rounds=max_rounds)
              ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/piptools/resolver.py", line 604, in resolve
    is_resolved = self._do_resolve(
                  ^^^^^^^^^^^^^^^^^
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/piptools/resolver.py", line 636, in _do_resolve
    resolver.resolve(
  File "/opt/containerbase/tools/pip-tools/7.4.1/3.11.10/lib/python3.11/site-packages/pip/_internal/resolution/resolvelib/resolver.py", line 104, in resolve
    raise error from e
pip._internal.exceptions.DistributionNotFound: ResolutionImpossible: for help visit https://pip.pypa.io/en/latest/topics/dependency-resolution/#dealing-with-dependency-conflicts

Copy link

codecov bot commented Sep 30, 2024

Codecov Report

All modified and coverable lines are covered by tests ✅

Project coverage is 81.56%. Comparing base (d433e62) to head (73dd963).

Additional details and impacted files
@@           Coverage Diff           @@
##              dev     #961   +/-   ##
=======================================
  Coverage   81.56%   81.56%           
=======================================
  Files         184      184           
  Lines       15957    15957           
=======================================
  Hits        13016    13016           
  Misses       2941     2941           

☔ View full report in Codecov by Sentry.
📢 Have feedback on the report? Share it here.

@renovatebotcpg renovatebotcpg bot force-pushed the renovate/all-minor-patch branch 4 times, most recently from 9a1b131 to 5cc933c Compare October 4, 2024 05:32
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.

0 participants