Devlooped.TableStorage
4.0.0-beta
Prefix Reserved
See the version list below for details.
dotnet add package Devlooped.TableStorage --version 4.0.0-beta
NuGet\Install-Package Devlooped.TableStorage -Version 4.0.0-beta
<PackageReference Include="Devlooped.TableStorage" Version="4.0.0-beta" />
paket add Devlooped.TableStorage --version 4.0.0-beta
#r "nuget: Devlooped.TableStorage, 4.0.0-beta"
// Install Devlooped.TableStorage as a Cake Addin #addin nuget:?package=Devlooped.TableStorage&version=4.0.0-beta&prerelease // Install Devlooped.TableStorage as a Cake Tool #tool nuget:?package=Devlooped.TableStorage&version=4.0.0-beta&prerelease
TableStorage
Repository pattern with POCO object support for storing to Azure/CosmosDB Table Storage
Usage
Given an entity like:
public record Product(string Category, string Id)
{
public string? Title { get; init; }
public double Price { get; init; }
public DateOnly Created { get; init; }
}
NOTE: entity can have custom constructor, key properties can be read-only, and it doesn't need to inherit from anything, implement any interfaces or use any custom attributes (unless you want to). As shown above, it can even be a simple record type, with support for .NET 6 DateOnly type to boot!
The entity can be stored and retrieved with:
var storageAccount = CloudStorageAccount.DevelopmentStorageAccount; // or production one
// We lay out the parameter names for clarity only.
var repo = TableRepository.Create<Product>(storageAccount,
tableName: "Products",
partitionKey: p => p.Category,
rowKey: p => p.Id);
var product = new Product("Book", "1234")
{
Title = "Table Storage is Cool",
Price = 25.5,
};
// Insert or Update behavior (aka "upsert")
await repo.PutAsync(product);
// Enumerate all products in category "Book"
await foreach (var p in repo.EnumerateAsync("Book"))
Console.WriteLine(p.Price);
// Query books priced in the 20-50 range,
// project just title + price
await foreach (var info in from prod in repo.CreateQuery()
where prod.Price >= 20 and prod.Price <= 50
select new { prod.Title, prod.Price })
Console.WriteLine($"{info.Title}: {info.Price}");
// Get previously saved product.
Product saved = await repo.GetAsync("Book", "1234");
// Delete product
await repo.DeleteAsync("Book", "1234");
// Can also delete passing entity
await repo.DeleteAsync(saved);
If a unique identifier among all entities already exists, you can also store all
entities in a single table, using a fixed partition key matching the entity type name, for
example. In such a case, instead of a TableRepository
, you can use a TablePartition
:
public record Book(string ISBN, string Title, string Author, BookFormat Format, int Pages);
var storageAccount = CloudStorageAccount.DevelopmentStorageAccount; // or production one
// Leverage defaults: TableName=Entities, PartitionKey=Book
var repo = TablePartition.Create<Region>(storageAccount,
rowKey: book => book.ISBN);
// insert/get/delete same API shown above.
// query filtering by rowKey, in this case, books by a certain
// language/publisher combination. For Disney/Hyperion in English,
// for example: ISBNs starting with 978(prefix)-1(english)-4231(publisher)
var query = from book in repo.CreateQuery()
where
book.ISBN.CompareTo("97814231") >= 0 &&
book.ISBN.CompareTo("97814232") < 0
select new { book.ISBN, book.Title };
await foreach (var book in query)
...
For the books example above, it might make sense to partition by author,
for example. In that case, you could use a TableRepository<Book>
when
saving:
var repo = TableRepository.Create<Book>(storageAccount, "Books", x => x.Author, x => x.ISBN);
await repo.PutAsync(book);
And later on when listing/filtering books by a particular author, you can use
a TablePartition<Book>
so all querying is automatically scoped to that author:
var partition = TablePartition.Create<Book>(storageAccount, "Books", "Rick Riordan", x => x.ISBN);
// Get Rick Riordan books, only from Disney/Hyperion, with over 1000 pages
var query = from book in repo.CreateQuery()
where
book.ISBN.CompareTo("97814231") >= 0 &&
book.ISBN.CompareTo("97814232") < 0 &&
book.Pages >= 1000
select new { book.ISBN, book.Title };
Using table partitions is quite convenient for handling reference data too, for example. Enumerating all entries in the partition wouldn't be something you'd typically do for your "real" data, but for reference data, it could come in handy.
Stored entities use individual columns for properties, which makes it easy to browse
the data (and query, as shown above!). If you don't need the individual columns, and would
like a document-like storage mechanism instead, you can use the DocumentRepository.Create
and DocumentPartition.Create
factory methods instead. The API is otherwise the same, but
you can see the effect of using one or the other in the following screenshots of the
Storage Explorer for the same
Product
entity shown in the first example above:
The code that persisted both entities is:
var repo = TableRepository.Create<Product>(
CloudStorageAccount.DevelopmentStorageAccount,
tableName: "Products",
partitionKey: p => p.Category,
rowKey: p => p.Id);
await repo.PutAsync(new Product("book", "9781473217386")
{
Title = "Neuromancer",
Price = 7.32
});
var docs = DocumentRepository.Create<Product>(
CloudStorageAccount.DevelopmentStorageAccount,
tableName: "Documents",
partitionKey: p => p.Category,
rowKey: p => p.Id);
await docs.PutAsync(new Product("book", "9781473217386")
{
Title = "Neuromancer",
Price = 7.32
});
The Type
column persisted in the table is the Type.FullName
of the persited entity, and the
Version
is the Major.Minor
of its assembly, which could be used for advanced data migration scenarios.
The major and minor version components are also provided as individual columns for easier querying
by various version ranges, using IDocumentRepository.EnumerateAsync(predicate)
.
In addition to the default built-in JSON plain-text based serializer (which uses the System.Text.Json package), there are other alternative serializers for the document-based repository, including various binary serializers which will instead persist the document as a byte array:
You can pass the serializer to use to the factory method as follows:
var repo = TableRepository.Create<Product>(...,
serializer: [JsonDocumentSerializer|BsonDocumentSerializer|MessagePackDocumentSerializer|ProtobufDocumentSerializer].Default);
NOTE: when using alternative serializers, entities might need to be annotated with whatever attributes are required by the underlying libraries.
NOTE: if access to the
Timestamp
managed by Table Storage for the entity is needed, just declare a property with that name with eitherDateTimeOffset
,DateTime
orstring
type.
Attributes
If you want to avoid using strings with the factory methods, you can also annotate the entity type to modify the default values used:
[Table("tableName")]
: class-level attribute to change the default when no value is provided[PartitionKey]
: annotates the property that should be used as the partition key[RowKey]
: annotates the property that should be used as the row key.
Values passed to the factory methods override declarative attributes.
For the products example above, your record entity could be:
[Table("Products")]
public record Product([PartitionKey] string Category, [RowKey] string Id)
{
public string? Title { get; init; }
public double Price { get; init; }
}
And creating the repository wouldn't require any arguments besides the storage account:
var repo = TableRepository.Create<Product>(CloudStorageAccount.DevelopmentStorageAccount);
In addition, if you want to omit a particular property from persistence, you can annotate
it with [Browsable(false)]
and it will be skipped when persisting and reading the entity.
TableEntity Support
Since these repository APIs are quite a bit more intuitive than working directly against a
TableClient
, you might want to retrieve/enumerate entities just by their built-in ITableEntity
properties, like PartitionKey
, RowKey
, Timestamp
and ETag
. For this scenario, we
also support creating ITableRepository<ITableEntity>
and ITablePartition<ITableEntity>
by using the factory methods TableRepository.Create(...)
and TablePartition.Create(...)
without a (generic) entity type argument.
For example, given you know all Region
entities saved in the example above, use the region Code
as the RowKey
, you could simply enumerate all regions without using the Region
type at all:
var account = CloudStorageAccount.DevelopmentStorageAccount; // or production one
var repo = TablePartition.Create(storageAccount,
tableName: "Reference",
partitionKey: "Region");
// Enumerate all regions within the partition as plain TableEntities
await foreach (ITableEntity region in repo.EnumerateAsync())
Console.WriteLine(region.RowKey);
Moverover, the returned ITableEntity
is actually an instance of DynamicTableEntity
, so
you can downcast and access any additional stored properties, which you can persist by
passing a DynamicTableEntity
to PutAsync
:
await repo.PutAsync(new DynamicTableEntity("Book", "9781473217386", "*", new Dictionary<string, EntityProperty>
{
{ "Title", EntityProperty.GeneratePropertyForString("Neuromancer") },
{ "Price", EntityProperty.GeneratePropertyForDouble(7.32) },
}));
var entity = (DynamicTableEntity)await repo.GetAsync("Book", "9781473217386");
Assert.Equal("Title", entity.Properties["Neuromancer"].StringValue);
Assert.Equal(7.32, entity.Properties["Price"].DoubleValue);
Installation
> Install-Package Devlooped.TableStorage
All packages also come in source-only versions, if you want to avoid an additional assembly dependency:
> Install-Package Devlooped.TableStorage.Source
The source-only packages includes all types with the default visibility (internal), so you can decide what types to make public by declaring a partial class with the desired visibility. To make them all public, for example, you can include the same Visibility.cs that the compiled version uses.
Dogfooding
We also produce CI packages from branches and pull requests so you can dogfood builds as quickly as they are produced.
The CI feed is https://pkg.kzu.io/index.json
.
The versioning scheme for packages is:
- PR builds: 42.42.42-pr
[NUMBER]
- Branch builds: 42.42.42-
[BRANCH]
.[COMMITS]
Sponsors
Product | Versions Compatible and additional computed target framework versions. |
---|---|
.NET | net5.0 was computed. net5.0-windows was computed. net6.0 is compatible. 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 is compatible. |
.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. |
-
.NETStandard 2.0
- Azure.Data.Tables (>= 12.5.0)
- Devlooped.CloudStorageAccount (>= 1.0.1)
- Microsoft.OData.Client (>= 7.11.0)
- System.Text.Json (>= 6.0.4)
-
.NETStandard 2.1
- Azure.Data.Tables (>= 12.5.0)
- Devlooped.CloudStorageAccount (>= 1.0.1)
- Microsoft.OData.Client (>= 7.11.0)
- System.Text.Json (>= 6.0.4)
-
net6.0
- Azure.Data.Tables (>= 12.5.0)
- Devlooped.CloudStorageAccount (>= 1.0.1)
- Microsoft.OData.Client (>= 7.11.0)
- System.Text.Json (>= 6.0.4)
NuGet packages (4)
Showing the top 4 NuGet packages that depend on Devlooped.TableStorage:
Package | Downloads |
---|---|
Devlooped.TableStorage.Protobuf
A Protocol Buffers binary serializer for use with document-based repositories. > This project uses SponsorLink and may issue IDE-only warnings if no active sponsorship is detected. > Learn more at https://github.com/devlooped#sponsorlink. |
|
Devlooped.TableStorage.Bson
A BSON binary serializer for use with document-based repositories. > This project uses SponsorLink and may issue IDE-only warnings if no active sponsorship is detected. > Learn more at https://github.com/devlooped#sponsorlink. |
|
Devlooped.TableStorage.MessagePack
A MessagePack binary serializer for use with document-based repositories. > This project uses SponsorLink and may issue IDE-only warnings if no active sponsorship is detected. > Learn more at https://github.com/devlooped#sponsorlink. |
|
Devlooped.TableStorage.Newtonsoft
A Json.NET serializer for use with document-based repositories. > This project uses SponsorLink and may issue IDE-only warnings if no active sponsorship is detected. > Learn more at https://github.com/devlooped#sponsorlink. |
GitHub repositories
This package is not used by any popular GitHub repositories.
Version | Downloads | Last updated |
---|---|---|
5.2.1 | 437 | 10/22/2024 |
5.2.0 | 975 | 7/24/2024 |
5.2.0-rc.1 | 83 | 7/13/2024 |
5.2.0-rc | 222 | 7/10/2024 |
5.2.0-beta | 239 | 7/6/2024 |
5.1.2 | 1,443 | 1/25/2024 |
5.1.1 | 346 | 10/4/2023 |
5.1.0 | 727 | 8/11/2023 |
4.1.3 | 1,259 | 1/20/2023 |
4.1.2 | 855 | 1/16/2023 |
4.0.0 | 1,546 | 8/26/2022 |
4.0.0-rc.1 | 109 | 8/26/2022 |
4.0.0-rc | 367 | 8/15/2022 |
4.0.0-beta | 526 | 5/17/2022 |
4.0.0-alpha | 391 | 5/4/2022 |
3.2.0 | 1,687 | 12/13/2021 |
3.1.1 | 1,472 | 8/29/2021 |
3.1.0 | 1,367 | 8/13/2021 |
3.0.3 | 1,299 | 7/28/2021 |
3.0.2 | 1,391 | 7/1/2021 |
2.0.2 | 1,422 | 6/23/2021 |
2.0.1 | 1,390 | 6/17/2021 |
2.0.0 | 1,359 | 6/16/2021 |
1.3.0 | 1,125 | 5/31/2021 |
1.2.1 | 466 | 5/29/2021 |
1.2.0 | 507 | 5/26/2021 |
1.0.4 | 641 | 5/16/2021 |