azure.storage.blob.aio package Azure SDK for Python 2.0.0 documentation

Publish date: 2024-06-23
class azure.storage.blob.aio.BlobServiceClient(account_url, credential=None, **kwargs)[source]

A client to interact with the Blob Service at the account level.

This client provides operations to retrieve and configure the account properties as well as list, create and delete containers within the account. For operations relating to a specific container or blob, clients for those entities can also be retrieved using the get_client functions.

ParametersKeyword Arguments

Example:

Creating the BlobServiceClient with account url and credential.
from azure.storage.blob.aio import BlobServiceClient blob_service_client = BlobServiceClient(account_url=self.url, credential=self.shared_access_key) 
Creating the BlobServiceClient with Azure Identity credentials.
# Get a token credential for authentication from azure.identity.aio import ClientSecretCredential token_credential = ClientSecretCredential(self.active_directory_tenant_id, self.active_directory_application_id, self.active_directory_application_secret) # Instantiate a BlobServiceClient using a token credential from azure.storage.blob.aio import BlobServiceClient blob_service_client = BlobServiceClient(account_url=self.oauth_url, credential=token_credential) 
async close()

This method is to close the sockets opened by the client. It need not be used when using with a context manager.

async create_container(name, metadata=None, public_access=None, **kwargs)[source]

Creates a new container under the specified account.

If the container with the same name already exists, a ResourceExistsError will be raised. This method returns a client with which to interact with the newly created container.

ParametersKeyword Arguments

timeout (int) – The timeout parameter is expressed in seconds.

Return type

ContainerClient

Example:

Creating a container in the blob service.
try: new_container = await blob_service_client.create_container("containerfromblobserviceasync") properties = await new_container.get_container_properties() except ResourceExistsError: print("Container already exists.") 
async delete_container(container, lease=None, **kwargs)[source]

Marks the specified container for deletion.

The container and any blobs contained within it are later deleted during garbage collection. If the container is not found, a ResourceNotFoundError will be raised.

ParametersKeyword ArgumentsReturn type

None

Example:

Deleting a container in the blob service.
# Delete container if it exists try: await blob_service_client.delete_container("containerfromblobserviceasync") except ResourceNotFoundError: print("Container already deleted.") 
classmethod from_connection_string(conn_str, credential=None, **kwargs)[source]

Create BlobServiceClient from a Connection String.

ParametersReturns

A Blob service client.

Return type

BlobServiceClient

Example:

Creating the BlobServiceClient from a connection string.
from azure.storage.blob import BlobServiceClient blob_service_client = BlobServiceClient.from_connection_string(self.connection_string) 
async get_account_information(**kwargs)[source]

Gets information related to the storage account.

The information can also be retrieved if the user has a SAS to a container or blob. The keys in the returned dictionary include ‘sku_name’ and ‘account_kind’.

Returns

A dict of account information (SKU and account type).

Return type

dict(str, str)

Example:

Getting account information for the blob service.
account_info = await blob_service_client.get_account_information() print('Using Storage SKU: {}'.format(account_info['sku_name'])) 
get_blob_client(container, blob, snapshot=None)[source]

Get a client to interact with the specified blob.

The blob need not already exist.

ParametersReturns

A BlobClient.

Return type

BlobClient

Example:

Getting the blob client to interact with a specific blob.
blob_client = blob_service_client.get_blob_client(container="containertestasync", blob="my_blob") try: stream = await blob_client.download_blob() except ResourceNotFoundError: print("No blob found.") 
get_container_client(container)[source]

Get a client to interact with the specified container.

The container need not already exist.

Parameters

container (str or ContainerProperties) – The container. This can either be the name of the container, or an instance of ContainerProperties.

Returns

A ContainerClient.

Return type

ContainerClient

Example:

Getting the container client to interact with a specific container.
# Get a client to interact with a specific container - though it may not yet exist container_client = blob_service_client.get_container_client("containertestasync") try: blobs_list = [] async for blob in container_client.list_blobs(): blobs_list.append(blob) for blob in blobs_list: print("Found blob: ", blob.name) except ResourceNotFoundError: print("Container not found.") 
async get_service_properties(**kwargs)[source]

Gets the properties of a storage account’s Blob service, including Azure Storage Analytics.

Keyword Arguments

timeout (int) – The timeout parameter is expressed in seconds.

Returns

An object containing blob service properties such as analytics logging, hour/minute metrics, cors rules, etc.

Return type

Dict[str, Any]

Example:

Getting service properties for the blob service.
properties = await blob_service_client.get_service_properties() 
async get_service_stats(**kwargs)[source]

Retrieves statistics related to replication for the Blob service.

It is only available when read-access geo-redundant replication is enabled for the storage account.

With geo-redundant replication, Azure Storage maintains your data durable in two locations. In both locations, Azure Storage constantly maintains multiple healthy replicas of your data. The location where you read, create, update, or delete data is the primary storage account location. The primary location exists in the region you choose at the time you create an account via the Azure Management Azure classic portal, for example, North Central US. The location to which your data is replicated is the secondary location. The secondary location is automatically determined based on the location of the primary; it is in a second data center that resides in the same region as the primary location. Read-only access is available from the secondary location, if read-access geo-redundant replication is enabled for your storage account.

Keyword Arguments

timeout (int) – The timeout parameter is expressed in seconds.

Returns

The blob service stats.

Return type

Dict[str, Any]

Example:

Getting service stats for the blob service.
stats = await blob_service_client.get_service_stats() 
async get_user_delegation_key(key_start_time, key_expiry_time, **kwargs)[source]

Obtain a user delegation key for the purpose of signing SAS tokens. A token credential must be present on the service object for this request to succeed.

ParametersKeyword Arguments

timeout (int) – The timeout parameter is expressed in seconds.

Returns

The user delegation key.

Return type

UserDelegationKey

list_containers(name_starts_with=None, include_metadata=False, **kwargs)[source]

Returns a generator to list the containers under the specified account.

The generator will lazily follow the continuation tokens returned by the service and stop when all containers have been returned.

ParametersKeyword ArgumentsReturns

An iterable (auto-paging) of ContainerProperties.

Return type

AsyncItemPaged[ContainerProperties]

Example:

Listing the containers in the blob service.
# List all containers all_containers = [] async for container in blob_service_client.list_containers(include_metadata=True): all_containers.append(container) for container in all_containers: print(container['name'], container['metadata']) # Filter results with name prefix test_containers = [] async for name in blob_service_client.list_containers(name_starts_with='test-'): test_containers.append(name) for container in test_containers: await blob_service_client.delete_container(container) 
async set_service_properties(analytics_logging=None, hour_metrics=None, minute_metrics=None, cors=None, target_version=None, delete_retention_policy=None, static_website=None, **kwargs)[source]

Sets the properties of a storage account’s Blob service, including Azure Storage Analytics.

If an element (e.g. analytics_logging) is left as None, the existing settings on the service for that functionality are preserved.

ParametersKeyword Arguments

timeout (int) – The timeout parameter is expressed in seconds.

Return type

None

Example:

Setting service properties for the blob service.
# Create service properties from azure.storage.blob import BlobAnalyticsLogging, Metrics, CorsRule, RetentionPolicy # Create logging settings logging = BlobAnalyticsLogging(read=True, write=True, delete=True, retention_policy=RetentionPolicy(enabled=True, days=5)) # Create metrics for requests statistics hour_metrics = Metrics(enabled=True, include_apis=True, retention_policy=RetentionPolicy(enabled=True, days=5)) minute_metrics = Metrics(enabled=True, include_apis=True, retention_policy=RetentionPolicy(enabled=True, days=5)) # Create CORS rules cors_rule = CorsRule(['www.xyz.com'], ['GET']) cors = [cors_rule] # Set the service properties await blob_service_client.set_service_properties(logging, hour_metrics, minute_metrics, cors) 
property location_mode

The location mode that the client is currently using.

By default this will be “primary”. Options include “primary” and “secondary”.

Type

str

property primary_endpoint

The full primary endpoint URL.

Type

str

property primary_hostname

The hostname of the primary endpoint.

Type

str

property secondary_endpoint

The full secondary endpoint URL if configured.

If not available a ValueError will be raised. To explicitly specify a secondary hostname, use the optional secondary_hostname keyword argument on instantiation.

Type

str

Raises

ValueError

property secondary_hostname

The hostname of the secondary endpoint.

If not available this will be None. To explicitly specify a secondary hostname, use the optional secondary_hostname keyword argument on instantiation.

Type

str or None

property url

The full endpoint URL to this entity, including SAS token if used.

This could be either the primary endpoint, or the secondary endpoint depending on the current location_mode().

class azure.storage.blob.aio.ContainerClient(account_url, container_name, credential=None, **kwargs)[source]

A client to interact with a specific container, although that container may not yet exist.

For operations relating to a specific blob within this container, a blob client can be retrieved using the get_blob_client() function.

ParametersKeyword Arguments

Example:

Get a ContainerClient from an existing BlobServiceClient.
# Instantiate a BlobServiceClient using a connection string from azure.storage.blob.aio import BlobServiceClient blob_service_client = BlobServiceClient.from_connection_string(self.connection_string) # Instantiate a ContainerClient container_client = blob_service_client.get_container_client("mynewcontainerasync") 
Creating the container client directly.
from azure.storage.blob.aio import ContainerClient sas_url = sas_url = "https://account.blob.core.windows.net/mycontainer?sv=2015-04-05&st=2015-04-29T22%3A18%3A26Z&se=2015-04-30T02%3A23%3A26Z&sr=b&sp=rw&sip=168.1.5.60-168.1.5.70&spr=https&sig=Z%2FRHIX5Xcg0Mq2rqI3OlWTjEg2tYkboXr1P9ZUXDtkk%3D" container = ContainerClient.from_container_url(sas_url) 
async acquire_lease(lease_duration=-1, lease_id=None, **kwargs)[source]

Requests a new lease. If the container does not have an active lease, the Blob service creates a lease on the container and returns a new lease ID.

ParametersKeyword ArgumentsReturns

A BlobLeaseClient object, that can be run in a context manager.

Return type

BlobLeaseClient

Example:

Acquiring a lease on the container.
# Acquire a lease on the container lease = await container_client.acquire_lease() # Delete container by passing in the lease await container_client.delete_container(lease=lease) 
async close()

This method is to close the sockets opened by the client. It need not be used when using with a context manager.

async create_container(metadata=None, public_access=None, **kwargs)[source]

Creates a new container under the specified account. If the container with the same name already exists, the operation fails.

ParametersKeyword Arguments

timeout (int) – The timeout parameter is expressed in seconds.

Return type

None

Example:

Creating a container to store blobs.
await container_client.create_container() 
async delete_blob(blob, delete_snapshots=None, **kwargs)[source]

Marks the specified blob or snapshot for deletion.

The blob is later deleted during garbage collection. Note that in order to delete a blob, you must delete all of its snapshots. You can delete both at the same time with the delete_blob operation.

If a delete retention policy is enabled for the service, then this operation soft deletes the blob or snapshot and retains the blob or snapshot for specified number of days. After specified number of days, blob’s data is removed from the service during garbage collection. Soft deleted blob or snapshot is accessible through list_blobs() specifying include=[“deleted”] option. Soft-deleted blob or snapshot can be restored using undelete()

ParametersKeyword ArgumentsReturn type

None

async delete_blobs(*blobs: Union[str, azure.storage.blob._models.BlobProperties], delete_snapshots: Optional[str] = None, lease: Union[str, azure.storage.blob.aio._lease_async.BlobLeaseClient, None] = None, **kwargs) → AsyncIterator[azure.core.pipeline.transport._base_async.AsyncHttpResponse][source]

Marks the specified blobs or snapshots for deletion.

The blobs are later deleted during garbage collection. Note that in order to delete blobs, you must delete all of their snapshots. You can delete both at the same time with the delete_blobs operation.

If a delete retention policy is enabled for the service, then this operation soft deletes the blobs or snapshots and retains the blobs or snapshots for specified number of days. After specified number of days, blobs’ data is removed from the service during garbage collection. Soft deleted blobs or snapshots are accessible through list_blobs() specifying include=[“deleted”] Soft-deleted blobs or snapshots can be restored using undelete()

ParametersKeyword ArgumentsReturns

An async iterator of responses, one for each blob in order

Return type

asynciterator[AsyncHttpResponse]

Example:

Deleting multiple blobs.
# Delete multiple blobs in the container by name await container_client.delete_blobs("my_blob1", "my_blob2") # Delete multiple blobs by properties iterator my_blobs = container_client.list_blobs(name_starts_with="my_blob") await container_client.delete_blobs(*[b async for b in my_blobs]) # async for in list comprehension after 3.6 only 
async delete_container(**kwargs)[source]

Marks the specified container for deletion. The container and any blobs contained within it are later deleted during garbage collection.

Keyword ArgumentsReturn type

None

Example:

Delete a container.
await container_client.delete_container() 
async download_blob(blob, offset=None, length=None, **kwargs)[source]

Downloads a blob to the StorageStreamDownloader. The readall() method must be used to read all the content or readinto() must be used to download the blob into a stream.

ParametersKeyword ArgumentsReturns

A streaming object. (StorageStreamDownloader)

Return type

StorageStreamDownloader

classmethod from_connection_string(conn_str, container_name, credential=None, **kwargs)[source]

Create ContainerClient from a Connection String.

ParametersReturns

A container client.

Return type

ContainerClient

Example:

Creating the ContainerClient from a connection string.
from azure.storage.blob import ContainerClient container_client = ContainerClient.from_connection_string( self.connection_string, container_name="mycontainer") 
classmethod from_container_url(container_url, credential=None, **kwargs)[source]

Create ContainerClient from a container url.

ParametersReturns

A container client.

Return type

ContainerClient

async get_account_information(**kwargs)[source]

Gets information related to the storage account.

The information can also be retrieved if the user has a SAS to a container or blob. The keys in the returned dictionary include ‘sku_name’ and ‘account_kind’.

Returns

A dict of account information (SKU and account type).

Return type

dict(str, str)

get_blob_client(blob, snapshot=None)[source]

Get a client to interact with the specified blob.

The blob need not already exist.

ParametersReturns

A BlobClient.

Return type

BlobClient

Example:

Get the blob client.
# Get the BlobClient from the ContainerClient to interact with a specific blob blob_client = container_client.get_blob_client("mynewblob") 
async get_container_access_policy(**kwargs)[source]

Gets the permissions for the specified container. The permissions indicate whether container data may be accessed publicly.

Keyword ArgumentsReturns

Access policy information in a dict.

Return type

dict[str, Any]

Example:

Getting the access policy on the container.
policy = await container_client.get_container_access_policy() 
async get_container_properties(**kwargs)[source]

Returns all user-defined metadata and system properties for the specified container. The data returned does not include the container’s list of blobs.

Keyword ArgumentsReturns

Properties for the specified container within a container object.

Return type

ContainerProperties

Example:

Getting properties on the container.
properties = await container_client.get_container_properties() 
list_blobs(name_starts_with=None, include=None, **kwargs)[source]

Returns a generator to list the blobs under the specified container. The generator will lazily follow the continuation tokens returned by the service.

ParametersKeyword Arguments

timeout (int) – The timeout parameter is expressed in seconds.

Returns

An iterable (auto-paging) response of BlobProperties.

Return type

AsyncItemPaged[BlobProperties]

Example:

List the blobs in the container.
blobs_list = [] async for blob in container_client.list_blobs(): blobs_list.append(blob) 
async set_container_access_policy(signed_identifiers, public_access=None, **kwargs)[source]

Sets the permissions for the specified container or stored access policies that may be used with Shared Access Signatures. The permissions indicate whether blobs in a container may be accessed publicly.

ParametersKeyword ArgumentsReturns

Container-updated property dict (Etag and last modified).

Return type

dict[str, str or datetime]

Example:

Setting access policy on the container.
# Create access policy from azure.storage.blob import AccessPolicy, ContainerSasPermissions access_policy = AccessPolicy(permission=ContainerSasPermissions(read=True), expiry=datetime.utcnow() + timedelta(hours=1), start=datetime.utcnow() - timedelta(minutes=1)) identifiers = {'test': access_policy} # Set the access policy on the container await container_client.set_container_access_policy(signed_identifiers=identifiers) 
async set_container_metadata(metadata=None, **kwargs)[source]

Sets one or more user-defined name-value pairs for the specified container. Each call to this operation replaces all existing metadata attached to the container. To remove all metadata from the container, call this operation with no metadata dict.

Parameters

metadata (dict[str, str]) – A dict containing name-value pairs to associate with the container as metadata. Example: {‘category’:’test’}

Keyword ArgumentsReturns

Container-updated property dict (Etag and last modified).

Example:

Setting metadata on the container.
# Create key, value pairs for metadata metadata = {'type': 'test'} # Set metadata on the container await container_client.set_container_metadata(metadata=metadata) 
set_premium_page_blob_tier_blobs(premium_page_blob_tier: Union[str, PremiumPageBlobTier], *blobs: Union[str, azure.storage.blob._models.BlobProperties], **kwargs) → AsyncIterator[azure.core.pipeline.transport._base_async.AsyncHttpResponse][source]

Sets the page blob tiers on the blobs. This API is only supported for page blobs on premium accounts.

ParametersKeyword ArgumentsReturns

An async iterator of responses, one for each blob in order

Return type

asynciterator[AsyncHttpResponse]

set_standard_blob_tier_blobs(standard_blob_tier: Union[str, StandardBlobTier], *blobs: Union[str, azure.storage.blob._models.BlobProperties], **kwargs) → AsyncIterator[azure.core.pipeline.transport._base_async.AsyncHttpResponse][source]

This operation sets the tier on block blobs.

A block blob’s tier determines Hot/Cool/Archive storage type. This operation does not update the blob’s ETag.

ParametersKeyword ArgumentsReturns

An async iterator of responses, one for each blob in order

Return type

asynciterator[AsyncHttpResponse]

async upload_blob(name, data, blob_type=<BlobType.BlockBlob: 'BlockBlob'>, length=None, metadata=None, **kwargs)[source]

Creates a new blob from a data source with automatic chunking.

ParametersKeyword ArgumentsReturns

A BlobClient to interact with the newly uploaded blob.

Return type

BlobClient

Example:

Upload blob to the container.
with open(SOURCE_FILE, "rb") as data: blob_client = await container_client.upload_blob(name="myblob", data=data) properties = await blob_client.get_blob_properties() 
walk_blobs(name_starts_with=None, include=None, delimiter='/', **kwargs)[source]

Returns a generator to list the blobs under the specified container. The generator will lazily follow the continuation tokens returned by the service. This operation will list blobs in accordance with a hierarchy, as delimited by the specified delimiter character.

ParametersKeyword Arguments

timeout (int) – The timeout parameter is expressed in seconds.

Returns

An iterable (auto-paging) response of BlobProperties.

Return type

AsyncItemPaged[BlobProperties]

property location_mode

The location mode that the client is currently using.

By default this will be “primary”. Options include “primary” and “secondary”.

Type

str

property primary_endpoint

The full primary endpoint URL.

Type

str

property primary_hostname

The hostname of the primary endpoint.

Type

str

property secondary_endpoint

The full secondary endpoint URL if configured.

If not available a ValueError will be raised. To explicitly specify a secondary hostname, use the optional secondary_hostname keyword argument on instantiation.

Type

str

Raises

ValueError

property secondary_hostname

The hostname of the secondary endpoint.

If not available this will be None. To explicitly specify a secondary hostname, use the optional secondary_hostname keyword argument on instantiation.

Type

str or None

property url

The full endpoint URL to this entity, including SAS token if used.

This could be either the primary endpoint, or the secondary endpoint depending on the current location_mode().

class azure.storage.blob.aio.BlobClient(account_url, container_name, blob_name, snapshot=None, credential=None, **kwargs)[source]

A client to interact with a specific blob, although that blob may not yet exist.

ParametersKeyword Arguments

Example:

Creating the BlobClient from a URL to a public blob (no auth needed).
from azure.storage.blob.aio import BlobClient blob_client = BlobClient.from_blob_url(blob_url="https://account.blob.core.windows.net/container/blob-name") 
Creating the BlobClient from a SAS URL to a blob.
from azure.storage.blob.aio import BlobClient sas_url = "https://account.blob.core.windows.net/container/blob-name?sv=2015-04-05&st=2015-04-29T22%3A18%3A26Z&se=2015-04-30T02%3A23%3A26Z&sr=b&sp=rw&sip=168.1.5.60-168.1.5.70&spr=https&sig=Z%2FRHIX5Xcg0Mq2rqI3OlWTjEg2tYkboXr1P9ZUXDtkk%3D" blob_client = BlobClient.from_blob_url(sas_url) 
async abort_copy(copy_id, **kwargs)[source]

Abort an ongoing copy operation.

This will leave a destination blob with zero length and full metadata. This will raise an error if the copy operation has already ended.

Parameters

copy_id (str or BlobProperties) – The copy operation to abort. This can be either an ID, or an instance of BlobProperties.

Return type

None

Example:

Abort copying a blob from URL.
# Passing in copy id to abort copy operation await copied_blob.abort_copy(copy_id) # check copy status props = await copied_blob.get_blob_properties() print(props.copy.status) 
async acquire_lease(lease_duration=-1, lease_id=None, **kwargs)[source]

Requests a new lease.

If the blob does not have an active lease, the Blob Service creates a lease on the blob and returns a new lease.

ParametersKeyword ArgumentsReturns

A BlobLeaseClient object.

Return type

BlobLeaseClient

Example:

Acquiring a lease on a blob.
# Get the blob client blob_client = blob_service_client.get_blob_client("leasemyblobscontainerasync", "my_blob") # Acquire a lease on the blob lease = await blob_client.acquire_lease() # Delete blob by passing in the lease await blob_client.delete_blob(lease=lease) 
async append_block(data, length=None, **kwargs)[source]

Commits a new block of data to the end of the existing append blob.

ParametersKeyword ArgumentsReturns

Blob-updated property dict (Etag, last modified, append offset, committed block count).

Return type

dict(str, Any)

async append_block_from_url(copy_source_url, source_offset=None, source_length=None, **kwargs)[source]

Creates a new block to be committed as part of a blob, where the contents are read from a source url.

ParametersKeyword Argumentsasync clear_page(offset, length, **kwargs)[source]

Clears a range of pages.

ParametersKeyword ArgumentsReturns

Blob-updated property dict (Etag and last modified).

Return type

dict(str, Any)

async close()

This method is to close the sockets opened by the client. It need not be used when using with a context manager.

async commit_block_list(block_list, content_settings=None, metadata=None, **kwargs)[source]

The Commit Block List operation writes a blob by specifying the list of block IDs that make up the blob.

ParametersKeyword ArgumentsReturns

Blob-updated property dict (Etag and last modified).

Return type

dict(str, Any)

async create_append_blob(content_settings=None, metadata=None, **kwargs)[source]

Creates a new Append Blob.

ParametersKeyword ArgumentsReturns

Blob-updated property dict (Etag and last modified).

Return type

dict[str, Any]

async create_page_blob(size, content_settings=None, metadata=None, premium_page_blob_tier=None, **kwargs)[source]

Creates a new Page Blob of the specified size.

ParametersKeyword ArgumentsReturns

Blob-updated property dict (Etag and last modified).

Return type

dict[str, Any]

async create_snapshot(metadata=None, **kwargs)[source]

Creates a snapshot of the blob.

A snapshot is a read-only version of a blob that’s taken at a point in time. It can be read, copied, or deleted, but not modified. Snapshots provide a way to back up a blob as it appears at a moment in time.

A snapshot of a blob has the same name as the base blob from which the snapshot is taken, with a DateTime value appended to indicate the time at which the snapshot was taken.

Parameters

metadata (dict(str, str)) – Name-value pairs associated with the blob as metadata.

Keyword ArgumentsReturns

Blob-updated property dict (Snapshot ID, Etag, and last modified).

Return type

dict[str, Any]

Example:

Create a snapshot of the blob.
# Create a read-only snapshot of the blob at this point in time snapshot_blob = await blob_client.create_snapshot() # Get the snapshot ID print(snapshot_blob.get('snapshot')) # Delete only the snapshot (blob itself is retained) await blob_client.delete_blob(delete_snapshots="only") 
async delete_blob(delete_snapshots=False, **kwargs)[source]

Marks the specified blob for deletion.

The blob is later deleted during garbage collection. Note that in order to delete a blob, you must delete all of its snapshots. You can delete both at the same time with the delete_blob() operation.

If a delete retention policy is enabled for the service, then this operation soft deletes the blob and retains the blob for a specified number of days. After the specified number of days, the blob’s data is removed from the service during garbage collection. Soft deleted blob is accessible through list_blobs() specifying include=[‘deleted’] option. Soft-deleted blob can be restored using undelete() operation.

Parameters

delete_snapshots (str) –

Required if the blob has associated snapshots. Values include:Keyword ArgumentsReturn type

None

Example:

Delete a blob.
await blob_client.delete_blob() 
async download_blob(offset=None, length=None, **kwargs)[source]

Downloads a blob to the StorageStreamDownloader. The readall() method must be used to read all the content or readinto() must be used to download the blob into a stream.

ParametersKeyword ArgumentsReturns

A streaming object (StorageStreamDownloader)

Return type

StorageStreamDownloader

Example:

Download a blob.
with open(DEST_FILE, "wb") as my_blob: stream = await blob_client.download_blob() data = await stream.readall() my_blob.write(data) 
classmethod from_blob_url(blob_url, credential=None, snapshot=None, **kwargs)[source]

Create BlobClient from a blob url.

ParametersReturns

A Blob client.

Return type

BlobClient

classmethod from_connection_string(conn_str, container_name, blob_name, snapshot=None, credential=None, **kwargs)[source]

Create BlobClient from a Connection String.

ParametersReturns

A Blob client.

Return type

BlobClient

Example:

Creating the BlobClient from a connection string.
from azure.storage.blob import BlobClient blob_client = BlobClient.from_connection_string( self.connection_string, container_name="mycontainer", blob_name="blobname.txt") 
async get_account_information(**kwargs)[source]

Gets information related to the storage account in which the blob resides.

The information can also be retrieved if the user has a SAS to a container or blob. The keys in the returned dictionary include ‘sku_name’ and ‘account_kind’.

Returns

A dict of account information (SKU and account type).

Return type

dict(str, str)

async get_blob_properties(**kwargs)[source]

Returns all user-defined metadata, standard HTTP properties, and system properties for the blob. It does not return the content of the blob.

Keyword ArgumentsReturns

BlobProperties

Return type

BlobProperties

Example:

Getting the properties for a blob.
properties = await blob_client.get_blob_properties() 
async get_block_list(block_list_type='committed', **kwargs)[source]

The Get Block List operation retrieves the list of blocks that have been uploaded as part of a block blob.

Parameters

block_list_type (str) – Specifies whether to return the list of committed blocks, the list of uncommitted blocks, or both lists together. Possible values include: ‘committed’, ‘uncommitted’, ‘all’

Keyword ArgumentsReturns

A tuple of two lists - committed and uncommitted blocks

Return type

tuple(list(BlobBlock), list(BlobBlock))

async get_page_ranges(offset=None, length=None, previous_snapshot_diff=None, **kwargs)[source]

Returns the list of valid page ranges for a Page Blob or snapshot of a page blob.

ParametersKeyword ArgumentsReturns

A tuple of two lists of page ranges as dictionaries with ‘start’ and ‘end’ keys. The first element are filled page ranges, the 2nd element is cleared page ranges.

Return type

tuple(list(dict(str, str), list(dict(str, str))

async resize_blob(size, **kwargs)[source]

Resizes a page blob to the specified size.

If the specified value is less than the current size of the blob, then all pages above the specified value are cleared.

Parameters

size (int) – Size used to resize blob. Maximum size for a page blob is up to 1 TB. The page blob size must be aligned to a 512-byte boundary.

Keyword ArgumentsReturns

Blob-updated property dict (Etag and last modified).

Return type

dict(str, Any)

async set_blob_metadata(metadata=None, **kwargs)[source]

Sets user-defined metadata for the blob as one or more name-value pairs.

Parameters

metadata (dict(str, str)) – Dict containing name and value pairs. Each call to this operation replaces all existing metadata attached to the blob. To remove all metadata from the blob, call this operation with no metadata headers.

Keyword ArgumentsReturns

Blob-updated property dict (Etag and last modified)

async set_http_headers(content_settings=None, **kwargs)[source]

Sets system properties on the blob.

If one property is set for the content_settings, all properties will be overridden.

Parameters

content_settings (ContentSettings) – ContentSettings object used to set blob properties. Used to set content type, encoding, language, disposition, md5, and cache control.

Keyword ArgumentsReturns

Blob-updated property dict (Etag and last modified)

Return type

Dict[str, Any]

async set_premium_page_blob_tier(premium_page_blob_tier, **kwargs)[source]

Sets the page blob tiers on the blob. This API is only supported for page blobs on premium accounts.

Parameters

premium_page_blob_tier (PremiumPageBlobTier) – A page blob tier value to set the blob to. The tier correlates to the size of the blob and number of allowed IOPS. This is only applicable to page blobs on premium storage accounts.

Keyword ArgumentsReturn type

None

async set_sequence_number(sequence_number_action, sequence_number=None, **kwargs)[source]

Sets the blob sequence number.

ParametersKeyword ArgumentsReturns

Blob-updated property dict (Etag and last modified).

Return type

dict(str, Any)

async set_standard_blob_tier(standard_blob_tier, **kwargs)[source]

This operation sets the tier on a block blob.

A block blob’s tier determines Hot/Cool/Archive storage type. This operation does not update the blob’s ETag.

Parameters

standard_blob_tier (str or StandardBlobTier) – Indicates the tier to be set on the blob. Options include ‘Hot’, ‘Cool’, ‘Archive’. The hot tier is optimized for storing data that is accessed frequently. The cool storage tier is optimized for storing data that is infrequently accessed and stored for at least a month. The archive tier is optimized for storing data that is rarely accessed and stored for at least six months with flexible latency requirements.

Keyword ArgumentsReturn type

None

async stage_block(block_id, data, length=None, **kwargs)[source]

Creates a new block to be committed as part of a blob.

ParametersKeyword ArgumentsReturn type

None

async stage_block_from_url(block_id, source_url, source_offset=None, source_length=None, source_content_md5=None, **kwargs)[source]

Creates a new block to be committed as part of a blob where the contents are read from a URL.

ParametersKeyword ArgumentsReturn type

None

async start_copy_from_url(source_url, metadata=None, incremental_copy=False, **kwargs)[source]

Copies a blob asynchronously.

This operation returns a copy operation object that can be used to wait on the completion of the operation, as well as check status or abort the copy operation. The Blob service copies blobs on a best-effort basis.

The source blob for a copy operation may be a block blob, an append blob, or a page blob. If the destination blob already exists, it must be of the same blob type as the source blob. Any existing destination blob will be overwritten. The destination blob cannot be modified while a copy operation is in progress.

When copying from a page blob, the Blob service creates a destination page blob of the source blob’s length, initially containing all zeroes. Then the source page ranges are enumerated, and non-empty ranges are copied.

For a block blob or an append blob, the Blob service creates a committed blob of zero length before returning from this operation. When copying from a block blob, all committed blocks and their block IDs are copied. Uncommitted blocks are not copied. At the end of the copy operation, the destination blob will have the same committed block count as the source.

When copying from an append blob, all committed blocks are copied. At the end of the copy operation, the destination blob will have the same committed block count as the source.

For all blob types, you can call status() on the returned polling object to check the status of the copy operation, or wait() to block until the operation is complete. The final blob will be committed when the copy completes.

ParametersKeyword ArgumentsReturns

A dictionary of copy properties (etag, last_modified, copy_id, copy_status).

Return type

dict[str, str or datetime]

Example:

Copy a blob from a URL.
# Get the blob client with the source blob source_blob = "http://www.gutenberg.org/files/59466/59466-0.txt" copied_blob = blob_service_client.get_blob_client("copyblobcontainerasync", '59466-0.txt') # start copy and check copy status copy = await copied_blob.start_copy_from_url(source_blob) props = await copied_blob.get_blob_properties() print(props.copy.status) 
async undelete_blob(**kwargs)[source]

Restores soft-deleted blobs or snapshots.

Operation will only be successful if used within the specified number of days set in the delete retention policy.

Keyword Arguments

timeout (int) – The timeout parameter is expressed in seconds.

Return type

None

Example:

Undeleting a blob.
# Undelete the blob before the retention policy expires await blob_client.undelete_blob() 
async upload_blob(data, blob_type=<BlobType.BlockBlob: 'BlockBlob'>, length=None, metadata=None, **kwargs)[source]

Creates a new blob from a data source with automatic chunking.

ParametersKeyword ArgumentsParamtype

BlobLeaseClient

Returns

Blob-updated property dict (Etag and last modified)

Return type

dict[str, Any]

Example:

Upload a blob to the container.
# Upload content to block blob with open(SOURCE_FILE, "rb") as data: await blob_client.upload_blob(data, blob_type="BlockBlob") 
async upload_page(page, offset, length, **kwargs)[source]

The Upload Pages operation writes a range of pages to a page blob.

ParametersKeyword ArgumentsReturns

Blob-updated property dict (Etag and last modified).

Return type

dict(str, Any)

async upload_pages_from_url(source_url, offset, length, source_offset, **kwargs)[source]

The Upload Pages operation writes a range of pages to a page blob where the contents are read from a URL.

ParametersKeyword Argumentsproperty location_mode

The location mode that the client is currently using.

By default this will be “primary”. Options include “primary” and “secondary”.

Type

str

property primary_endpoint

The full primary endpoint URL.

Type

str

property primary_hostname

The hostname of the primary endpoint.

Type

str

property secondary_endpoint

The full secondary endpoint URL if configured.

If not available a ValueError will be raised. To explicitly specify a secondary hostname, use the optional secondary_hostname keyword argument on instantiation.

Type

str

Raises

ValueError

property secondary_hostname

The hostname of the secondary endpoint.

If not available this will be None. To explicitly specify a secondary hostname, use the optional secondary_hostname keyword argument on instantiation.

Type

str or None

property url

The full endpoint URL to this entity, including SAS token if used.

This could be either the primary endpoint, or the secondary endpoint depending on the current location_mode().

class azure.storage.blob.aio.BlobLeaseClient(client, lease_id=None)[source]

Creates a new BlobLeaseClient.

This client provides lease operations on a BlobClient or ContainerClient.

VariablesParametersasync acquire(lease_duration=-1, **kwargs)[source]

Requests a new lease.

If the container does not have an active lease, the Blob service creates a lease on the container and returns a new lease ID.

Parameters

lease_duration (int) – Specifies the duration of the lease, in seconds, or negative one (-1) for a lease that never expires. A non-infinite lease can be between 15 and 60 seconds. A lease duration cannot be changed using renew or change. Default is -1 (infinite lease).

Keyword ArgumentsReturn type

None

async break_lease(lease_break_period=None, **kwargs)[source]

Break the lease, if the container or blob has an active lease.

Once a lease is broken, it cannot be renewed. Any authorized request can break the lease; the request is not required to specify a matching lease ID. When a lease is broken, the lease break period is allowed to elapse, during which time no lease operation except break and release can be performed on the container or blob. When a lease is successfully broken, the response indicates the interval in seconds until a new lease can be acquired.

Parameters

lease_break_period (int) – This is the proposed duration of seconds that the lease should continue before it is broken, between 0 and 60 seconds. This break period is only used if it is shorter than the time remaining on the lease. If longer, the time remaining on the lease is used. A new lease will not be available before the break period has expired, but the lease may be held for longer than the break period. If this header does not appear with a break operation, a fixed-duration lease breaks after the remaining lease period elapses, and an infinite lease breaks immediately.

Keyword ArgumentsReturns

Approximate time remaining in the lease period, in seconds.

Return type

int

async change(proposed_lease_id, **kwargs)[source]

Change the lease ID of an active lease.

Parameters

proposed_lease_id (str) – Proposed lease ID, in a GUID string format. The Blob service returns 400 (Invalid request) if the proposed lease ID is not in the correct format.

Keyword ArgumentsReturns

None

async release(**kwargs)[source]

Release the lease.

The lease may be released if the client lease id specified matches that associated with the container or blob. Releasing the lease allows another client to immediately acquire the lease for the container or blob as soon as the release is complete.

Keyword ArgumentsReturns

None

async renew(**kwargs)[source]

Renews the lease.

The lease can be renewed if the lease ID specified in the lease client matches that associated with the container or blob. Note that the lease may be renewed even if it has expired as long as the container or blob has not been leased again since the expiration of that lease. When you renew a lease, the lease duration clock resets.

Keyword ArgumentsReturns

None

class azure.storage.blob.aio.ExponentialRetry(initial_backoff=15, increment_base=3, retry_total=3, retry_to_secondary=False, random_jitter_range=3, **kwargs)[source]

Exponential retry.

Constructs an Exponential retry object. The initial_backoff is used for the first retry. Subsequent retries are retried after initial_backoff + increment_power^retry_count seconds. For example, by default the first retry occurs after 15 seconds, the second after (15+3^1) = 18 seconds, and the third after (15+3^2) = 24 seconds.

Parametersconfigure_retries(request) get_backoff_time(settings)[source]

Calculates how long to sleep before retrying.

Returns

An integer indicating how long to wait before retrying the request, or None to indicate no retry should be performed.

Return type

int or None

increment(settings, request, response=None, error=None)

Increment the retry counters.

ParametersReturns

Whether the retry attempts are exhausted.

async send(request)

Abstract send method for a synchronous pipeline. Mutates the request.

Context content is dependent on the HttpTransport.

Parameters

request (PipelineRequest) – The pipeline request object

Returns

The pipeline response object.

Return type

PipelineResponse

async sleep(settings, transport) class azure.storage.blob.aio.LinearRetry(backoff=15, retry_total=3, retry_to_secondary=False, random_jitter_range=3, **kwargs)[source]

Linear retry.

Constructs a Linear retry object.

Parametersconfigure_retries(request) get_backoff_time(settings)[source]

Calculates how long to sleep before retrying.

Returns

An integer indicating how long to wait before retrying the request, or None to indicate no retry should be performed.

Return type

int or None

increment(settings, request, response=None, error=None)

Increment the retry counters.

ParametersReturns

Whether the retry attempts are exhausted.

async send(request)

Abstract send method for a synchronous pipeline. Mutates the request.

Context content is dependent on the HttpTransport.

Parameters

request (PipelineRequest) – The pipeline request object

Returns

The pipeline response object.

Return type

PipelineResponse

async sleep(settings, transport) class azure.storage.blob.aio.StorageStreamDownloader(clients=None, config=None, start_range=None, end_range=None, validate_content=None, encryption_options=None, max_concurrency=1, name=None, container=None, encoding=None, **kwargs)[source]

A streaming object to download from Azure Storage.

Variableschunks()[source]

Iterate over chunks in the download stream.

Return type

Iterable[bytes]

async content_as_bytes(max_concurrency=1)[source]

Download the contents of this file.

This operation is blocking until all data is downloaded.

Keyword Arguments

max_concurrency (int) – The number of parallel connections with which to download.

Return type

bytes

async content_as_text(max_concurrency=1, encoding='UTF-8')[source]

Download the contents of this blob, and decode as text.

This operation is blocking until all data is downloaded.

Keyword Arguments

max_concurrency (int) – The number of parallel connections with which to download.

Parameters

encoding (str) – Test encoding to decode the downloaded bytes. Default is UTF-8.

Return type

str

async download_to_stream(stream, max_concurrency=1)[source]

Download the contents of this blob to a stream.

Parameters

stream – The stream to download to. This can be an open file-handle, or any writable stream. The stream must be seekable if the download uses more than one parallel connection.

Returns

The properties of the downloaded blob.

Return type

Any

async readall()[source]

Download the contents of this blob.

This operation is blocking until all data is downloaded. :rtype: bytes or str

async readinto(stream)[source]

Download the contents of this blob to a stream.

Parameters

stream – The stream to download to. This can be an open file-handle, or any writable stream. The stream must be seekable if the download uses more than one parallel connection.

Returns

The number of bytes read.

Return type

int

async azure.storage.blob.aio.upload_blob_to_url(blob_url, data, credential=None, **kwargs)[source]

Upload data to a given URL

The data will be uploaded as a block blob.

ParametersKeyword ArgumentsReturns

Blob-updated property dict (Etag and last modified)

Return type

dict(str, Any)

async azure.storage.blob.aio.download_blob_from_url(blob_url, output, credential=None, **kwargs)[source]

Download the contents of a blob to a local file or stream.

ParametersKeyword ArgumentsReturn type

None

ncG1vNJzZmiZqqq%2Fpr%2FDpJuom6Njr627wWeaqKqVY8SqusOorqxmnprBcHDWnploqKmptbC6jpqxrqqVYsC1u9Ganp5lkqG8o3uQa2VqZmBkrrvB0Z5lrKyfp66osY2bo6iaXpa2sHrHraSl