Azure.Data.Tables 12.6.0

The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org. Prefix Reserved
There is a newer version of this package available.
See the version list below for details.
dotnet add package Azure.Data.Tables --version 12.6.0
NuGet\Install-Package Azure.Data.Tables -Version 12.6.0
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="Azure.Data.Tables" Version="12.6.0" />
For projects that support PackageReference, copy this XML node into the project file to reference the package.
paket add Azure.Data.Tables --version 12.6.0
#r "nuget: Azure.Data.Tables, 12.6.0"
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
// Install Azure.Data.Tables as a Cake Addin
#addin nuget:?package=Azure.Data.Tables&version=12.6.0

// Install Azure.Data.Tables as a Cake Tool
#tool nuget:?package=Azure.Data.Tables&version=12.6.0

Azure Tables client library for .NET

Azure Table storage is a service that stores large amounts of structured NoSQL data in the cloud, providing a key/attribute store with a schema-less design.

Azure Cosmos DB provides a Table API for applications that are written for Azure Table storage that need premium capabilities like:

  • Turnkey global distribution.
  • Dedicated throughput worldwide.
  • Single-digit millisecond latencies at the 99th percentile.
  • Guaranteed high availability.
  • Automatic secondary indexing.

The Azure Tables client library can seamlessly target either Azure Table storage or Azure Cosmos DB table service endpoints with no code changes.

Source code | Package (NuGet) | API reference documentation | Samples | Change Log

Getting started

Install the package

Install the Azure Tables client library for .NET with NuGet:

dotnet add package Azure.Data.Tables

Prerequisites

  • An Azure subscription.
  • An existing Azure storage account or Azure Cosmos DB database with Azure Table API specified.

If you need to create either of these, you can use the Azure CLI.

Creating a storage account

Create a storage account mystorageaccount in resource group MyResourceGroup in the subscription MySubscription in the West US region.

az storage account create -n mystorageaccount -g MyResourceGroup -l westus --subscription MySubscription
Creating a Cosmos DB

Create a Cosmos DB account MyCosmosDBDatabaseAccount in resource group MyResourceGroup in the subscription MySubscription and a table named MyTableName in the account.

az cosmosdb create --name MyCosmosDBDatabaseAccount --capabilities EnableTable --resource-group MyResourceGroup --subscription MySubscription

az cosmosdb table create --name MyTableName --resource-group MyResourceGroup --account-name MyCosmosDBDatabaseAccount

Authenticate the Client

Learn more about options for authentication (including Connection Strings, Shared Key, Shared Key Signatures, and TokenCredentials) in our samples.

Key concepts

  • TableServiceClient - Client that provides methods to interact at the Table Service level such as creating, listing, and deleting tables
  • TableClient - Client that provides methods to interact at an table entity level such as creating, querying, and deleting entities within a table.
  • Table - Tables store data as collections of entities.
  • Entity - Entities are similar to rows. An entity has a primary key and a set of properties. A property is a name value pair, similar to a column.

Common uses of the Table service include:

  • Storing TBs of structured data capable of serving web scale applications
  • Storing datasets that don't require complex joins, foreign keys, or stored procedures and can be de-normalized for fast access
  • Quickly querying data using a clustered index
  • Accessing data using the OData protocol and LINQ filter expressions

Thread safety

We guarantee that all client instance methods are thread-safe and independent of each other (guideline). This ensures that the recommendation of reusing client instances is always safe, even across threads.

Additional concepts

Client options | Accessing the response | Long-running operations | Handling failures | Diagnostics | Mocking | Client lifetime

Examples

Create the Table service client

First, we need to construct a TableServiceClient.

// Construct a new "TableServiceClient using a TableSharedKeyCredential.

var serviceClient = new TableServiceClient(
    new Uri(storageUri),
    new TableSharedKeyCredential(accountName, storageAccountKey));

Create an Azure table

Next, we can create a new table.

// Create a new table. The TableItem class stores properties of the created table.
string tableName = "OfficeSupplies1p1";
TableItem table = serviceClient.CreateTableIfNotExists(tableName);
Console.WriteLine($"The created table's name is {table.Name}.");

Get an Azure table

The set of existing Azure tables can be queries using an OData filter.

// Use the <see cref="TableServiceClient"> to query the service. Passing in OData filter strings is optional.

Pageable<TableItem> queryTableResults = serviceClient.Query(filter: $"TableName eq '{tableName}'");

Console.WriteLine("The following are the names of the tables in the query results:");

// Iterate the <see cref="Pageable"> in order to access queried tables.

foreach (TableItem table in queryTableResults)
{
    Console.WriteLine(table.Name);
}

Delete an Azure table

Individual tables can be deleted from the service.

// Deletes the table made previously.
string tableName = "OfficeSupplies1p1";
serviceClient.DeleteTable(tableName);

Create the Table client

To interact with table entities, we must first construct a TableClient.

// Construct a new <see cref="TableClient" /> using a <see cref="TableSharedKeyCredential" />.
var tableClient = new TableClient(
    new Uri(storageUri),
    tableName,
    new TableSharedKeyCredential(accountName, storageAccountKey));

// Create the table in the service.
tableClient.Create();

Add table entities

Let's define a new TableEntity so that we can add it to the table.

// Make a dictionary entity by defining a <see cref="TableEntity">.
var entity = new TableEntity(partitionKey, rowKey)
{
    { "Product", "Marker Set" },
    { "Price", 5.00 },
    { "Quantity", 21 }
};

Console.WriteLine($"{entity.RowKey}: {entity["Product"]} costs ${entity.GetDouble("Price")}.");

Using the TableClient we can now add our new entity to the table.

// Add the newly created entity.
tableClient.AddEntity(entity);

Query table entities

To inspect the set of existing table entities, we can query the table using an OData filter.

Pageable<TableEntity> queryResultsFilter = tableClient.Query<TableEntity>(filter: $"PartitionKey eq '{partitionKey}'");

// Iterate the <see cref="Pageable"> to access all queried entities.
foreach (TableEntity qEntity in queryResultsFilter)
{
    Console.WriteLine($"{qEntity.GetString("Product")}: {qEntity.GetDouble("Price")}");
}

Console.WriteLine($"The query returned {queryResultsFilter.Count()} entities.");

If you prefer LINQ style query expressions, we can query the table using that syntax as well.

double priceCutOff = 6.00;
Pageable<OfficeSupplyEntity> queryResultsLINQ = tableClient.Query<OfficeSupplyEntity>(ent => ent.Price >= priceCutOff);

Delete table entities

If we no longer need our new table entity, it can be deleted.

// Delete the entity given the partition and row key.
tableClient.DeleteEntity(partitionKey, rowKey);

Troubleshooting

When you interact with the Azure table library using the .NET SDK, errors returned by the service correspond to the same HTTP status codes returned for REST API requests.

For example, if you try to create a table that already exists, a 409 error is returned, indicating "Conflict".

// Construct a new TableClient using a connection string.

var client = new TableClient(
    connectionString,
    tableName);

// Create the table if it doesn't already exist.

client.CreateIfNotExists();

// Now attempt to create the same table unconditionally.

try
{
    client.Create();
}
catch (RequestFailedException ex) when (ex.Status == (int)HttpStatusCode.Conflict)
{
    Console.WriteLine(ex.ToString());
}

Setting up console logging

The simplest way to see the logs is to enable the console logging. To create an Azure SDK log listener that outputs messages to console use AzureEventSourceListener.CreateConsoleLogger method.

// Setup a listener to monitor logged events.
using AzureEventSourceListener listener = AzureEventSourceListener.CreateConsoleLogger();

To learn more about other logging mechanisms see here.

Next steps

Get started with our Table samples.

Known Issues

A list of currently known issues relating to Cosmos DB table endpoints can be found here.

Contributing

This project welcomes contributions and suggestions. Most contributions require you to agree to a Contributor License Agreement (CLA) declaring that you have the right to, and actually do, grant us the rights to use your contribution. For details, visit cla.microsoft.com.

This project has adopted the Microsoft Open Source Code of Conduct. For more information see the Code of Conduct FAQ or contact opencode@microsoft.com with any additional questions or comments.

Product Compatible and additional computed target framework versions.
.NET net5.0 was computed.  net5.0-windows was computed.  net6.0 was computed.  net6.0-android was computed.  net6.0-ios was computed.  net6.0-maccatalyst was computed.  net6.0-macos was computed.  net6.0-tvos was computed.  net6.0-windows was computed.  net7.0 was computed.  net7.0-android was computed.  net7.0-ios was computed.  net7.0-maccatalyst was computed.  net7.0-macos was computed.  net7.0-tvos was computed.  net7.0-windows was computed.  net8.0 was computed.  net8.0-android was computed.  net8.0-browser was computed.  net8.0-ios was computed.  net8.0-maccatalyst was computed.  net8.0-macos was computed.  net8.0-tvos was computed.  net8.0-windows was computed. 
.NET Core netcoreapp2.0 was computed.  netcoreapp2.1 was computed.  netcoreapp2.2 was computed.  netcoreapp3.0 was computed.  netcoreapp3.1 was computed. 
.NET Standard netstandard2.0 is compatible.  netstandard2.1 was computed. 
.NET Framework net461 was computed.  net462 was computed.  net463 was computed.  net47 was computed.  net471 was computed.  net472 was computed.  net48 was computed.  net481 was computed. 
MonoAndroid monoandroid was computed. 
MonoMac monomac was computed. 
MonoTouch monotouch was computed. 
Tizen tizen40 was computed.  tizen60 was computed. 
Xamarin.iOS xamarinios was computed. 
Xamarin.Mac xamarinmac was computed. 
Xamarin.TVOS xamarintvos was computed. 
Xamarin.WatchOS xamarinwatchos was computed. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages (203)

Showing the top 5 NuGet packages that depend on Azure.Data.Tables:

Package Downloads
Microsoft.Azure.DurableTask.AzureStorage The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org.

Azure Storage provider extension for the Durable Task Framework.

Microsoft.Orleans.Clustering.AzureStorage The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org.

Microsoft Orleans clustering provider backed by Azure Table Storage

Serilog.Sinks.AzureTableStorage

Serilog event sink that writes to Azure Table Storage over HTTP.

Microsoft.Azure.Kusto.Ingest The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org.

Programmatically ingest data into Kusto

Microsoft.Orleans.Persistence.AzureStorage The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org.

Microsoft Orleans persistence providers backed by Azure Storage

GitHub repositories (21)

Showing the top 5 popular GitHub repositories that depend on Azure.Data.Tables:

Repository Stars
dotnet/orleans
Cloud Native application framework for .NET
Xabaril/AspNetCore.Diagnostics.HealthChecks
Enterprise HealthChecks for ASP.NET Core Diagnostics Package
testcontainers/testcontainers-dotnet
A library to support tests with throwaway instances of Docker containers for all compatible .NET Standard versions.
microsoft/onefuzz
A self-hosted Fuzzing-As-A-Service platform
dotnet/aspire
An opinionated, cloud ready stack for building observable, production ready, distributed applications in .NET
Version Downloads Last updated
12.8.3 454,943 2/6/2024
12.8.2 1,461,409 11/13/2023
12.8.1 1,708,001 8/16/2023
12.8.0 7,905,527 2/8/2023
12.7.1 2,695,960 11/15/2022
12.7.0 329,802 11/9/2022
12.7.0-beta.1 20,579 9/6/2022
12.6.1 5,362,365 7/7/2022
12.6.0 711,571 6/8/2022
12.6.0-beta.1 6,911 5/10/2022
12.5.0 2,425,192 3/10/2022
12.4.0 1,711,655 1/13/2022
12.3.0 3,862,259 11/9/2021
12.2.1 300,502 10/14/2021
12.2.0 920,125 9/8/2021
12.2.0-beta.1 9,238 8/10/2021
12.1.0 600,703 7/7/2021
12.0.1 160,173 6/10/2021
12.0.0 31,233 6/9/2021
12.0.0-beta.8 127,867 5/11/2021
12.0.0-beta.7 37,142 4/6/2021
12.0.0-beta.6 97,182 3/9/2021
3.0.0-beta.5 137,711 1/12/2021
3.0.0-beta.4 8,673 12/10/2020
3.0.0-beta.3 59,206 11/12/2020
3.0.0-beta.2 19,765 10/6/2020
3.0.0-beta.1 16,258 9/8/2020