Transmitly 0.3.0

dotnet add package Transmitly --version 0.3.0
                    
NuGet\Install-Package Transmitly -Version 0.3.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="Transmitly" Version="0.3.0" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="Transmitly" Version="0.3.0" />
                    
Directory.Packages.props
<PackageReference Include="Transmitly" />
                    
Project file
For projects that support Central Package Management (CPM), copy this XML node into the solution Directory.Packages.props file to version the package.
paket add Transmitly --version 0.3.0
                    
#r "nuget: Transmitly, 0.3.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.
#:package Transmitly@0.3.0
                    
#:package directive can be used in C# file-based apps starting in .NET 10 preview 4. Copy this into a .cs file before any lines of code to reference the package.
#addin nuget:?package=Transmitly&version=0.3.0
                    
Install as a Cake Addin
#tool nuget:?package=Transmitly&version=0.3.0
                    
Install as a Cake Tool

Transactional Communications

Transmitly is a powerful and vendor-agnostic communication library designed to simplify and enhance the process of sending transactional messages across various platforms. With its easy-to-use API, developers can seamlessly integrate email, SMS, and other messaging services into their applications, ensuring reliable and efficient delivery of critical notifications. Built for flexibility and scalability, Transmitly supports multiple communication channels, allowing you to focus on building great applications while it handles the complexity of message transmission.

Show me the code!

Want to jump right into the code? Take a look at the various sample projects.

Quick Start

Let's begin where most developers start: sending an email via an SMTP server. In Transmitly, Email is a Channel. A Channel is the medium through which your communication is dispatched. Out of the box, Transmitly supports Email, SMS, Voice, and Push Notifications.

Add the Transmitly NuGet package to your project

dotnet add package Transmitly

Choosing a channel provider

As mentioned above, we're going to dispatch our email using an SMTP server. To make this happen in Transmitly, add the SMTP Channel Provider library to your project.

Channel Providers manage the delivery of your channel communications. You can think of a Channel Provider as a service like Twilio, Infobip, Firebase, or in this case, an SMTP server.

dotnet add package Transmitly.ChannelProvider.Smtp

Set Up a Pipeline

Now it's time to configure a Pipeline. Pipelines give us flexibility as requirements evolve. For now, think of a Pipeline as a way to configure which channels and channel providers are involved when you dispatch a domain intent. In other words, you might start by sending a welcome email to a newly registered user. As your application grows, you may want to send an SMS or an email depending on which address the user provided at sign-up. With Transmitly, that behavior is managed in a single location, and your domain/business logic remains agnostic of which communications are sent and how.

using Transmitly;

ICommunicationsClient communicationsClient = new CommunicationsClientBuilder()
.AddSmtpSupport(options =>
{
  options.Host = "smtp.example.com";
  options.Port = 587;
  options.UserName = "MySMTPUsername";
  options.Password = "MyPassword";
})
.AddPipeline("WelcomeKit", pipeline =>
{
    pipeline.AddEmail("welcome@my.app".AsIdentityAddress("Welcome Committee"), email =>
    {
       email.Subject.AddStringTemplate("Thanks for creating an account!");
       email.HtmlBody.AddStringTemplate("Check out the <a href=\"https://my.app/getting-started\">Getting Started</a> section to see all the cool things you can do!");
       email.TextBody.AddStringTemplate("Check out the Getting Started (https://my.app/getting-started) section to see all the cool things you can do!");
    });
})
.BuildClient();

// Register ICommunicationsClient with the service collection.
// If you install Transmitly.Microsoft.Extensions.DependencyInjection,
// you can use builder.Services.AddTransmitly(...) instead of manual registration.
builder.Services.AddSingleton(communicationsClient);

In our new account registration code:

class AccountRegistrationService
{
  private readonly ICommunicationsClient _communicationsClient;
  public AccountRegistrationService(ICommunicationsClient communicationsClient)
  {
    _communicationsClient = communicationsClient;
  }

  public async Task<Account> RegisterNewAccount(AccountVM account)
  {
    // Validate and create the account
    var newAccount = CreateAccount(account);

    // Dispatch (send) using our configured pipeline intent and recipient email address.
    var result = await _communicationsClient.DispatchAsync("WelcomeKit", newAccount.EmailAddress, new { });

    if(result.IsSuccessful)
      return newAccount;

    throw new Exception("Error sending communication!");
  }
}

That's it. You're dispatching email. It may seem like a lot of work compared to a simple IEmailClient, so let's break down what we gained by using Transmitly.

  • Vendor agnostic - We can change channel providers with a simple configuration change
    • That means when we want to try out SendGrid, Twilio, Infobip or one of the many other services, it's a single change in a single location. ☺️
  • Delivery configuration - The details of our (Email) communications are not cluttering up our code base.
    • We've also managed to keep our domain/business logic clean by using pipeline intents rather than explicitly sending an email or other communication types.
  • Message composition - The details of how an email or SMS is generated are not scattered throughout your codebase.
    • In the future we may want to send an SMS and/or push notification. We can now control that in a single location, not in our business logic.
  • We can now use a single service/client for all of our communication needs
    • No more cluttering up your service constructors with IEmailClient, ISmsClient, etc.

Changing Channel Providers

Want to try out a new service to send your emails? Twilio? Infobip? With Transmitly, it's as easy as adding your preferred channel provider and a few lines of configuration. In the example below, we'll use SendGrid.

For the next example, we'll start using SendGrid to send email.

dotnet add package Transmitly.ChannelProvider.SendGrid

Next we'll update our configuration. Notice we've removed AddSmtpSupport(...) and added AddSendGridSupport(...).

using Transmitly;

ICommunicationsClient communicationsClient = new CommunicationsClientBuilder()
//.AddSmtpSupport(options =>
//{
//  options.Host = "smtp.example.com";
//  options.Port = 587;
//  options.UserName = "MySMTPUsername";
//  options.Password = "MyPassword";
//})
.AddSendGridSupport(options =>
{
    options.ApiKey = "MySendGridApi";
})
.AddPipeline("WelcomeKit", pipeline =>
{
    pipeline.AddEmail("welcome@my.app".AsIdentityAddress("Welcome Committee"), email =>
    {
        email.Subject.AddStringTemplate("Thanks for creating an account!");
        email.HtmlBody.AddStringTemplate("Check out the <a href=\"https://my.app/getting-started\">Getting Started</a> section to see all the cool things you can do!");
        email.TextBody.AddStringTemplate("Check out the Getting Started (https://my.app/getting-started) section to see all the cool things you can do!");
    });
})
.BuildClient();

builder.Services.AddSingleton(communicationsClient);

That's right, we added a new channel provider package, removed our SMTP configuration, and configured SendGrid support. You don't need to change any other code. Our pipelines, channels, and domain/business logic stay the same. 😮

Supported Channel Providers

Channel(s) Project Package
Email Transmitly.ChannelProvider.Smtp NuGet Version
Email Transmitly.ChannelProvider.SendGrid NuGet Version
Email Transmitly.ChannelProvider.Mailgun NuGet Version
Email, Sms, Voice Transmitly.ChannelProvider.Infobip NuGet Version
Sms, Voice Transmitly.ChannelProvider.Twilio NuGet Version
Push Notifications Transmitly.ChannelProvider.Firebase NuGet Version

Delivery Reports

Now that we are dispatching communications, the next questions are usually: how do I log activity, how do I store content, and what about status updates from third-party services? All great questions. To start, we'll focus on logging requests. In this simple example, we're using the SMTP library, which provides limited delivery visibility compared to third-party channel providers. As you adopt those providers, you can access richer dispatch and delivery data. Delivery reports let you manage those updates in a structured, consistent way across any channel provider or channel.

using Transmitly;

ICommunicationsClient communicationsClient = new CommunicationsClientBuilder()
.AddSendGridSupport(options=>
{
    options.ApiKey = "MySendGridApi";
})
.AddDeliveryReportHandler((report) =>
{
   logger.LogInformation("[{channelId}:{channelProviderId}:Dispatched] Id={id}; Content={communication}", report.ChannelId, report.ChannelProviderId, report.ResourceId, JsonSerializer.Serialize(report.ChannelCommunication));
   return Task.CompletedTask;
})
.AddPipeline("WelcomeKit", pipeline =>
{
    pipeline.AddEmail("welcome@my.app".AsIdentityAddress("Welcome Committee"), email =>
    {
       email.Subject.AddStringTemplate("Thanks for creating an account!");
       email.HtmlBody.AddStringTemplate("Check out the <a href=\"https://my.app/getting-started\">Getting Started</a> section to see all the cool things you can do!");
       email.TextBody.AddStringTemplate("Check out the Getting Started (https://my.app/getting-started) section to see all the cool things you can do!");
    });
})
.BuildClient();

builder.Services.AddSingleton(communicationsClient);

Adding AddDeliveryReportHandler(...) lets you pass a function that executes during different stages of the communication lifecycle. In this case, we're listening to any report for any channel/channel provider. If you'd like more fine-grained control, check out the wiki for details on filtering the data you want. Delivery reports are designed to give you flexibility as your communications strategy evolves. For example, you can retry failed sends, notify stakeholders of important messages, or store dispatched content for auditing.

Note: As mentioned earlier, using third-party services usually means you'll receive asynchronous status updates. In general, most providers push this information via webhooks. Transmitly can help with webhook handling through the MVC libraries.

Using the Transmitly MVC libraries, you can configure channel providers to send webhook updates to a single endpoint you define. Transmitly then wraps provider-specific payloads and invokes your registered delivery report handlers.

See the wiki for more on delivery reports

Template Engines

Templating is not supported out of the box by design. This lets you choose the engine you prefer, including a bespoke engine you may already use. Today, Transmitly has two officially supported template engines: Fluid and Scriban. As with other features, setup is as simple as adding the package to your project. For this example, we'll use Scriban.

dotnet add package Transmitly.TemplateEngine.Scriban

Building on our example, we can enable support by adding AddScribanTemplateEngine(). We'll also update our email templates to use placeholders.

using Transmitly;

ICommunicationsClient communicationsClient = new CommunicationsClientBuilder()
.AddSendGridSupport(options=>
{
    options.ApiKey = "MySendGridApi";
})
.AddScribanTemplateEngine()
.AddDeliveryReportHandler((report) =>
{
   logger.LogInformation("[{channelId}:{channelProviderId}:Dispatched] Id={id}; Content={communication}", report.ChannelId, report.ChannelProviderId, report.ResourceId, JsonSerializer.Serialize(report.ChannelCommunication));
   return Task.CompletedTask;
})
.AddPipeline("WelcomeKit", pipeline =>
{
    pipeline.AddEmail("welcome@my.app".AsIdentityAddress("Welcome Committee"), email =>
    {
       email.Subject.AddStringTemplate("Thanks for creating an account, {{firstName}}!");
       email.HtmlBody.AddStringTemplate("{{firstName}}, check out the <a href=\"https://my.app/getting-started\">Getting Started</a> section to see all the cool things you can do!");
       email.TextBody.AddStringTemplate("{{firstName}}, check out the Getting Started (https://my.app/getting-started) section to see all the cool things you can do!");
    });
})
.BuildClient();

builder.Services.AddSingleton(communicationsClient);

We'll also update our dispatch call to provide a transactional model for the template engine.

class AccountRegistrationService
{
  private readonly ICommunicationsClient _communicationsClient;
  public AccountRegistrationService(ICommunicationsClient communicationsClient)
  {
    _communicationsClient = communicationsClient;
  }

  public async Task<Account> RegisterNewAccount(AccountVM account)
  {
    // Validate and create the account
    var newAccount = CreateAccount(account);

    // Dispatch (send) our configured email
    var result = await _communicationsClient.DispatchAsync("WelcomeKit", newAccount.EmailAddress, new { firstName = newAccount.FirstName });

    if(result.IsSuccessful)
      return newAccount;

    throw new Exception("Error sending communication!");
  }
}

That's another advanced feature handled in a strongly typed and extensible way. In this example, we only added firstName to our model. If we wanted to be more future-proof for template changes, we could return the full Account object or, preferably, create and use a Platform Identity Resolver. Whether you're starting from scratch or adapting an existing communications strategy, there's an approach that will work for you.

Supported Template Engines

Project Package
Transmitly.TemplateEngine.Fluid NuGet Version
Transmitly.TemplateEngine.Scriban NuGet Version

Next Steps

We've only scratched the surface. Transmitly can do a lot more to deliver value for your team. Check out the Kitchen Sink sample to learn more about Transmitly concepts while we continue improving the wiki.

Supported Dependency Injection Containers

Container Project Package
Microsoft.Extensions.DependencyInjection Transmitly.Microsoft.Extensions.DependencyInjection NuGet Version

Copyright (c) Code Impressions, LLC. This open-source project is sponsored and maintained by Code Impressions and is licensed under the Apache License, Version 2.0.

Product 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 is compatible.  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.  net9.0 is compatible.  net9.0-android was computed.  net9.0-browser was computed.  net9.0-ios was computed.  net9.0-maccatalyst was computed.  net9.0-macos was computed.  net9.0-tvos was computed.  net9.0-windows was computed.  net10.0 was computed.  net10.0-android was computed.  net10.0-browser was computed.  net10.0-ios was computed.  net10.0-maccatalyst was computed.  net10.0-macos was computed.  net10.0-tvos was computed.  net10.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 is compatible.  net48 is compatible.  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.
  • .NETFramework 4.7.2

    • No dependencies.
  • .NETFramework 4.8

    • No dependencies.
  • .NETStandard 2.0

    • No dependencies.
  • net6.0

    • No dependencies.
  • net8.0

    • No dependencies.
  • net9.0

    • No dependencies.

NuGet packages (23)

Showing the top 5 NuGet packages that depend on Transmitly:

Package Downloads
Transmitly.ChannelProvider.Infobip

An Infobip channel provider for the Transmitly library.

Transmitly.ChannelProvider.Twilio

A channel provider for the Transmitly communications library.

Transmitly.Microsoft.Extensions.DependencyInjection

A Microsoft dependency injection extension for the Transmitly library.

Transmitly.ChannelProvider.SendGrid

A channel provider for the Transmitly communications library.

Transmitly.ChannelProvider.Infobip.Configuration

An Infobip channel provider configuration for the Transmitly library.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last Updated
0.3.0 995 3/25/2026
0.2.3-10.164330b 42 3/24/2026
0.2.3-6.30853e7 89 3/4/2026
0.2.3-5.aafd9cd 125 3/2/2026
0.2.3-4.d1db4d3 44 3/1/2026
0.2.2 124 2/21/2026
0.2.2-45.6d185e8 80 2/20/2026
0.2.2-43.80c3e4e 59 2/17/2026
0.2.2-39.19f2783 325 1/17/2026
0.2.2-25.0c842ba 170 12/14/2025
0.2.2-21.ee87b44 101 11/30/2025
0.2.2-17.481be94 172 8/17/2025
0.2.2-15.f253ede 140 8/17/2025
0.2.2-13.6fed948 135 8/17/2025
0.2.2-12.d49553b 176 8/12/2025
0.2.1 1,845 7/25/2025
Loading failed