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

Fix pylint errors #39397

Merged
Original file line number Diff line number Diff line change
@@ -75,74 +75,71 @@ def add_args_to_kwargs(
kwargs[key] = value

def validate_kwargs(
kwargs: Dict[str, Any]
keyword_arguments: Dict[str, Any]
) -> None:
"""Validate keyword arguments(kwargs).
The values of keyword arguments must match the expect type and conditions. If the conditions do not match,
errors will be raised with the error messages and possible ways to correct the errors.
:param kwargs: Keyword arguments to verify for query_items_change_feed API
:keyword mode: Must be one of the values in the Enum, 'ChangeFeedMode'.
If the value is 'ALL_VERSIONS_AND_DELETES', the following keywords must be in the right condition:
- 'partition_key_range_id': Cannot be used at any time
- 'is_start_from_beginning': Must be 'False'
- 'start_time': Must be "Now"
:paramtype mode: Optional[Literal["LatestVersion", "AllVersionsAndDeletes"]]
:keyword partition_key_range_id: Deprecated Warning.
:paramtype partition_key_range_id: str
:keyword is_start_from_beginning: Deprecated Warning. Cannot be used with 'start_time'.
:paramtype is_start_from_beginning: bool
:keyword start_time: Must be in supported types.
:paramtype start_time: Union[~datetime.datetime, Literal["Now", "Beginning"]]
:type kwargs: dict[str, Any]
"""Validate keyword arguments for change_feed API.
The values of keyword arguments must match the expected type and conditions. If the conditions do not match,
errors will be raised with the proper error messages and possible ways to correct the errors.
:param dict[str, Any] keyword_arguments: Keyword arguments to verify for query_items_change_feed API
- Literal["LatestVersion", "AllVersionsAndDeletes"] mode: Must be one of the values in the Enum,
'ChangeFeedMode'. If the value is 'ALL_VERSIONS_AND_DELETES', the following keywords must be in the right
conditions:
- 'partition_key_range_id': Cannot be used at any time
- 'is_start_from_beginning': Must be 'False'
- 'start_time': Must be "Now"
- str partition_key_range_id: Deprecated Warning.
- bool is_start_from_beginning: Deprecated Warning. Cannot be used with 'start_time'.
- Union[~datetime.datetime, Literal["Now", "Beginning"]] start_time: Must be in supported types.
"""
# Filter items with value None
kwargs = {key: value for key, value in kwargs.items() if value is not None}
keyword_arguments = {key: value for key, value in keyword_arguments.items() if value is not None}

# Validate the keyword arguments
if "mode" in kwargs:
mode = kwargs["mode"]
if "mode" in keyword_arguments:
mode = keyword_arguments["mode"]
if mode not in CHANGE_FEED_MODES:
raise ValueError(
f"Invalid mode was used: '{kwargs['mode']}'."
f"Invalid mode was used: '{keyword_arguments['mode']}'."
f" Supported modes are {CHANGE_FEED_MODES}.")

if mode == 'AllVersionsAndDeletes':
if "partition_key_range_id" in kwargs:
if "partition_key_range_id" in keyword_arguments:
raise ValueError(
"'AllVersionsAndDeletes' mode is not supported if 'partition_key_range_id'"
" was used. Please use 'feed_range' instead.")
if "is_start_from_beginning" in kwargs and kwargs["is_start_from_beginning"] is not False:
if ("is_start_from_beginning" in keyword_arguments
and keyword_arguments["is_start_from_beginning"] is not False):
raise ValueError(
"'AllVersionsAndDeletes' mode is only supported if 'is_start_from_beginning'"
" is 'False'. Please use 'is_start_from_beginning=False' or 'continuation' instead.")
if "start_time" in kwargs and kwargs["start_time"] != "Now":
if "start_time" in keyword_arguments and keyword_arguments["start_time"] != "Now":
raise ValueError(
"'AllVersionsAndDeletes' mode is only supported if 'start_time' is 'Now'."
" Please use 'start_time=\"Now\"' or 'continuation' instead.")

if "partition_key_range_id" in kwargs:
if "partition_key_range_id" in keyword_arguments:
warnings.warn(
"'partition_key_range_id' is deprecated. Please pass in 'feed_range' instead.",
DeprecationWarning
)

if "is_start_from_beginning" in kwargs:
if "is_start_from_beginning" in keyword_arguments:
warnings.warn(
"'is_start_from_beginning' is deprecated. Please pass in 'start_time' instead.",
DeprecationWarning
)

if not isinstance(kwargs["is_start_from_beginning"], bool):
if not isinstance(keyword_arguments["is_start_from_beginning"], bool):
raise TypeError(
f"'is_start_from_beginning' must be 'bool' type,"
f" but given '{type(kwargs['is_start_from_beginning']).__name__}'.")
f" but given '{type(keyword_arguments['is_start_from_beginning']).__name__}'.")

if kwargs["is_start_from_beginning"] is True and "start_time" in kwargs:
if keyword_arguments["is_start_from_beginning"] is True and "start_time" in keyword_arguments:
raise ValueError("'is_start_from_beginning' and 'start_time' are exclusive, please only set one of them.")

if "start_time" in kwargs:
if not isinstance(kwargs['start_time'], datetime):
if kwargs['start_time'].lower() not in ["now", "beginning"]:
if "start_time" in keyword_arguments:
if not isinstance(keyword_arguments['start_time'], datetime):
if keyword_arguments['start_time'].lower() not in ["now", "beginning"]:
raise ValueError(
f"'start_time' must be either 'Now' or 'Beginning', but given '{kwargs['start_time']}'.")
f"'start_time' must be either 'Now' or 'Beginning', but given '{keyword_arguments['start_time']}'.")
Original file line number Diff line number Diff line change
@@ -1031,14 +1031,14 @@ def ReadItems(
self,
collection_link: str,
feed_options: Optional[Mapping[str, Any]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Mapping[str, Any]], None]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Dict[str, Any]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""Reads all documents in a collection.
:param str collection_link: The link to the document collection.
:param dict feed_options: The additional options for the operation.
:param response_hook: A callable invoked with the response metadata.
:type response_hook: Callable[[Dict[str, str], Dict[str, Any]]
:type response_hook: Callable[[Mapping[str, Any], Dict[str, Any]]
:return: Query Iterable of Documents.
:rtype: query_iterable.QueryIterable
"""
@@ -1053,7 +1053,7 @@ def QueryItems(
query: Optional[Union[str, Dict[str, Any]]],
options: Optional[Mapping[str, Any]] = None,
partition_key: Optional[PartitionKeyType] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Mapping[str, Any]], None]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Dict[str, Any]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""Queries documents in a collection.
@@ -1065,7 +1065,7 @@ def QueryItems(
:param partition_key: Partition key for the query(default value None)
:type: partition_key: Union[str, int, float, bool, List[Union[str, int, float, bool]]]
:param response_hook: A callable invoked with the response metadata.
:type response_hook: Callable[[Dict[str, str], Dict[str, Any]]
:type response_hook: Callable[[Mapping[str, Any], Dict[str, Any]], None]
:return:
Query Iterable of Documents.
@@ -3005,7 +3005,7 @@ def __QueryFeed( # pylint: disable=too-many-locals, too-many-statements
query: Optional[Union[str, Dict[str, Any]]],
options: Optional[Mapping[str, Any]] = None,
partition_key_range_id: Optional[str] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Mapping[str, Any]], None]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Dict[str, Any]], None]] = None,
is_query_plan: bool = False,
**kwargs: Any
) -> Tuple[List[Dict[str, Any]], CaseInsensitiveDict]:
@@ -3021,7 +3021,8 @@ def __QueryFeed( # pylint: disable=too-many-locals, too-many-statements
The request options for the request.
:param str partition_key_range_id:
Specifies partition key range id.
:param function response_hook:
:param response_hook: A callable invoked with the response metadata.
:type response_hook: Callable[[Mapping[str, Any], Dict[str, Any]], None]
:param bool is_query_plan:
Specifies if the call is to fetch query plan
:returns: A list of the queried resources.
47 changes: 31 additions & 16 deletions sdk/cosmos/azure-cosmos/azure/cosmos/aio/_container.py
Original file line number Diff line number Diff line change
@@ -22,7 +22,8 @@
"""Create, read, update and delete items in the Azure Cosmos DB SQL API service.
"""
from datetime import datetime
from typing import Any, Dict, Mapping, Optional, Sequence, Type, Union, List, Tuple, cast, overload, AsyncIterable
from typing import (Any, Dict, Mapping, Optional, Sequence, Type, Union, List, Tuple, cast, overload, AsyncIterable,
Callable)
from typing_extensions import Literal

from azure.core import MatchConditions
@@ -337,6 +338,8 @@ def read_all_items(
max_item_count: Optional[int] = None,
session_token: Optional[str] = None,
initial_headers: Optional[Dict[str, str]] = None,
response_hook: Optional[Callable[[Mapping[str, Any],
Union[Dict[str, Any], AsyncItemPaged[Dict[str, Any]]]], None]] = None,
max_integrated_cache_staleness_in_ms: Optional[int] = None,
priority: Optional[Literal["High", "Low"]] = None,
**kwargs: Any
@@ -346,8 +349,10 @@ def read_all_items(
:keyword int max_item_count: Max number of items to be returned in the enumeration operation.
:keyword str session_token: Token for use with Session consistency.
:keyword dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], AsyncItemPaged[Dict[str, Any]]], None]
:keyword response_hook: A callable invoked with the response metadata. Note that due to the nature of combining
calls to build the results, this function may be called with a either single dict or iterable of dicts
:paramtype response_hook:
Callable[[Mapping[str, Any], Union[Dict[str, Any], AsyncItemPaged[Dict[str, Any]]]], None]
:keyword int max_integrated_cache_staleness_in_ms: The max cache staleness for the integrated cache in
milliseconds. For accounts configured to use the integrated cache, using Session or Eventual consistency,
responses are guaranteed to be no staler than this value.
@@ -357,7 +362,6 @@ def read_all_items(
:returns: An AsyncItemPaged of items (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs['session_token'] = session_token
if initial_headers is not None:
@@ -370,7 +374,7 @@ def read_all_items(
if max_integrated_cache_staleness_in_ms:
validate_cache_staleness_value(max_integrated_cache_staleness_in_ms)
feed_options["maxIntegratedCacheStaleness"] = max_integrated_cache_staleness_in_ms
if hasattr(response_hook, "clear"):
if response_hook and hasattr(response_hook, "clear"):
response_hook.clear()
if self.container_link in self.__get_client_container_caches():
feed_options["containerRID"] = self.__get_client_container_caches()[self.container_link]["_rid"]
@@ -398,6 +402,8 @@ def query_items(
max_integrated_cache_staleness_in_ms: Optional[int] = None,
priority: Optional[Literal["High", "Low"]] = None,
continuation_token_limit: Optional[int] = None,
response_hook: Optional[Callable[[Mapping[str, Any],
Union[Dict[str, Any], AsyncItemPaged[Dict[str, Any]]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Return all results matching the given `query`.
@@ -424,8 +430,10 @@ def query_items(
overhead, so it should be enabled only when debugging slow queries.
:keyword str session_token: Token for use with Session consistency.
:keyword dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], AsyncItemPaged[Dict[str, Any]]], None]
:keyword response_hook: A callable invoked with the response metadata. Note that due to the nature of combining
calls to build the results, this function may be called with a either single dict or iterable of dicts
:paramtype response_hook:
Callable[[Mapping[str, Any], Union[Dict[str, Any], AsyncItemPaged[Dict[str, Any]]]], None]
:keyword int continuation_token_limit: The size limit in kb of the response continuation token in the query
response. Valid values are positive integers.
A value of 0 is the same as not passing a value (default no limit).
@@ -456,7 +464,6 @@ def query_items(
:caption: Parameterized query to get all products that have been discontinued:
:name: query_items_param
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs['session_token'] = session_token
if initial_headers is not None:
@@ -484,7 +491,7 @@ def query_items(
feed_options["correlatedActivityId"] = correlated_activity_id
if continuation_token_limit is not None:
feed_options["responseContinuationTokenLimitInKb"] = continuation_token_limit
if hasattr(response_hook, "clear"):
if response_hook and hasattr(response_hook, "clear"):
response_hook.clear()
if self.container_link in self.__get_client_container_caches():
feed_options["containerRID"] = self.__get_client_container_caches()[self.container_link]["_rid"]
@@ -510,6 +517,7 @@ def query_items_change_feed(
partition_key: PartitionKeyType,
priority: Optional[Literal["High", "Low"]] = None,
mode: Optional[Literal["LatestVersion", "AllVersionsAndDeletes"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Get a sorted list of items that were changed, in the order in which they were modified.
@@ -548,6 +556,7 @@ def query_items_change_feed(
start_time: Optional[Union[datetime, Literal["Now", "Beginning"]]] = None,
priority: Optional[Literal["High", "Low"]] = None,
mode: Optional[Literal["LatestVersion", "AllVersionsAndDeletes"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Get a sorted list of items that were changed, in the order in which they were modified.
@@ -570,7 +579,7 @@ def query_items_change_feed(
or 'continuation' token.
:paramtype mode: Literal["LatestVersion", "AllVersionsAndDeletes"]
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], Mapping[str, Any]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:returns: An AsyncItemPaged of items (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
@@ -583,6 +592,7 @@ def query_items_change_feed(
continuation: str,
max_item_count: Optional[int] = None,
priority: Optional[Literal["High", "Low"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Get a sorted list of items that were changed, in the order in which they were modified.
@@ -595,7 +605,7 @@ def query_items_change_feed(
before high priority requests start getting throttled. Feature must first be enabled at the account level.
:paramtype priority: Literal["High", "Low"]
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], Mapping[str, Any]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:returns: An AsyncItemPaged of items (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
@@ -610,6 +620,7 @@ def query_items_change_feed(
start_time: Optional[Union[datetime, Literal["Now", "Beginning"]]] = None,
priority: Optional[Literal["High", "Low"]] = None,
mode: Optional[Literal["LatestVersion", "AllVersionsAndDeletes"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Get a sorted list of items that were changed in the entire container,
@@ -632,7 +643,7 @@ def query_items_change_feed(
or 'continuation' token.
:paramtype mode: Literal["LatestVersion", "AllVersionsAndDeletes"]
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], Mapping[str, Any]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:returns: An AsyncItemPaged of items (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
@@ -993,7 +1004,12 @@ async def delete_item(
await self.client_connection.DeleteItem(document_link=document_link, options=request_options, **kwargs)

@distributed_trace_async
async def get_throughput(self, **kwargs: Any) -> ThroughputProperties:
async def get_throughput(
self,
*,
response_hook: Optional[Callable[[Mapping[str, Any], List[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ThroughputProperties:
"""Get the ThroughputProperties object for this container.
If no ThroughputProperties already exists for the container, an exception is raised.
@@ -1005,7 +1021,6 @@ async def get_throughput(self, **kwargs: Any) -> ThroughputProperties:
:returns: ThroughputProperties for the container.
:rtype: ~azure.cosmos.offer.ThroughputProperties
"""
response_hook = kwargs.pop('response_hook', None)
throughput_properties: List[Dict[str, Any]]
properties = await self._get_properties()
link = properties["_self"]
@@ -1064,6 +1079,7 @@ def list_conflicts(
self,
*,
max_item_count: Optional[int] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""List all the conflicts in the container.
@@ -1075,7 +1091,6 @@ def list_conflicts(
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
feed_options = _build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count
if self.container_link in self.__get_client_container_caches():
@@ -1096,6 +1111,7 @@ def query_conflicts(
parameters: Optional[List[Dict[str, object]]] = None,
partition_key: Optional[PartitionKeyType] = None,
max_item_count: Optional[int] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Return all conflicts matching a given `query`.
@@ -1113,7 +1129,6 @@ def query_conflicts(
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
feed_options = _build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count
if partition_key is not None:
24 changes: 14 additions & 10 deletions sdk/cosmos/azure-cosmos/azure/cosmos/aio/_cosmos_client.py
Original file line number Diff line number Diff line change
@@ -22,7 +22,7 @@
"""Create, read, and delete databases in the Azure Cosmos DB SQL API service.
"""

from typing import Any, Dict, List, Optional, Union, cast, Mapping, Iterable
from typing import Any, Dict, List, Optional, Union, cast, Mapping, Iterable, Callable
from azure.core.async_paging import AsyncItemPaged
from azure.core.credentials import TokenCredential
from azure.core.credentials_async import AsyncTokenCredential
@@ -372,6 +372,7 @@ def list_databases(
max_item_count: Optional[int] = None,
session_token: Optional[str] = None,
initial_headers: Optional[Dict[str, str]] = None,
response_hook: Optional[Callable[[Mapping[str, Any]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""List the databases in a Cosmos DB SQL database account.
@@ -380,11 +381,10 @@ def list_databases(
:keyword str session_token: Token for use with Session consistency.
:keyword dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str]], None]
:paramtype response_hook: Callable[[Mapping[str, Any]], None]
:returns: An AsyncItemPaged of database properties (dicts).
:rtype: AsyncItemPaged[Dict[str, str]]
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs["session_token"] = session_token
if initial_headers is not None:
@@ -407,6 +407,7 @@ def query_databases(
max_item_count: Optional[int] = None,
session_token: Optional[str] = None,
initial_headers: Optional[Dict[str, str]] = None,
response_hook: Optional[Callable[[Mapping[str, Any]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Query the databases in a Cosmos DB SQL database account.
@@ -419,11 +420,10 @@ def query_databases(
:keyword str session_token: Token for use with Session consistency.
:keyword dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str]], None]
:paramtype response_hook: Callable[[Mapping[str, Any]], None]
:returns: An AsyncItemPaged of database properties (dicts).
:rtype: AsyncItemPaged[Dict[str, str]]
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs["session_token"] = session_token
if initial_headers is not None:
@@ -449,6 +449,7 @@ async def delete_database(
initial_headers: Optional[Dict[str, str]] = None,
etag: Optional[str] = None,
match_condition: Optional[MatchConditions] = None,
response_hook: Optional[Callable[[Mapping[str, Any]], None]] = None,
**kwargs: Any
) -> None:
"""Delete the database with the given ID (name).
@@ -463,11 +464,10 @@ async def delete_database(
:keyword match_condition: The match condition to use upon the etag.
:paramtype match_condition: ~azure.core.MatchConditions
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str]], None]
:paramtype response_hook: Callable[[Mapping[str, Any]], None]
:raises ~azure.cosmos.exceptions.CosmosHttpResponseError: If the database couldn't be deleted.
:rtype: None
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs["session_token"] = session_token
if initial_headers is not None:
@@ -484,15 +484,19 @@ async def delete_database(
response_hook(self.client_connection.last_response_headers)

@distributed_trace_async
async def _get_database_account(self, **kwargs: Any) -> DatabaseAccount:
async def _get_database_account(
self,
*,
response_hook: Optional[Callable[[Mapping[str, Any]], None]] = None,
**kwargs: Any
) -> DatabaseAccount:
"""Retrieve the database account information.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str]], None]
:paramtype response_hook: Callable[[Mapping[str, Any]], None]
:returns: A `DatabaseAccount` instance representing the Cosmos DB Database Account.
:rtype: ~azure.cosmos.DatabaseAccount
"""
response_hook = kwargs.pop('response_hook', None)
result = await self.client_connection.GetDatabaseAccount(**kwargs)
if response_hook:
response_hook(self.client_connection.last_response_headers)
Original file line number Diff line number Diff line change
@@ -2186,15 +2186,15 @@ def ReadItems(
self,
collection_link: str,
feed_options: Optional[Mapping[str, Any]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Mapping[str, Any]], None]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Dict[str, Any]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Reads all documents in a collection.
:param str collection_link: The link to the document collection.
:param dict feed_options: The additional options for the operation.
:param response_hook: A callable invoked with the response metadata.
:type response_hook: Callable[[Dict[str, str], Dict[str, Any]]
:type response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:return: Query Iterable of Documents.
:rtype: query_iterable.QueryIterable
@@ -2210,7 +2210,7 @@ def QueryItems(
query: Optional[Union[str, Dict[str, Any]]],
options: Optional[Mapping[str, Any]] = None,
partition_key: Optional[PartitionKeyType] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Mapping[str, Any]], None]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Dict[str, Any]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Queries documents in a collection.
@@ -2221,7 +2221,7 @@ def QueryItems(
:param dict options: The request options for the request.
:param str partition_key: Partition key for the query(default value None)
:param response_hook: A callable invoked with the response metadata.
:type response_hook: Callable[[Dict[str, str], Dict[str, Any]]
:type response_hook: Callable[[Mapping[str, Any], Dict[str, Any]], None], None]
:return:
Query Iterable of Documents.
:rtype:
@@ -2815,7 +2815,7 @@ async def __QueryFeed( # pylint: disable=too-many-branches,too-many-statements,
query: Optional[Union[str, Dict[str, Any]]],
options: Optional[Mapping[str, Any]] = None,
partition_key_range_id: Optional[str] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Mapping[str, Any]], None]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], Dict[str, Any]], None]] = None,
is_query_plan: bool = False,
**kwargs: Any
) -> List[Dict[str, Any]]:
@@ -2831,7 +2831,8 @@ async def __QueryFeed( # pylint: disable=too-many-branches,too-many-statements,
The request options for the request.
:param str partition_key_range_id:
Specifies partition key range id.
:param function response_hook:
:param response_hook: A callable invoked with the response metadata.
:type response_hook: Callable[[Mapping[str, Any], Dict[str, Any]], None]
:param bool is_query_plan:
Specifies if the call is to fetch query plan
:returns: A list of the queried resources.
29 changes: 16 additions & 13 deletions sdk/cosmos/azure-cosmos/azure/cosmos/aio/_database.py
Original file line number Diff line number Diff line change
@@ -22,7 +22,7 @@
"""Interact with databases in the Azure Cosmos DB SQL API service.
"""

from typing import Any, Dict, List, Mapping, Optional, Union
from typing import Any, Dict, List, Mapping, Optional, Union, Callable

import warnings
from azure.core import MatchConditions
@@ -41,13 +41,13 @@
from ..documents import IndexingMode
from ..partition_key import PartitionKey

# pylint: disable=docstring-keyword-should-match-keyword-only

__all__ = ("DatabaseProxy",)


# pylint: disable=protected-access
# pylint: disable=missing-client-constructor-parameter-credential,missing-client-constructor-parameter-kwargs
# pylint: disable=docstring-keyword-should-match-keyword-only

def _get_database_link(database_or_id: Union[str, 'DatabaseProxy', Mapping[str, Any]]) -> str:
if isinstance(database_or_id, str):
@@ -408,6 +408,7 @@ def list_containers(
session_token: Optional[str] = None,
max_item_count: Optional[int] = None,
initial_headers: Optional[Dict[str, str]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs
) -> AsyncItemPaged[Dict[str, Any]]:
"""List the containers in the database.
@@ -416,7 +417,7 @@ def list_containers(
:keyword str session_token: Token for use with Session consistency.
:keyword dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], AsyncItemPaged[Dict[str, Any]]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:returns: An AsyncItemPaged of container properties (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
@@ -430,7 +431,6 @@ def list_containers(
:caption: List all containers in the database:
:name: list_containers
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs['session_token'] = session_token
if initial_headers is not None:
@@ -455,6 +455,7 @@ def query_containers(
session_token: Optional[str] = None,
max_item_count: Optional[int] = None,
initial_headers: Optional[Dict[str, str]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""List the properties for containers in the current database.
@@ -467,11 +468,10 @@ def query_containers(
:keyword str session_token: Token for use with Session consistency.
:keyword dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], AsyncItemPaged[Dict[str, Any]]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:returns: An AsyncItemPaged of container properties (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs['session_token'] = session_token
if initial_headers is not None:
@@ -692,18 +692,18 @@ def list_users(
self,
*,
max_item_count: Optional[int] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""List all the users in the container.
:keyword int max_item_count: Max number of users to be returned in the enumeration operation.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], AsyncItemPaged[Dict[str, Any]]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:returns: An AsyncItemPaged of user properties (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
feed_options = _build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count

@@ -721,6 +721,7 @@ def query_users(
*,
parameters: Optional[List[Dict[str, Any]]] = None,
max_item_count: Optional[int] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Return all users matching the given `query`.
@@ -732,12 +733,11 @@ def query_users(
:paramtype parameters: Optional[List[Dict[str, Any]]]
:keyword int max_item_count: Max number of users to be returned in the enumeration operation.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], AsyncItemPaged[Dict[str, Any]]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:returns: An AsyncItemPaged of user properties (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
feed_options = _build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count

@@ -834,19 +834,22 @@ async def delete_user(
)

@distributed_trace_async
async def get_throughput(self, **kwargs: Any) -> ThroughputProperties:
async def get_throughput(
self,
*,
response_hook: Optional[Callable[[Mapping[str, Any], List[Dict[str, Any]]], None]] = None,
**kwargs: Any) -> ThroughputProperties:
"""Get the ThroughputProperties object for this database.
If no ThroughputProperties already exists for the database, an exception is raised.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], List[Dict[str, Any]]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], List[Dict[str, Any]]], None]
:raises ~azure.cosmos.exceptions.CosmosHttpResponseError: No throughput properties exist for the database
or the throughput properties could not be retrieved.
:returns: ThroughputProperties for the database.
:rtype: ~azure.cosmos.offer.ThroughputProperties
"""
response_hook = kwargs.pop('response_hook', None)
properties = await self._get_properties()
link = properties["_self"]
query_spec = {
Original file line number Diff line number Diff line change
@@ -213,8 +213,9 @@ async def ExecuteAsync(client, global_endpoint_manager, function, *args, **kwarg
raise e
else:
try:
# pylint: disable=networking-import-outside-azure-core-transport
from aiohttp.client_exceptions import (
ClientConnectionError) # pylint: disable=networking-import-outside-azure-core-transport
ClientConnectionError)
if isinstance(e.inner_exception, ClientConnectionError):
_handle_service_request_retries(client, service_request_retry_policy, e, *args)
else:
@@ -290,8 +291,9 @@ async def send(self, request):
raise err
# Since this is ClientConnectionError, it is safe to be retried on both read and write requests
try:
# pylint: disable=networking-import-outside-azure-core-transport
from aiohttp.client_exceptions import (
ClientConnectionError) # pylint: disable=networking-import-outside-azure-core-transport
ClientConnectionError)
if (isinstance(err.inner_exception, ClientConnectionError)
or _has_read_retryable_headers(request.http_request.headers)):
# This logic is based on the _retry.py file from azure-core
10 changes: 5 additions & 5 deletions sdk/cosmos/azure-cosmos/azure/cosmos/aio/_user.py
Original file line number Diff line number Diff line change
@@ -24,7 +24,7 @@
"""Create, read, update and delete users in the Azure Cosmos DB SQL API service.
"""

from typing import Any, Dict, List, Mapping, Union, Optional
from typing import Any, Dict, List, Mapping, Union, Optional, Callable

from azure.core.async_paging import AsyncItemPaged
from azure.core.tracing.decorator_async import distributed_trace_async
@@ -97,18 +97,18 @@ def list_permissions(
self,
*,
max_item_count: Optional[int] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""List all permission for the user.
:keyword int max_item_count: Max number of permissions to be returned in the enumeration operation.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], AsyncItemPaged[Dict[str, Any]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:returns: An AsyncItemPaged of permissions (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count

@@ -126,6 +126,7 @@ def query_permissions(
*,
parameters: Optional[List[Dict[str, Any]]] = None,
max_item_count: Optional[int] = None,
response_hook: Optional[Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> AsyncItemPaged[Dict[str, Any]]:
"""Return all permissions matching the given `query`.
@@ -135,12 +136,11 @@ def query_permissions(
:paramtype parameters: Optional[List[Dict[str, Any]]]
:keyword int max_item_count: Max number of permissions to be returned in the enumeration operation.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], AsyncItemPaged[Dict[str, Any]]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], AsyncItemPaged[Dict[str, Any]]], None]
:returns: An AsyncItemPaged of permissions (dicts).
:rtype: AsyncItemPaged[Dict[str, Any]]
"""
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count

64 changes: 42 additions & 22 deletions sdk/cosmos/azure-cosmos/azure/cosmos/container.py
Original file line number Diff line number Diff line change
@@ -23,7 +23,7 @@
"""
import warnings
from datetime import datetime
from typing import Any, Dict, List, Optional, Sequence, Union, Tuple, Mapping, Type, cast, overload, Iterable
from typing import Any, Dict, List, Optional, Sequence, Union, Tuple, Mapping, Type, cast, overload, Iterable, Callable
from typing_extensions import Literal

from azure.core import MatchConditions
@@ -273,14 +273,19 @@ def read_all_items( # pylint:disable=docstring-missing-param
initial_headers: Optional[Dict[str, str]] = None,
max_integrated_cache_staleness_in_ms: Optional[int] = None,
priority: Optional[Literal["High", "Low"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any],
Union[Dict[str, Any], ItemPaged[Dict[str, Any]]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""List all the items in the container.
:param int max_item_count: Max number of items to be returned in the enumeration operation.
:keyword str session_token: Token for use with Session consistency.
:keyword Dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata. Note that due to the nature of combining
calls to build the results, this function may be called with a either single dict or iterable of dicts
:paramtype response_hook:
Callable[[Mapping[str, Any], Union[Dict[str, Any], ItemPaged[Dict[str, Any]]]],None]
:keyword int max_integrated_cache_staleness_in_ms: The max cache staleness for the integrated cache in
milliseconds. For accounts configured to use the integrated cache, using Session or Eventual consistency,
responses are guaranteed to be no staler than this value.
@@ -297,7 +302,6 @@ def read_all_items( # pylint:disable=docstring-missing-param
if priority is not None:
kwargs['priority'] = priority
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count
if populate_query_metrics is not None:
@@ -310,7 +314,7 @@ def read_all_items( # pylint:disable=docstring-missing-param
validate_cache_staleness_value(max_integrated_cache_staleness_in_ms)
feed_options["maxIntegratedCacheStaleness"] = max_integrated_cache_staleness_in_ms

if hasattr(response_hook, "clear"):
if response_hook and hasattr(response_hook, "clear"):
response_hook.clear()

if self.container_link in self.__get_client_container_caches():
@@ -331,6 +335,7 @@ def query_items_change_feed(
partition_key: PartitionKeyType,
priority: Optional[Literal["High", "Low"]] = None,
mode: Optional[Literal["LatestVersion", "AllVersionsAndDeletes"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""Get a sorted list of items that were changed, in the order in which they were modified.
@@ -354,8 +359,10 @@ def query_items_change_feed(
ALL_VERSIONS_AND_DELETES: Query all versions and deleted items from either `start_time='Now'`
or 'continuation' token.
:paramtype mode: Literal["LatestVersion", "AllVersionsAndDeletes"]
:keyword response_hook: A callable invoked with the response metadata.
:type response_hook: Callable[[Mapping[str, Any], Mapping[str, Any]], None]
:keyword response_hook: A callable invoked with the response metadata. Note that due to the nature of combining
calls to build the results, this function may be called with a either single dict or iterable of dicts
:type response_hook:
Callable[[Mapping[str, Any], Union[Dict[str, Any], ItemPaged[Dict[str, Any]]]], None]
:returns: An Iterable of items (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
@@ -370,6 +377,7 @@ def query_items_change_feed(
start_time: Optional[Union[datetime, Literal["Now", "Beginning"]]] = None,
priority: Optional[Literal["High", "Low"]] = None,
mode: Optional[Literal["LatestVersion", "AllVersionsAndDeletes"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:

@@ -393,7 +401,7 @@ def query_items_change_feed(
or 'continuation' token.
:paramtype mode: Literal["LatestVersion", "AllVersionsAndDeletes"]
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], Mapping[str, Any]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of items (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
@@ -406,6 +414,7 @@ def query_items_change_feed(
continuation: str,
max_item_count: Optional[int] = None,
priority: Optional[Literal["High", "Low"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""Get a sorted list of items that were changed, in the order in which they were modified.
@@ -418,7 +427,7 @@ def query_items_change_feed(
before high priority requests start getting throttled. Feature must first be enabled at the account level.
:paramtype priority: Literal["High", "Low"]
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], Mapping[str, Any]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of items (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
@@ -432,6 +441,7 @@ def query_items_change_feed(
start_time: Optional[Union[datetime, Literal["Now", "Beginning"]]] = None,
priority: Optional[Literal["High", "Low"]] = None,
mode: Optional[Literal["LatestVersion", "AllVersionsAndDeletes"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""Get a sorted list of items that were changed in the entire container,
@@ -454,7 +464,7 @@ def query_items_change_feed(
or 'continuation' token.
:paramtype mode: Literal["LatestVersion", "AllVersionsAndDeletes"]
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], Mapping[str, Any]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of items (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
@@ -466,7 +476,6 @@ def query_items_change_feed(
*args: Any,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:

"""Get a sorted list of items that were changed, in the order in which they were modified.
:keyword str continuation: The continuation token retrieved from previous response. It contains chang feed mode.
@@ -490,7 +499,7 @@ def query_items_change_feed(
or 'continuation' token.
:paramtype mode: Literal["LatestVersion", "AllVersionsAndDeletes"]
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], Mapping[str, Any]], None]
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:param Any args: args
:returns: An Iterable of items (dicts).
:rtype: Iterable[Dict[str, Any]]
@@ -551,6 +560,8 @@ def query_items( # pylint:disable=docstring-missing-param
initial_headers: Optional[Dict[str, str]] = None,
max_integrated_cache_staleness_in_ms: Optional[int] = None,
priority: Optional[Literal["High", "Low"]] = None,
response_hook: Optional[Callable[[Mapping[str, Any],
Union[Dict[str, Any], ItemPaged[Dict[str, Any]]]], None]] = None,
continuation_token_limit: Optional[int] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
@@ -577,7 +588,10 @@ def query_items( # pylint:disable=docstring-missing-param
:param bool populate_query_metrics: Enable returning query metrics in response headers.
:keyword str session_token: Token for use with Session consistency.
:keyword Dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata. Note that due to the nature of combining
calls to build the results, this function may be called with a either single dict or iterable of dicts
:paramtype response_hook:
Callable[[Mapping[str, Any], Union[Dict[str, Any], ItemPaged[Dict[str, Any]]]], None]
:keyword int continuation_token_limit: The size limit in kb of the response continuation token in the query
response. Valid values are positive integers.
A value of 0 is the same as not passing a value (default no limit).
@@ -616,7 +630,6 @@ def query_items( # pylint:disable=docstring-missing-param
if priority is not None:
kwargs['priority'] = priority
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if enable_cross_partition_query is not None:
feed_options["enableCrossPartitionQuery"] = enable_cross_partition_query
if max_item_count is not None:
@@ -643,7 +656,7 @@ def query_items( # pylint:disable=docstring-missing-param
feed_options["correlatedActivityId"] = correlated_activity_id
if continuation_token_limit is not None:
feed_options["responseContinuationTokenLimitInKb"] = continuation_token_limit
if hasattr(response_hook, "clear"):
if response_hook and hasattr(response_hook, "clear"):
response_hook.clear()
if self.container_link in self.__get_client_container_caches():
feed_options["containerRID"] = self.__get_client_container_caches()[self.container_link]["_rid"]
@@ -1113,18 +1126,22 @@ def read_offer(self, **kwargs: Any) -> Offer:
return self.get_throughput(**kwargs)

@distributed_trace
def get_throughput(self, **kwargs: Any) -> ThroughputProperties:
def get_throughput(
self,
*,
response_hook: Optional[Callable[[Mapping[str, Any], List[Dict[str, Any]]], None]] = None,
**kwargs: Any) -> ThroughputProperties:
"""Get the ThroughputProperties object for this container.
If no ThroughputProperties already exist for the container, an exception is raised.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], List[Dict[str, Any]]], None]
:returns: Throughput for the container.
:raises ~azure.cosmos.exceptions.CosmosHttpResponseError: No throughput properties exists for the container or
the throughput properties could not be retrieved.
:rtype: ~azure.cosmos.ThroughputProperties
"""
response_hook = kwargs.pop('response_hook', None)
throughput_properties: List[Dict[str, Any]]
properties = self._get_properties()
link = properties["_self"]
@@ -1152,7 +1169,6 @@ def replace_throughput(
:param throughput: The throughput to be set.
:type throughput: Union[int, ~azure.cosmos.ThroughputProperties]
:keyword Callable response_hook: A callable invoked with the response metadata.
:returns: ThroughputProperties for the container, updated with new throughput.
:raises ~azure.cosmos.exceptions.CosmosHttpResponseError: No throughput properties exist for the container
or the throughput properties could not be updated.
@@ -1178,17 +1194,19 @@ def replace_throughput(
def list_conflicts(
self,
max_item_count: Optional[int] = None,
*,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""List all the conflicts in the container.
:param int max_item_count: Max number of items to be returned in the enumeration operation.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of conflicts (dicts).
:rtype: Iterable[dict[str, Any]]
"""
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count
if self.container_link in self.__get_client_container_caches():
@@ -1209,6 +1227,8 @@ def query_conflicts(
enable_cross_partition_query: Optional[bool] = None,
partition_key: Optional[PartitionKeyType] = None,
max_item_count: Optional[int] = None,
*,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""Return all conflicts matching a given `query`.
@@ -1222,12 +1242,12 @@ def query_conflicts(
:param partition_key: Specifies the partition key value for the item.
:type partition_key: Union[str, int, float, bool, Sequence[Union[str, int, float, bool, None]]]
:param int max_item_count: Max number of items to be returned in the enumeration operation.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Dict[str, str], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of conflicts (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count
if enable_cross_partition_query is not None:
32 changes: 20 additions & 12 deletions sdk/cosmos/azure-cosmos/azure/cosmos/cosmos_client.py
Original file line number Diff line number Diff line change
@@ -22,7 +22,7 @@
"""Create, read, and delete databases in the Azure Cosmos DB SQL API service.
"""

from typing import Any, Dict, Iterable, List, Mapping, Optional, Union, cast
from typing import Any, Dict, Iterable, List, Mapping, Optional, Union, cast, Callable
import warnings

from azure.core import MatchConditions
@@ -260,6 +260,7 @@ def create_database( # pylint:disable=docstring-missing-param
initial_headers: Optional[Dict[str, str]] = None,
etag: Optional[str] = None,
match_condition: Optional[MatchConditions] = None,
response_hook: Optional[Callable[[Mapping[str, Any]], None]] = None,
**kwargs: Any
) -> DatabaseProxy:
"""
@@ -273,7 +274,8 @@ def create_database( # pylint:disable=docstring-missing-param
:keyword str etag: An ETag value, or the wildcard character (*). Used to check if the resource
has changed, and act according to the condition specified by the `match_condition` parameter.
:keyword ~azure.core.MatchConditions match_condition: The match condition to use upon the etag.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, str]], None]
:returns: A DatabaseProxy instance representing the new database.
:rtype: ~azure.cosmos.DatabaseProxy
:raises ~azure.cosmos.exceptions.CosmosResourceExistsError: Database with the given ID already exists.
@@ -287,7 +289,6 @@ def create_database( # pylint:disable=docstring-missing-param
:dedent: 0
:caption: Create a database in the Cosmos DB account:
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs["session_token"] = session_token
if initial_headers is not None:
@@ -393,18 +394,19 @@ def list_databases( # pylint:disable=docstring-missing-param
*,
session_token: Optional[str] = None,
initial_headers: Optional[Dict[str, str]] = None,
response_hook: Optional[Callable[[Mapping[str, Any]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""List the databases in a Cosmos DB SQL database account.
:param int max_item_count: Max number of items to be returned in the enumeration operation.
:keyword str session_token: Token for use with Session consistency.
:keyword Dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, str]], None]
:returns: An Iterable of database properties (dicts).
:rtype: Iterable[Dict[str, str]]
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs["session_token"] = session_token
if initial_headers is not None:
@@ -435,6 +437,7 @@ def query_databases( # pylint:disable=docstring-missing-param
*,
session_token: Optional[str] = None,
initial_headers: Optional[Dict[str, str]] = None,
response_hook: Optional[Callable[[Mapping[str, Any]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""Query the databases in a Cosmos DB SQL database account.
@@ -447,11 +450,11 @@ def query_databases( # pylint:disable=docstring-missing-param
:param int max_item_count: Max number of items to be returned in the enumeration operation.
:keyword str session_token: Token for use with Session consistency.
:keyword Dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, str]], None]
:returns: An Iterable of database properties (dicts).
:rtype: Iterable[Dict[str, str]]
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs["session_token"] = session_token
if initial_headers is not None:
@@ -495,6 +498,7 @@ def delete_database( # pylint:disable=docstring-missing-param
initial_headers: Optional[Dict[str, str]] = None,
etag: Optional[str] = None,
match_condition: Optional[MatchConditions] = None,
response_hook: Optional[Callable[[Mapping[str, Any]], None]] = None,
**kwargs: Any
) -> None:
"""Delete the database with the given ID (name).
@@ -507,11 +511,11 @@ def delete_database( # pylint:disable=docstring-missing-param
:keyword str etag: An ETag value, or the wildcard character (*). Used to check if the resource
has changed, and act according to the condition specified by the `match_condition` parameter.
:keyword ~azure.core.MatchConditions match_condition: The match condition to use upon the etag.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, str]], None]
:raises ~azure.cosmos.exceptions.CosmosHttpResponseError: If the database couldn't be deleted.
:rtype: None
"""
response_hook = kwargs.pop('response_hook', None)
if session_token is not None:
kwargs["session_token"] = session_token
if initial_headers is not None:
@@ -534,14 +538,18 @@ def delete_database( # pylint:disable=docstring-missing-param
response_hook(self.client_connection.last_response_headers)

@distributed_trace
def get_database_account(self, **kwargs) -> DatabaseAccount:
def get_database_account(
self,
*,
response_hook: Optional[Callable[[Mapping[str, Any]], None]] = None,
**kwargs) -> DatabaseAccount:
"""Retrieve the database account information.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any]], None]
:returns: A `DatabaseAccount` instance representing the Cosmos DB Database Account.
:rtype: ~azure.cosmos.DatabaseAccount
"""
response_hook = kwargs.pop('response_hook', None)
result = self.client_connection.GetDatabaseAccount(**kwargs)
if response_hook:
response_hook(self.client_connection.last_response_headers)
40 changes: 27 additions & 13 deletions sdk/cosmos/azure-cosmos/azure/cosmos/database.py
Original file line number Diff line number Diff line change
@@ -22,7 +22,7 @@
"""Interact with databases in the Azure Cosmos DB SQL API service.
"""

from typing import Any, Dict, List, Union, Optional, Mapping
from typing import Any, Dict, List, Union, Optional, Mapping, Callable

import warnings
from azure.core import MatchConditions
@@ -453,14 +453,16 @@ def list_containers( # pylint:disable=docstring-missing-param
*,
session_token: Optional[str] = None,
initial_headers: Optional[Dict[str, str]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""List the containers in the database.
:param int max_item_count: Max number of items to be returned in the enumeration operation.
:keyword str session_token: Token for use with Session consistency.
:keyword Dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of container properties (dicts).
:rtype: Iterable[Dict[str, Any]]
@@ -478,7 +480,6 @@ def list_containers( # pylint:disable=docstring-missing-param
if initial_headers is not None:
kwargs['initial_headers'] = initial_headers
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count
if populate_query_metrics is not None:
@@ -505,6 +506,7 @@ def query_containers( # pylint:disable=docstring-missing-param
*,
session_token: Optional[str] = None,
initial_headers: Optional[Dict[str, str]] = None,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""List the properties for containers in the current database.
@@ -515,7 +517,8 @@ def query_containers( # pylint:disable=docstring-missing-param
:param int max_item_count: Max number of items to be returned in the enumeration operation.
:keyword str session_token: Token for use with Session consistency.
:keyword Dict[str, str] initial_headers: Initial headers to be sent as part of the request.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of container properties (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
@@ -524,7 +527,6 @@ def query_containers( # pylint:disable=docstring-missing-param
if initial_headers is not None:
kwargs['initial_headers'] = initial_headers
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count
if populate_query_metrics is not None:
@@ -645,16 +647,22 @@ def replace_container( # pylint:disable=docstring-missing-param
self.client_connection, self.database_link, container_properties["id"], properties=container_properties)

@distributed_trace
def list_users(self, max_item_count: Optional[int] = None, **kwargs: Any) -> ItemPaged[Dict[str, Any]]:
def list_users(
self,
max_item_count: Optional[int] = None,
*,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""List all the users in the container.
:param int max_item_count: Max number of users to be returned in the enumeration operation.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of user properties (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count

@@ -671,6 +679,8 @@ def query_users(
query: str,
parameters: Optional[List[Dict[str, Any]]] = None,
max_item_count: Optional[int] = None,
*,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""Return all users matching the given `query`.
@@ -679,12 +689,12 @@ def query_users(
:param parameters: Optional array of parameters to the query. Ignored if no query is provided.
:type parameters: List[Dict[str, Any]]
:param int max_item_count: Max number of users to be returned in the enumeration operation.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of user properties (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count

@@ -836,18 +846,22 @@ def read_offer(self, **kwargs: Any) -> Offer:
return self.get_throughput(**kwargs)

@distributed_trace
def get_throughput(self, **kwargs: Any) -> ThroughputProperties:
def get_throughput(
self,
*,
response_hook: Optional[Callable[[Mapping[str, Any], List[Dict[str, Any]]], None]] = None,
**kwargs: Any) -> ThroughputProperties:
"""Get the ThroughputProperties object for this database.
If no ThroughputProperties already exist for the database, an exception is raised.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], List[Dict[str, Any]]], None]
:returns: ThroughputProperties for the database.
:raises ~azure.cosmos.exceptions.CosmosHttpResponseError: No throughput properties exists for the container or
the throughput properties could not be retrieved.
:rtype: ~azure.cosmos.ThroughputProperties
"""
response_hook = kwargs.pop('response_hook', None)
properties = self._get_properties()
link = properties["_self"]
query_spec = {
20 changes: 14 additions & 6 deletions sdk/cosmos/azure-cosmos/azure/cosmos/user.py
Original file line number Diff line number Diff line change
@@ -24,7 +24,7 @@

"""Create, read, update and delete users in the Azure Cosmos DB SQL API service.
"""
from typing import Any, Dict, List, Mapping, Union, Optional
from typing import Any, Dict, List, Mapping, Union, Optional, Callable

from azure.core.paging import ItemPaged
from azure.core.tracing.decorator import distributed_trace
@@ -89,16 +89,22 @@ def read(self, **kwargs: Any) -> Dict[str, Any]:
return self._properties

@distributed_trace
def list_permissions(self, max_item_count: Optional[int] = None, **kwargs: Any) -> ItemPaged[Dict[str, Any]]:
def list_permissions(
self,
max_item_count: Optional[int] = None,
*,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""List all permission for the user.
:param int max_item_count: Max number of permissions to be returned in the enumeration operation.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of permissions (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count

@@ -119,6 +125,8 @@ def query_permissions(
query: str,
parameters: Optional[List[Dict[str, Any]]] = None,
max_item_count: Optional[int] = None,
*,
response_hook: Optional[Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]] = None,
**kwargs: Any
) -> ItemPaged[Dict[str, Any]]:
"""Return all permissions matching the given `query`.
@@ -127,12 +135,12 @@ def query_permissions(
:param parameters: Optional array of parameters to the query. Ignored if no query is provided.
:type parameters: List[Dict[str, Any]]
:param int max_item_count: Max number of permissions to be returned in the enumeration operation.
:keyword Callable response_hook: A callable invoked with the response metadata.
:keyword response_hook: A callable invoked with the response metadata.
:paramtype response_hook: Callable[[Mapping[str, Any], ItemPaged[Dict[str, Any]]], None]
:returns: An Iterable of permissions (dicts).
:rtype: Iterable[Dict[str, Any]]
"""
feed_options = build_options(kwargs)
response_hook = kwargs.pop('response_hook', None)
if max_item_count is not None:
feed_options["maxItemCount"] = max_item_count