* Docs links coversion: docs.microsoft.com -> learn.microsoft.com Some markdown formatting * Adding "msrc" to cspell words * Undoing things auto formatter did * Appling Ahson's suggestions
13 KiB
Azure Tables client library for C++
Azure Data Tables is a NoSQL data storage service that can be accessed from anywhere in the world via authenticated calls using HTTP or HTTPS. Tables scales as needed to support the amount of data inserted, and allows for the storing of data with non-complex accessing. The Azure Tables client can be used to access Azure Storage or Cosmos accounts.
Source code | Package (vcpkg) | API reference documentation | Product documentation | Samples
Getting started
Prerequisites
- vcpkg for package acquisition and dependency management
- CMake for project build
- An Azure subscription
- An existing Azure Storage Tables resource. If you need to create an Azure Storage Tables, you can use the Azure Portal or Azure CLI.
- You must have an Azure subscription and either
- an Azure Storage account or
- an Azure Cosmos Account.
If you use the Azure CLI, replace <your-resource-group-name> and <your-tables-name> with your own, unique names:
az login
az storage table create create --resource-group <your-resource-group-name> --name <your-tables-name>
Create account
- To create a new Storage account, you can use Azure Portal, Azure PowerShell, or Azure CLI:
- To create a new Cosmos storage account, you can use the Azure CLI or Azure Portal.
Install the package
The easiest way to acquire the C++ SDK is leveraging the vcpkg package manager and CMake. See the corresponding Azure SDK for C++ readme section. We'll use vcpkg in manifest mode. To start a vcpkg project in manifest mode use the following command at the root of your project:
vcpkg new --application
To install the Azure <Service-Name> package via vcpkg: To add the Azure <Service-Name> package to your vcpkg enter the following command (We'll also add the Azure Identity library for authentication):
vcpkg add port azure-data-tables-cpp azure-identity-cpp
Then, add the following in your CMake file:
find_package(azure-data-tables-cpp CONFIG REQUIRED)
find_package(azure-identity-cpp CONFIG REQUIRED)
target_link_libraries(<your project name> PRIVATE Azure::azure-data-tables Azure::azure-identity)
Remember to set CMAKE_TOOLCHAIN_FILE to the path to vcpkg.cmake either by adding the following to your CMakeLists.txt file before your project statement:
set(CMAKE_TOOLCHAIN_FILE "vcpkg-root/scripts/buildsystems/vcpkg.cmake")
Or by specifying it in your CMake commands with the -DCMAKE_TOOLCHAIN_FILE argument.
There is more than one way to acquire and install this library. Check out our samples on different ways to set up your Azure C++ project.
Key concepts
Common uses of the table service include:
- Storing TBs of structured data capable of serving web scale applications
- Storing datasets that do not 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 filter expressions
The following components make up the Azure Tables Service:
- The account
- A table within the account, which contains a set of entities
- An entity within a table, as a dictionary
The Azure Tables client library for C++ allows you to interact with each of these components through the use of a dedicated client object.
Create the client
The Azure Tables library allows you to interact with two types of resources:
- the tables in your account
- the entities within those tables.
Interaction with these resources starts with an instance of a client. To create a client object, you will need the account's table service endpoint URL and a credential that allows you to access the account. The
endpointcan be found on the page for your storage account in the [Azure Portal][azure_portal_account_url] under the "Access Keys" section or by running the following Azure CLI command:
# Get the table service URL for the account
az storage account show -n <your-storage-account> -g <your-resource-group-name> --query "primaryEndpoints.table"
Credentials
We'll be using the DefaultAzureCredential to authenticate which will pick up the credentials we used when logging in with the Azure CLI earlier. DefaultAzureCredential can pick up on a number of Credential types from your environment and is ideal when getting started and developing. Check out our section on DefaultAzureCredentials to learn more.
Clients
Two different clients are provided to interact with the various components of the Table Service:
TableServiceClient-- Get and set account settings
- Query tables within the account.
- Create or delete the specified table.
TableClient-- Interacts with a specific table (which need not exist yet).
- Create, delete, query, and upsert entities within the specified table.
- Submit transactional batch operations.
TableServiceClient
Creating and deleting a table
In order to Create/Delete a table we need to create a TableServiceClient first.
#include <azure/data/tables.hpp>
...
using namespace Azure::Data::Tables;
const std::string TableName = "sample1";
...
auto credential = std::make_shared<Azure::Identity::DefaultAzureCredential>();
auto tableServiceClient = Azure::Data::Tables::TableServiceClient(GetServiceUrl(), credential);
// create new table
tableServiceClient.CreateTable(TableName);
In order to Delete a table we need to call the delete method on the previously created client.
// delete existing table
tableServiceClient.DeleteTable(TableName);
Table Service Operations
To get the service properties we call the GetProperties method on the table service client.
auto properties = tableServiceClient.GetProperties();
To list the tables in the account we call the ListTables method on the table service client.
auto tables = tableServiceClient.ListTables();
To get the statistics of the account we call the GetStatistics method on the table service client.
auto statistics = tableServiceClient.GetStatistics();
TableClient
The TableClient is used to interact with table entities and perform operations on them.
Get the table client from the service client
We create a table on which we run the transaction and get a table client.
// create table
tableServiceClient.CreateTable(TableName);
// get table client from table service client
auto tableClient = tableServiceClient.GetTableClient(TableName);
N.B. Here we are obtaining the table client from the table service client using the credentials that were passed to the table service client.
Create a client with DefaultAzureCredentials
In order to Create/Update/Merge/Delete entities we need to create a TablesClient first.
#include <azure/data/tables.hpp>
...
using namespace Azure::Data::Tables;
const std::string TableName = "sample1";
...
auto credential = std::make_shared<Azure::Identity::DefaultAzureCredential>();
auto tableServiceClient = Azure::Data::Tables::TableServiceClient(GetServiceUrl(), credential);
Entities
Entities are similar to rows. An entity has a set of properties, including a PartitionKey and RowKey which form the primary key of the entity. A property is a name value pair, similar to a column. Every entity in a table does not need to have the same properties.
Manipulating entities
Then we initialize and populate an entity.
// init new entity
Models::TableEntity entity;
entity.SetPartitionKey("P1");
entity.SetRowKey("R1");
entity.Properties["Name"] = TableEntityProperty("Azure");
entity.Properties["Product"] = TableEntityProperty("Tables");
To create the entity on the server we call the CreateEntity method on the table client.
tableClient.AddEntity(entity);
To update the entity, assume we made some changes to the entity, we call the UpdateEntity method on the table client.
tableClient.UpdateEntity(entity);
To merge the entity, assume we made some changes to the entity, we call the MergeEntity method on the table client.
tableClient.MergeEntity(entity);
To delete the entity, we call the DeleteEntity method on the table client.
tableClient.DeleteEntity(entity);
We initialize and populate the entities.
Models::TableEntity entity1;
entity1.PartitionKey = "P1";
entity1.RowKey = "R1";
entity1.Properties["Name"] = "Azure";
entity1.Properties["Product"] = "Tables";
Models::TableEntity entity2;
entity2.PartitionKey = "P2";
entity2.RowKey = "R2";
entity2.Properties["Name"] = "Azure";
entity2.Properties["Product"] = "Tables";
We create a transaction batch and add the operations to the transaction.
// Create a transaction with two steps
std::vector<TransactionStep> steps;
steps.emplace_back(TransactionStep{TransactionActionType::Add, entity1});
steps.emplace_back(TransactionStep{TransactionActionType::Add, entity2});
We then submit the transaction and check the response.
// Check the response
if (!response.Value.Error.HasValue())
{
std::cout << "Transaction completed successfully." << std::endl;
}
else
{
std::cout << "Transaction failed with error: " << response.Value.Error.Value().Message
<< std::endl;
}
The output of this sample is:
Transaction completed successfully.
Table Transactions Error
The difference from the previous example is that we are trying to add two entities with the same PartitionKey and RowKey.
// Create two table entities
TableEntity entity1;
TableEntity entity2;
entity.SetPartitionKey("P1");
entity.SetRowKey("R1");
...
entity2.SetPartitionKey("P1");
entity2.SetRowKey("R1");
...
The rest of the steps are the same as in the previous example.
The output of the sample contains the error message:
Transaction failed with error: 1:The batch request contains multiple changes with same row key. An entity can appear only once in a batch request.
Contributing
See the C++ Contributing Guide for details on building, testing, and contributing to these libraries.
See the Storage Testing Guide for how to set up storage resources running unit tests.
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.