Getting blob count in an Azure Storage container - azure

What is the most efficient way to get the count on the number of blobs in an Azure Storage container?
Right now I can't think of any way other than the code below:
CloudBlobContainer container = GetContainer("mycontainer");
var count = container.ListBlobs().Count();

If you just want to know how many blobs are in a container without writing code you can use the Microsoft Azure Storage Explorer application.
Open the desired BlobContainer
Click the Folder Statistics icon
Observe the count of blobs in the Activities window

I tried counting blobs using ListBlobs() and for a container with about 400,000 items, it took me well over 5 minutes.
If you have complete control over the container (that is, you control when writes occur), you could cache the size information in the container metadata and update it every time an item gets removed or inserted. Here is a piece of code that would return the container blob count:
static int CountBlobs(string storageAccount, string containerId)
{
CloudStorageAccount cloudStorageAccount = CloudStorageAccount.Parse(storageAccount);
CloudBlobClient blobClient = cloudStorageAccount.CreateCloudBlobClient();
CloudBlobContainer cloudBlobContainer = blobClient.GetContainerReference(containerId);
cloudBlobContainer.FetchAttributes();
string count = cloudBlobContainer.Metadata["ItemCount"];
string countUpdateTime = cloudBlobContainer.Metadata["CountUpdateTime"];
bool recountNeeded = false;
if (String.IsNullOrEmpty(count) || String.IsNullOrEmpty(countUpdateTime))
{
recountNeeded = true;
}
else
{
DateTime dateTime = new DateTime(long.Parse(countUpdateTime));
// Are we close to the last modified time?
if (Math.Abs(dateTime.Subtract(cloudBlobContainer.Properties.LastModifiedUtc).TotalSeconds) > 5) {
recountNeeded = true;
}
}
int blobCount;
if (recountNeeded)
{
blobCount = 0;
BlobRequestOptions options = new BlobRequestOptions();
options.BlobListingDetails = BlobListingDetails.Metadata;
foreach (IListBlobItem item in cloudBlobContainer.ListBlobs(options))
{
blobCount++;
}
cloudBlobContainer.Metadata.Set("ItemCount", blobCount.ToString());
cloudBlobContainer.Metadata.Set("CountUpdateTime", DateTime.Now.Ticks.ToString());
cloudBlobContainer.SetMetadata();
}
else
{
blobCount = int.Parse(count);
}
return blobCount;
}
This, of course, assumes that you update ItemCount/CountUpdateTime every time the container is modified. CountUpdateTime is a heuristic safeguard (if the container did get modified without someone updating CountUpdateTime, this will force a re-count) but it's not reliable.

The API doesn't contain a container count method or property, so you'd need to do something like what you posted. However, you'll need to deal with NextMarker if you exceed 5,000 items returned (or if you specify max # to return and the list exceeds that number). Then you'll make add'l calls based on NextMarker and add the counts.
EDIT: Per smarx: the SDK should take care of NextMarker for you. You'll need to deal with NextMarker if you're working at the API level, calling List Blobs through REST.
Alternatively, if you're controlling the blob insertions/deletions (through a wcf service, for example), you can use the blob container's metadata area to store a cached container count that you compute with each insert or delete. You'll just need to deal with write concurrency to the container.

Example using PHP API and getNextMarker.
Counts total number of blobs in an Azure container.
It takes a long time: about 30 seconds for 100000 blobs.
(assumes we have a valid $connectionString and a $container_name)
$blobRestProxy = ServicesBuilder::getInstance()->createBlobService($connectionString);
$opts = new ListBlobsOptions();
$nblobs = 0;
while($cont) {
$blob_list = $blobRestProxy->listBlobs($container_name, $opts);
$nblobs += count($blob_list->getBlobs());
$nextMarker = $blob_list->getNextMarker();
if (!$nextMarker || strlen($nextMarker) == 0) $cont = false;
else $opts->setMarker($nextMarker);
}
echo $nblobs;

If you are not using virtual directories, the following will work as previously answered.
CloudBlobContainer container = GetContainer("mycontainer");
var count = container.ListBlobs().Count();
However, the above code snippet may not have the desired count if you are using virtual directories.
For instance, if your blobs are stored similar to the following: /container/directory/filename.txt where the blob name = directory/filename.txt the container.ListBlobs().Count(); will only count how many "/directory" virtual directories you have. If you want to list blobs contained within virtual directories, you need to set the useFlatBlobListing = true in the ListBlobs() call.
CloudBlobContainer container = GetContainer("mycontainer");
var count = container.ListBlobs(null, true).Count();
Note: the ListBlobs() call with useFlatBlobListing = true is a much more expensive/slow call...

Bearing in mind all the performance concerns from the other answers, here is a version for v12 of the Azure SDK leveraging IAsyncEnumerable. This requires a package reference to System.Linq.Async.
public async Task<int> GetBlobCount()
{
var container = await GetBlobContainerClient();
var blobsPaged = container.GetBlobsAsync();
return await blobsPaged
.AsAsyncEnumerable()
.CountAsync();
}

With Python API of Azure Storage it is like:
from azure.storage import *
blob_service = BlobService(account_name='myaccount', account_key='mykey')
blobs = blob_service.list_blobs('mycontainer')
len(blobs) #returns the number of blob in a container

If you are using Azure.Storage.Blobs library, you can use something like below:
public int GetBlobCount(string containerName)
{
int count = 0;
BlobContainerClient container = new BlobContainerClient(blobConnctionString, containerName);
container.GetBlobs().ToList().ForEach(blob => count++);
return count;
}

Another Python example, works slow but correctly with >5000 files:
from azure.storage.blob import BlobServiceClient
constr="Connection string"
container="Container name"
blob_service_client = BlobServiceClient.from_connection_string(constr)
container_client = blob_service_client.get_container_client(container)
blobs_list = container_client.list_blobs()
num = 0
size = 0
for blob in blobs_list:
num += 1
size += blob.size
print(blob.name,blob.size)
print("Count: ", num)
print("Size: ", size)

I have spend quite period of time to find the below solution - I don't want to some one like me to waste time - so replying here even after 9 years
package com.sai.koushik.gandikota.test.app;
import com.microsoft.azure.storage.CloudStorageAccount;
import com.microsoft.azure.storage.blob.*;
public class AzureBlobStorageUtils {
public static void main(String[] args) throws Exception {
AzureBlobStorageUtils getCount = new AzureBlobStorageUtils();
String storageConn = "<StorageAccountConnection>";
String blobContainerName = "<containerName>";
String subContainer = "<subContainerName>";
Integer fileContainerCount = getCount.getFileCountInSpecificBlobContainersSubContainer(storageConn,blobContainerName, subContainer);
System.out.println(fileContainerCount);
}
public Integer getFileCountInSpecificBlobContainersSubContainer(String storageConn, String blobContainerName, String subContainer) throws Exception {
try {
CloudStorageAccount storageAccount = CloudStorageAccount.parse(storageConn);
CloudBlobClient blobClient = storageAccount.createCloudBlobClient();
CloudBlobContainer blobContainer = blobClient.getContainerReference(blobContainerName);
return ((CloudBlobDirectory) blobContainer.listBlobsSegmented().getResults().stream().filter(listBlobItem -> listBlobItem.getUri().toString().contains(subContainer)).findFirst().get()).listBlobsSegmented().getResults().size();
} catch (Exception e) {
throw new Exception(e.getMessage());
}
}
}

Count all blobs in a classic and new blob storage account. Building on #gandikota-saikoushik, this solution works for blob containers with a very large number of blobs.
//setup set values from Azure Portal
var accountName = "<ACCOUNTNAME>";
var accountKey = "<ACCOUTNKEY>";
var containerName = "<CONTAINTERNAME>";
uristr = $"DefaultEndpointsProtocol=https;AccountName={accountName};AccountKey={accountKey}";
var storageAccount = Microsoft.WindowsAzure.Storage.CloudStorageAccount.Parse(uristr);
var client = storageAccount.CreateCloudBlobClient();
var container = client.GetContainerReference(containerName);
BlobContinuationToken continuationToken = new BlobContinuationToken();
blobcount = CountBlobs(container, continuationToken).ConfigureAwait(false).GetAwaiter().GetResult();
Console.WriteLine($"blobcount:{blobcount}");
public static async Task<int> CountBlobs(CloudBlobContainer container, BlobContinuationToken currentToken)
{
BlobContinuationToken continuationToken = null;
var result = 0;
do
{
var response = await container.ListBlobsSegmentedAsync(continuationToken);
continuationToken = response.ContinuationToken;
result += response.Results.Count();
}
while (continuationToken != null);
return result;
}

List blobs approach is accurate but slow if you have millions of blobs. Another way that works in a few cases but is relatively fast is querying the MetricsHourPrimaryTransactionsBlob table. It is at the account level and metrics get aggregated hourly.
https://learn.microsoft.com/en-us/azure/storage/common/storage-analytics-metrics

You can use this
public static async Task<List<IListBlobItem>> ListBlobsAsync()
{
BlobContinuationToken continuationToken = null;
List<IListBlobItem> results = new List<IListBlobItem>();
do
{
CloudBlobContainer container = GetContainer("containerName");
var response = await container.ListBlobsSegmentedAsync(null,
true, BlobListingDetails.None, 5000, continuationToken, null, null);
continuationToken = response.ContinuationToken;
results.AddRange(response.Results);
} while (continuationToken != null);
return results;
}
and then call
var count = await ListBlobsAsync().Count;
hope it will be useful

Related

Searching for CloudBlobDirectory.ListBlobs Method Equivalent in WinUI 3 Using Azure.Management.Fluent Package

Our old ASP.Net application referenced Microsoft.Azure.Management.Storage.Fluent for the code below.
private static void DeleteBlobs(IAzure azure, string sourceContainer, string dbName)
{
var sAcc = GetStorageAccount(azure);
CloudBlobClient bClient = sAcc.CreateCloudBlobClient();
CloudBlobContainer srcCont = bClient.GetContainerReference(sourceContainer);
var srcDir = srcCont.GetDirectoryReference(dbName);
var blobs = srcDir.ListBlobs(useFlatBlobListing: true).ToList();
foreach (CloudBlockBlob blob in blobs)
{
CloudBlockBlob dBlob = srcCont.GetBlockBlobReference(blob.Name);
//Delete the source blob after copying
dBlob.Delete();
}
}
Our new WinUI 3 code, which uses the Azure.Management.Fluent package, is as follows. Similar, but the CloudBlobDirectory.ListBlobs does not exist, and we cannot seem to find an equivalent that will work for the foreach statement.
public static async void DeleteBlobsTest(string dbName)
{
var sAcc = GetStorageAccount(_StorageConnectionString);
CloudBlobClient bClient = sAcc.CreateCloudBlobClient();
CloudBlobContainer srcCont = bClient.GetContainerReference(_ActiveProjectsContainer);
var srcDir = srcCont.GetDirectoryReference(dbName);
var blobs = srcDir.ListBlobs(useFlatBlobListing: true).ToList(); //ListBlobs() does not exist
foreach (CloudBlockBlob blob in blobs)
{
CloudBlockBlob dBlob = srcCont.GetBlockBlobReference(blob.Name);
//Delete the source blob after copying
await dBlob.DeleteAsync();
}
}
We tried replacing var blobs = srcDir.ListBlobs(useFlatBlobListing: true).ToList(); with the two lines of code below, but it did not work, giving the error: Unable to cast object of type 'Microsoft.WindowsAzure.Storage.Blob.CloudBlobDirectory' to type 'Microsoft.WindowsAzure.Storage.Blob.CloudBlockBlob. Both our original and replacement return IEnumerable<IListBlobItem> interface enumeration, but different implementations, it seems. In any case, are there any workable replacements for ListBlob() in the WinUI 3 package?
BlobResultSegment blobSegment = await srcDir.ListBlobsSegmentedAsync(new BlobContinuationToken());
IEnumerable<IListBlobItem> blobs = blobSegment.Results;
Per Simon Mourier's comment. The best solution seems to be to use a different package and write the code accordingly. The package I had is now deprecated and doesn't seem to appear anymore in NuGit.
I added the package: Azure.Storage.Blobs
My code now looks like this, similar but not an exact match with the original:
public static void DeleteBlobs(string dbName)
{
BlobServiceClient bSvcCl = GetStorageAccountTest(_StorageConnectionString);
BlobContainerClient contCl = bSvcCl.GetBlobContainerClient(_ActiveProjectsContainer);
var blobs = contCl.GetBlobs();
foreach(BlobItem blob in blobs)
{
BlobClient sourceBlob = contCl.GetBlobClient(blob.Name);
sourceBlob.Delete();
}
}

Unable to bulk import devices with Private Storage account

I am working on stress testing for our IoT Usecase.
For testing, I need to create 100 devices.
So, I have developed one azure function to use IoTHubs Import Device feature as per MSFT docs.
When I used, sample code using Public Storage account for Import/Output blob container SAS token.
It worked as per expectation and created devices on IoTHub.
But when I am using same code with Private Storage account, it is sometimes throwing reading error and sometimes it is throwing writing error on blob storage, even if SAS token has all required permissions (Read, Write, Delete, Create, List, Add etc..), and even private storage account is also having DNS configuration available. And for other use, I am able to add/update/delete blobs on the same private storage account.
Only problem I am facing is while calling ImportDevicesAsync method of IoTHub's RegistryManager.
My sample code is as below:
To create devices.txt file and upload it on proper container.
for (int i = deviceIndex; i < deviceCount + deviceIndex; i++)
{
var deviceToAdd = new ExportImportDevice()
{
Id = $"{devicePrefix}{i.ToString().PadLeft(6, '0')}",
ImportMode = importMode == "delete" ? ImportMode.Delete : ImportMode.Create,
Status = DeviceStatus.Enabled,
Authentication = new AuthenticationMechanism()
{
SymmetricKey = new SymmetricKey()
{
PrimaryKey = CryptoKeyGenerator.GenerateKey(32),
SecondaryKey = CryptoKeyGenerator.GenerateKey(32)
}
},
Tags = new TwinCollection(initialTags.SerializeObject())
};
serializedDevices.Add(deviceToAdd.SerializeObject());
}
// Write the list to the blob
StringBuilder sb = new();
serializedDevices.ForEach(serializedDevice => sb.AppendLine(serializedDevice));
Uri uri = new(assetsBlockBlobUrl + "?" + assetsBlobContainerSas);
CloudBlockBlob blob = new(uri);
await blob.DeleteIfExistsAsync();
using (CloudBlobStream stream = await blob.OpenWriteAsync())
{
byte[] bytes = Encoding.UTF8.GetBytes(sb.ToString());
for (var i = 0; i < bytes.Length; i += 500)
{
int length = Math.Min(bytes.Length - i, 500);
await stream.WriteAsync(bytes.AsMemory(i, length));
}
}
To import devices from the same container using registryManager.ImportDeviceAsync method:
RegistryManager registryManager = RegistryManager.CreateFromConnectionString(Environment.GetEnvironmentVariable("iotHubConnectionString"));
JobProperties importJob = await registryManager.ImportDevicesAsync(containerSasUri, containerSasUri);
////Wait until job is finished
while (true)
{
importJob = await registryManager.GetJobAsync(importJob.JobId);
_logger.LogInformation("import job " + importJob.Status);
if (importJob.Status == JobStatus.Completed)
{
return Common.Utils.GetObjectResult(importMode == "delete" ? MessageConstants.SuccessDeletedAsset : MessageConstants.SuccessCreatedAsset);
}
else if (importJob.Status == JobStatus.Failed)
{
return Common.Utils.GetObjectResult(importMode == "delete" ? MessageConstants.DeleteDeviceFail : MessageConstants.CreateDeviceFail);
}
else if (importJob.Status == JobStatus.Cancelled)
{
return Common.Utils.GetObjectResult(importMode == "delete" ? MessageConstants.DeviceDeletionCancel : MessageConstants.DeviceCreationCancel);
}
await Task.Delay(TimeSpan.FromSeconds(5));
}

Azure Blob List Paging

I have in my container 3000 files.In my gridview I am show the list of container blobs but 3000 is too much and is not good for performance (my thought :) ).
I need a paging code , example my grid pagesize is 50 I will show the first 50 blob in my container for my first page in gridview.Of course I need in pageindexchanging more code :)
Or does it not affect performance ?
According to your description, I suggest you could try to use azure storage SDK's ListBlobsSegmented method to achieve your requirement.
The ListBlobsSegmented inclue maxResults parameter.
maxResults:
A non-negative integer value that indicates the maximum number of results to be returned at a time, up to the per-operation limit of 5000. If this value is null, the maximum possible number of results will be returned, up to 5000.
So you could just search 50 records when your page is load firstly.
When your page index changed, you could call the search method to search the right number of blobs according to gridview index.
Notice:To include the performance, we will not get all the blobs at once to know how many blobs in your container. So we couldn't know the total number of blobs.I suggest you could search 100 blobs at first time, if the customer click the page 2, it will search next 100 blobs.
Here is a example demo, hope it gives you some tips:
Gridview:
<asp:GridView ID="GridView1" AllowPaging="true" PageSize="50" OnPageIndexChanging="GridView1_PageIndexChanging" runat="server">
</asp:GridView>
Code behind:
BlobContinuationToken continuationToken = null;
protected void Page_Load(object sender, EventArgs e)
{
if (!IsPostBack)
{
//1*100 is the numebr of blobs you will list
ListBlobResult(1*100);
}
}
public void ListBlobResult(int index)
{
CloudStorageAccount storageAccount = CloudStorageAccount.Parse("connectionstring");
var client = storageAccount.CreateCloudBlobClient();
var container = client.GetContainerReference("foo2");
string prefix = null;
bool useFlatBlobListing = true;
BlobListingDetails blobListingDetails = BlobListingDetails.All;
// int maxBlobsPerRequest = 50;
List<IListBlobItem> blobs = new List<IListBlobItem>();
if (index <= 5000)
{
var listingResult = container.ListBlobsSegmented(prefix, useFlatBlobListing, blobListingDetails, index, continuationToken, null, null);
continuationToken = listingResult.ContinuationToken;
blobs.AddRange(listingResult.Results);
}
else
{
do
{
var listingResult = container.ListBlobsSegmented(prefix, useFlatBlobListing, blobListingDetails, index, continuationToken, null, null);
continuationToken = listingResult.ContinuationToken;
blobs.AddRange(listingResult.Results);
index = index - 5000;
}
while (continuationToken != null);
}
DataTable d1 = new DataTable();
d1.Columns.Add("Id");
d1.Columns.Add("Url");
foreach (var item in blobs)
{
if (item.GetType() == typeof(CloudBlockBlob))
{
CloudBlockBlob blob = (CloudBlockBlob)item;
d1.Rows.Add(blob.Name, blob.Uri);
}
}
GridView1.DataSource = d1;
GridView1.DataBind();
}
protected void GridView1_PageIndexChanging(object sender, GridViewPageEventArgs e)
{
GridView1.PageIndex = e.NewPageIndex;
//(e.NewPageIndex*100)+100 is the numebr of blobs you will list
ListBlobResult((e.NewPageIndex*100)+100);
}
Result:
I was searching for pagination sample in JAVA and for some reason google gives this question as top 3. Anyway I found a solution and if anybody interested how to do pagination using java and the latest MS azure client here you go.
void listAllForContainer(BlobContainerClient container) {
String token = null;
do {
PagedResponse<BlobItem> pr = container
.listBlobs(options, token, Duration.ofSeconds(60))
.iterableByPage()
.iterator()
.next();
token = pr.getContinuationToken();
List<BlobItem> pageItems = pr.getValue();
pageItems.forEach(i->System.out.println(i.getName()));
} while (token != null);
}
Azure artifact
<dependency>
<groupId>com.azure</groupId>
<artifactId>azure-storage-blob</artifactId>
<version>12.X.X</version>
</dependency>

startCopyFromBlob operation stuck at 0 progress

I am attempting to copy a page blob from one storage account to another. The copy operation starts and the I see the blob in the destination storage account - however progress is always stuck at 0. I am using the java SDK and generating a SAS for the source. The SAS appears valid because I was able to download the src blob from the browser. Here is some of the sample code I am using
CloudStorageAccount account = CloudStorageAccount.parse(storageConnectionString);
CloudBlobClient strClient = account.createCloudBlobClient();
CloudBlobContainer strBlobContainer = strClient.getContainerReference("data");
CloudStorageAccount backupAccount = CloudStorageAccount.parse(backupStorageConnectionString);
CloudBlobClient backupClient = backupAccount.createCloudBlobClient();
CloudBlobContainer backupBlobContainer = backupClient.getContainerReference("data");
String src = "SG-aztest10-703-disk-0-test.vhd";
String target = "Tool-test4.vhd";
com.microsoft.azure.storage.blob.CloudPageBlob srcBlob = strBlobContainer.getPageBlobReference(src, null);
com.microsoft.azure.storage.blob.CloudPageBlob dstBlob = backupBlobContainer.getPageBlobReference(target, null);
System.out.println("Copying src blob " + " over dst blob " + dstBlob.getUri());
String copyID = dstBlob.startCopyFromBlob(new URI(getSharedAccessURI(src, null, strBlobContainer)));
System.out.println("Copy ID is " + copyID);
dstBlob.downloadAttributes();
CopyState state = dstBlob.getProperties().getCopyState();
while(state.getStatus().equals(CopyStatus.PENDING))
{
System.out.println("Progress is " + state.getBytesCopied()/state.getTotalBytes());
Thread.sleep(30000);
dstBlob.downloadAttributes();
state = dstBlob.getProperties().getCopyState();
}
Here is the code I am using to generate the SAS token
public static String getSharedAccessURI(String blobName, String snapshotID, CloudBlobContainer container) throws Exception
{
//Get the srcBlob without the snapshot
CloudPageBlob srcBlob = container.getPageBlobReference(blobName);
SharedAccessBlobPolicy sasPolicy = new SharedAccessBlobPolicy();
//Start Time = Current Time (UTC) - 15 minutes to account for Clock Skew
//Expiry Time = Current Time (UTC) + 1 day
sasPolicy.setPermissions(EnumSet.of(SharedAccessBlobPermissions.READ));
sasPolicy.setSharedAccessStartTime(DateTime.now().minusMinutes(15).toDate());
sasPolicy.setSharedAccessExpiryTime(DateTime.now().plusDays(1).toDate());
String sasToken = srcBlob.generateSharedAccessSignature(sasPolicy, null);
String sasURI = null;
if (snapshotID != null)
{
sasURI = String.format("%s?snapshot=%s&%s", srcBlob.getUri().toString(), snapshotID, sasToken);
}
else
{
sasURI = String.format("%s?%s", srcBlob.getUri().toString(), sasToken);
}
System.out.println("Shared access url is - " + sasURI);
return sasURI;
}
We use spare bandwidth to do async copies so the copy may not start until bandwidth is available. In that case, the copy progress field may remain 0 for quite some time while the copy status is pending. If the blob is small the progress field may go from 0 to complete in one shot as the copy is very fast. Even if the blob is large, your polling may miss the window during which the copy progress is between 0 and the content length.

Append to CloudBlockBlob stream

We have a file system abstraction that allows us to easily switch between local and cloud (Azure) storage.
For reading and writing files we have the following members:
Stream OpenRead();
Stream OpenWrite();
Part of our application "bundles" documents into one file. For our local storage provider OpenWrite returns an appendable stream:
public Stream OpenWrite()
{
return new FileStream(fileInfo.FullName, FileMode.Open, FileAccess.ReadWrite, FileShare.ReadWrite, BufferSize, useAsync: true);
}
For Azure blob storage we do the following:
public Stream OpenWrite()
{
return blob.OpenWrite();
}
Unfortunately this overrides the blob contents each time. Is it possible to return a writable stream that can be appended to?
Based on the documentation for OpenWrite here http://msdn.microsoft.com/en-us/library/microsoft.windowsazure.storage.blob.cloudblockblob.openwrite.aspx, The OpenWrite method will overwrite an existing blob unless explicitly prevented using the accessCondition parameter.
One thing you could do is read the blob data in a stream and return that stream to your calling application and let that application append data to that stream. For example, see the code below:
static void BlobStreamTest()
{
storageAccount = CloudStorageAccount.DevelopmentStorageAccount;
CloudBlobContainer container = storageAccount.CreateCloudBlobClient().GetContainerReference("temp");
container.CreateIfNotExists();
CloudBlockBlob blob = container.GetBlockBlobReference("test.txt");
blob.UploadFromStream(new MemoryStream());//Let's just create an empty blob for the sake of demonstration.
for (int i = 0; i < 10; i++)
{
try
{
using (MemoryStream ms = new MemoryStream())
{
blob.DownloadToStream(ms);//Read blob data in a stream.
byte[] dataToWrite = Encoding.UTF8.GetBytes("This is line # " + (i + 1) + "\r\n");
ms.Write(dataToWrite, 0, dataToWrite.Length);
ms.Position = 0;
blob.UploadFromStream(ms);
}
}
catch (StorageException excep)
{
if (excep.RequestInformation.HttpStatusCode != 404)
{
throw;
}
}
}
}
There is now a CloudAppendBlob class that allows you to add content to an existing blob :
var account = CloudStorageAccount.Parse("storage account connectionstring");
var client = account.CreateCloudBlobClient();
var container = client.GetContainerReference("container name");
var blob = container.GetAppendBlobReference("blob name");
In your case you want to append from a stream:
await blob.AppendFromStreamAsync(new MemoryStream());
But you can append from text, byte array, file. Check the documentation.

Resources