How To Use Sendgrid To Send Email In C#

Using SendGrid, you can easily send emails without the hassle of maintaining email servers. This SMTP provider takes care of all the technical aspects, such as infrastructure scaling, ISP outreach, reputation monitoring, and whitelist services, while also providing real-time analytics. In this tutorial, we will show you how to effectively use SendGrid for sending emails in C#.

Prerequisites

Before we begin, ensure you have the following installed on your machine:

  • Any version of Visual Studio
  • .NET Core SDK 2.1 or later
  • A SendGrid account. If you don’t have one, you can sign up for free.

Setting up SendGrid

To send email with SendGrid, you need to supply your API Key. You can generate a SendGrid API Key on the API Keys page within the SendGrid App.

Installation of SendGrid NuGet Package

To send emails with C# in SendGrid, we first need to install the SendGrid NuGet package. You can install it by running the following command in the NuGet Package Manager Console:

Install-Package SendGrid -Version x.y.z

Replace x.y.z with the version number of SendGrid NuGet package.

Send Email using SendGrid in C#

Below is a simple example of how to send email in C# using SendGrid:

using SendGrid;
using SendGrid.Helpers.Mail;
using System;
using System.Threading.Tasks;

public class SendGridEmailSender
{
    private readonly string _apiKey;

    public SendGridEmailSender(string apiKey)
    {
        _apiKey = apiKey;
    }

    public async Task SendEmailAsync(string email, string subject, string message)
    {
        var client = new SendGridClient(_apiKey);
        var msg = new SendGridMessage()
        {
            From = new EmailAddress("[email protected]", "DX Team"),
            Subject = subject,
            PlainTextContent = message,
            HtmlContent = message
        };
        msg.AddTo(new EmailAddress(email));

        msg.SetClickTracking(false, false);

        await client.SendEmailAsync(msg);
    }
}

In the code snippet above, replace [email protected] with your email and “DX Team” with your name or your team’s name. The _apiKey is your SendGrid API Key.

Conclusion

That’s it! You now know how to send an email in C# using SendGrid. While this is a basic example, you can customize it according to your needs by adding additional features such as attachments, categories, and more.

Happy coding!