Swimburger

Making Phone Calls from Blazor WebAssembly with Twilio Voice

Niels Swimberghe

Niels Swimberghe - - .NET

Follow me on Twitter, buy me a coffee

Blazor and Twilio logo next to title: Making Phone Calls from Blazor WebAssembly with Twilio Voice

This post was written for and originally posted on the Twilio blog.

Mobile phones are ubiquitous and convenient but there are times when it’s more practical to be able to receive and place phone calls from a computer. If you’ve called customer service about the tickets you ordered, or anything else, it’s likely the rep you spoke to took your call with a mouse click.

Using Twilio Voice you can add the ability to make and receive phone calls from your own ASP.NET web applications. Twilio’s helper library for JavaScript makes it easy to integrate client functionality into web front ends built with Blazor WebAssembly, and the Twilio NuGet packages provide you with convenient interfaces to Twilio’s APIs for server-side tasks.

Blazor WebAssembly lets you build your application front end in C# and Razor, so you can focus the client-side JavaScript on functionality that requires JavaScript for implementation.

JavaScript interoperability (JS interop) is a feature of Blazor that makes it easy to call JavaScript APIs and libraries from your C# code.

Both these technologies are built on .NET Standard, so they’re available in both ASP.NET Core 3.1 and ASP.NET Core in .NET 5.0.

In this post you’ll learn how to build a web application for making and receiving voice calls using these technologies. You’ll see how to integrate a Blazor component with the Twilio Client JS SDK and how to route Twilio calls using ASP.NET Core WebAPI.  You’ll also learn how to use TwiML™ (the Twilio Markup Language) to tell Twilio what to do when a call comes into a Twilio phone number.

The tutorial in this post contains the complete source code and it’s provided under an MIT license so you can incorporate it into your own project.

Prerequisites #

This tutorial is for developers at any experience level. Prior experience with the following technologies is recommended, but not required:

  • C#
  • .NET and ASP.NET Core
  • HTML
  • JavaScript
  • Blazor

You’ll need the following development resources to build and run the project:

.NET Core SDK version 3.1 or .NET 5.0

Code editor – Any editor will suffice, but for an optimal experience use:

Visual Studio Code with the C# for Visual Studio Code extension 

– or –

Visual Studio 2019 (The Community edition is free.) with the following workloads enabled: ASP.NET and web development, .NET Core cross-platform development.

PowerShell – You can use the latest PowerShell Core or the legacy Windows version.

Twilio account – Sign up for a free trial account (no credit card required) with this link and get an additional $10 credit when you upgrade to a regular account.

Twilio CLI – The Twilio command-line interface requires Node.js and npm (included with the Node.js installation).

ngrok – A free account is all that’s necessary.

There is a companion repository available on GitHub for this tutorial. It contains the complete code for the solution you’re going to build.

Understanding the use case #

The goal of this application is to build a working single page Blazor WebAssembly application you can use to make and receive phone calls while still being able to interact with the application. To accomplish this, you will create a dialer component which will be docked on the bottom right of the screen.

Here’s a screenshot of the end result:

Screenshot of the completed application showing the dialer component

Here’s an animation of the dialer in action:

Animated screenshot of the app showing the dialer in use

You can use the dialer to dial phone numbers and call them. If a call is incoming, the dialer will vibrate to raise awareness of an incoming call to the user. (The phone numbers will be masked in the screenshots for privacy reasons.)

Solution architecture #

The solution will consist of a client application implemented in Blazor WebAssembly and a server application implemented in ASP.NET Core. The client application will fetch an authentication token from the server, which will be used to authenticate the client with the Twilio service. Once authenticated, the client can initiate and receive calls routed through Twilio Voice. When an outgoing or incoming call is made, Twilio will reach out to the server application to receive instructions, written in TwiML, on how to handle the call.

Generating auth tokens to connect to Twilio #

Before you can connect to Twilio using the Twilio Client JS SDK you need to get an authentication token. You can request this auth token by making AJAX requests to your server application and have it generate the token. The auth token will hold the following configuration:

  • A Twilio Account String IDentifier (SID)
  • A boolean to opt into incoming voice calls
  • An identity string which is used as the client name – The client name is used to route incoming calls to the Twilio Client.
  • A TwiML Application SID for outgoing voice calls – The TwiML App SID identifies a TwiML app, which holds an SMS Webhook URL and a Voice Webhook URL. These webhooks are how Twilio knows which URLs to send HTTP requests to when you initiate a call using the JavaScript SDK.

Warning: In this tutorial anyone will be able to request these authentication tokens, which is a security risk. When implementing a token service, add your own authentication and authorization logic to make sure you generate tokens only for those who are supposed to be able to make phone calls using your application.

Making outgoing phone calls (from browser to phone) #

You can make outgoing phone calls using the Twilio Client JS SDK and a backend responding to webhooks. The workflow to make outgoing phone calls goes as follows:  

Diagram of component interaction in phone calls made with Twilio Voice

Figure 1: Workflow diagram for outgoing phone calls (source: Twilio documentation)

  1. Using the Twilio Client JS SDK, the browser connects to Twilio using a previously generated authentication token. Twilio decrypts this authentication token and reads the outgoing client scope, which holds a TwiML App SID. With this TwiML App SID, Twilio can fetch the voice webhook configured in your TwiML App.
  2. Twilio sends an HTTP request to the voice webhook configured in your TwiML App. This HTTP request holds metadata you can use to determine who to route the phone call to.
  3. Your server application returns TwiML instructions in the HTTP response to dial the desired number.
  4. Twilio will read your TwiML response and dial the phone number.
  5. The Twilio Client JS SDK will establish the VoIP connection between your browser and the phone number.

Receiving incoming phone calls (from phone to browser) #

You can also receive incoming phone calls using the Twilio Client JS SDK and a WebAPI server application responding to webhooks. The workflow for an incoming phone call goes as follows:

  1. Your Twilio phone number is called and is received by Twilio Voice.
  2. Twilio makes an HTTP request to the voice webhook URL configured on your Twilio phone number. This webhook URL is configured on your phone number, not your TwiML App voice webhook.
  3. Your server application responds with TwiML instructions. For outgoing phone calls you instruct Twilio to <Dial> a <Number>, but for the incoming phone call you want the call to be routed to the browser client. To do so, you have to instruct Twilio to <Dial> a <Client>. The specified Client should match the client in the incoming client scope part of the authentication token.
  4. Twilio will read your TwiML response and dial the client. If no client is connected, the phone call is closed. If multiple clients are connected, the first to accept the call will establish the VoIP connection and other clients will stop ringing.
  5. The Twilio JavaScript SDK will establish the VoIP connection between the client and the phone number.

Creating Twilio resources #

You need to create the following Twilio resources to be able to make and receive phone calls from the browser:

You can create these resources with the Twilio CLI or the Twilio console web interface.

Install the Twilio CLI on your machine by following the Twilio CLI Quickstart instructions.

Log in using the Twilio CLI using the following command:

twilio login

You will be prompted to enter your Account SID and Auth Token. Both can be found on the right-hand side of the Twilio console home page.

Copy your Account SID and Auth Token someplace handy. You will need them later. They’re user secrets, so be sure to handle them securely. (For example, don’t put them in your source code.)

The server application will need a Twilio API key and secret. Browse to API Keys in the Twilio console and create a standard API key.

Copy the SID, which is the API key, and the secret someplace handy and secure. These are also user secrets, so take all the appropriate precautions.

If you don’t have a Twilio phone number, you can get a local phone number using the following command, replacing “US” with the appropriate country code for your location:

twilio phone-numbers:buy:local  --country-code=US

Note: Although you’ll be buying a phone number, the credit in your trial account will be applied to the charge. No credit card is required.

If you already have a Twilio phone number, you can list your phone numbers using the following command:

twilio phone-numbers:list

Copy the phone number that you want to use for this application someplace handy.

Run the following command to create a TwiML application:

twilio api:core:applications:create --friendly-name TwilioBlazorPhonecalls

You can give the application any friendly name that is meaningful to you.

If you already created a TwiML application, you can list your applications using the following command:

twilio api:core:applications:list

Copy the TwiML application SID someplace handy and secure.

You will need to configure the voice webhook URL later, but you don’t have a backend or public URL to configure it with yet.

Now you should have all of the following noted on the side for future use:

  • Account SID and Auth Token
  • API Key and Secret
  • Phone Number
  • TwiML Application SID

Building the Twilio authentication token server #

The token authentication server is the first of two C# projects you’ll create in this tutorial. It will be the backend server for the client, supplying authentication tokens obtained from Twilio. It will also handle Twilio webhooks.

In a production-grade application, it would be better if you create an internal backend and a publicly available server dedicated to handling Twilio webhooks. For the sake of simplicity, this tutorial combines these functions in a single server.

Create the ASP.NET Core WebAPI application #

The token authentication server will be implemented as an ASP.NET Core WebAPI project. Using this platform, it will also provide REST APIs the Twilio webhooks will call.

Use the following commands to create the server project:

mkdir TwilioBlazorPhonecalls
cd TwilioBlazorPhonecalls
# creates folder and a webapi project inside the new folder
dotnet new webapi -o TwilioBlazorPhonecalls.Server

# optionally, create a solution and add the server project to the solution
dotnet new sln
dotnet sln add TwilioBlazorPhonecalls.Server

Later on, you’ll create a client application which will try to use the same ports by default (5000 and 5001) which is not possible. Use the following commands to change the used ports to 5002 and 5003 by updating the launchSettings.json file at TwilioBlazorPhonecalls.Server/Properties/launchSettings.json.

$launchSettingsContents = Get-Content -path ./TwilioBlazorPhonecalls.Server/Properties/launchSettings.json -Raw
$launchSettingsContents = $launchSettingsContents -replace 'https://localhost:5001;http://localhost:5000','https://localhost:5003;http://localhost:5002'
Set-Content -Value $launchSettingsContents -Path ./TwilioBlazorPhonecalls.Server/Properties/launchSettings.json

You can run your server project using this command:

dotnet run -p TwilioBlazorPhonecalls.Server

If you’re using Visual Studio to run your projects, use the Kestrel target instead of IIS Express.

For your convenience, you can also use the dotnet watch run alternative. This will automatically reload the .NET application as you edit. You can use this command to watch your project:

dotnet watch -p TwilioBlazorPhonecalls.Server run

By default, the ASP.NET Core Web API template comes with an existing controller and a model class. Remove the files for these classes:

rm TwilioBlazorPhonecalls.Server\Controllers\WeatherForecastController.cs
rm TwilioBlazorPhonecalls.Server\WeatherForecast.cs

Configure user secrets #

The server project will require access to all the previously noted configuration data, but you shouldn’t store this sensitive information directly inside the server project, which might cause accidental check-ins to source code control. 😱

Instead, you can use the dotnet user-secrets commands for the Secret Manager to store the configuration in secret storage.

Paste the following PowerShell commands and enter the prompted configuration:

&{
    $TwilioAccountSid     = Read-Host 'Enter your Twilio Account SID'
    $TwilioPhoneNumber    = Read-Host 'Enter your Twilio phone number'
    $TwilioApiKey         = Read-Host 'Enter your Twilio API key'
    $TwilioApiSecret      = Read-Host 'Enter your Twilio API secret' -AsSecureString
    $TwiMLApplicationSid  = Read-Host 'Enter your TwiML Application SID'

    $ProjectName = "TwilioBlazorPhonecalls.Server"
    dotnet user-secrets init --project $ProjectName
    dotnet user-secrets set "TwilioAccountSid" $TwilioAccountSid --project $ProjectName
    dotnet user-secrets set "TwilioPhoneNumber" $TwilioPhoneNumber --project $ProjectName
    dotnet user-secrets set "TwilioApiKey" $TwilioApiKey --project $ProjectName

    # set secret and mask the output with ***
    (dotnet user-secrets set "TwilioApiSecret" (ConvertFrom-SecureString $TwilioApiSecret -AsPlainText) --project $ProjectName) `
        -replace (ConvertFrom-SecureString $TwilioApiSecret -AsPlainText), ((ConvertFrom-SecureString $TwilioApiSecret -AsPlainText) -replace ".", "*")

    dotnet user-secrets set "TwiMLApplicationSid" $TwiMLApplicationSid --project $ProjectName
}

You will be prompted to provide the configuration you noted earlier and each prompt will be stored in .NET’s secret storage. ASP.NET Core loads in configuration from secret storage out of the box during development.

You can list the secrets using the dotnet user-secrets list. Learn more about dotnet user-secrets in Safe storage of app secrets in development in ASP.NET Core on docs.microsoft.com.

Warning: The secrets are stored in plaintext in a file, secrets.json, in secret storage, and listing the secrets will display them in plaintext too. .NET’s secret storage is a tool for development purposes only.

Create a controller to generate Twilio authentication tokens #

The browser application will need to connect to Twilio. To do so it will need an authentication token. In this section, you’ll create a controller and an action to generate authentication tokens which can be used to connect to Twilio.

Install the Twilio NuGet package with the VS 2019 Package Manager, Package Manager Console, or the following .NET CLI command:

dotnet add TwilioBlazorPhonecalls.Server package Twilio

The Twilio REST API helper library in this package contains the necessary classes to generate these authentication tokens.

Create the following controller at TwilioBlazorPhonecalls.Server\Controllers\TokenController.cs with the following contents:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Mvc;
using Microsoft.Extensions.Configuration;
using Twilio.Jwt.AccessToken;

namespace TwilioBlazorPhonecalls.Server.Controllers
{
    [ApiController]
    [Route("[controller]")]
    public class TokenController : ControllerBase
    {
        private readonly IConfiguration configuration;
        public TokenController(IConfiguration configuration)
        {
            this.configuration = configuration;
        }

        [HttpGet]
        public string Get()
        {
            string twilioAccountSid = configuration["TwilioAccountSid"];
            string twilioApiKey = configuration["TwilioApiKey"];
            string twilioApiSecret = configuration["TwilioApiSecret"];
            string twiMLApplicationSid = configuration["TwiMLApplicationSid"];
            
            var grants = new HashSet<IGrant>();
            // Create a Voice grant for this token
            grants.Add(new VoiceGrant
            {
                OutgoingApplicationSid = twiMLApplicationSid,
                IncomingAllow = true
            });

            // Create an Access Token generator
            var token = new Token(
                twilioAccountSid,
                twilioApiKey,
                twilioApiSecret,
                // identity will be used as the client name for incoming dials
                identity: "blazor_client",
                grants: grants
            );

            return token.ToJwt();
        }
    }
}

An instance of the IConfiguration object is injected into the constructor by ASP.NET Core’s built-in dependency injection and then stored in a field. The TwilioAccountSid, TwilioApiKey, TwilioApiSecret, and TwiMLApplicationSid are all extracted from the configuration object.

When you create a Token, you can pass in different grants to provide access to specific Twilio functionality. The VoiceGrant will give the client access to the voice calling capabilities in Twilio and use your TwiML app to route outgoing voice calls. By setting IncomingAllow to true, you enable incoming voice calls.

You can quickly verify whether this works by running the server and making an HTTP request to https://localhost:5003/token.

Start the server:

dotnet run -p TwilioBlazorPhonecalls.Server

Open a separate shell and run the following line to make an HTTP request to the token controller:

Invoke-WebRequest https://localhost:5003/token

The response status code should be 200, and you can find the encrypted authentication token in the Content property.

Configure Cross-Origin Resource Sharing #

The client will request the authentication token from within the browser. By default, the browser will not allow this due to Cross-Origin Resource Sharing (CORS) security measures.

To explicitly allow the client to make CORS requests, modify the server Startup class in TwilioBlazorPhonecalls.Server\Startup.cs by adding CORS Middleware with a named policy.

Locate the following statement in the ConfigureServices method:

services.AddControllers();

Insert the following code immediately above:

services.AddCors(options =>
{
    options.AddPolicy(name: "BlazorClientPolicy", builder =>
    {
        builder.WithOrigins("https://localhost:5001", "http://localhost:5000");
    });
});

In the Configure method, locate the following statement:

app.UseAuthorization();

Add the following line immediately above:

app.UseCors();

A CORS policy has been configured in the Startup class, but you need to add the EnableCorsAttribute to TokenController.Get method for the CORS policy to apply.

In the Controllers/TokenController.cs file, modify the TokenController class by adding the following using directive for CORS:

using Microsoft.AspNetCore.Cors;

Decorate the `Get` method with the EnableCors attribute so the beginning of the class looks like the following:

namespace TwilioBlazorPhonecalls.Server.Controllers
{
    [ApiController]
    [Route("[controller]")]
    public class TokenController : ControllerBase
    {
        [HttpGet]
        [EnableCors("BlazorClientPolicy")]
        public string Get()
        ...
    }
}

Ellipsis ("...") in the preceding code block indicates a section redacted for brevity.

You can verify this works by simulating a CORS preflight check.

Start the server:

dotnet run -p TwilioBlazorPhonecalls.Server

Open a separate shell and run the following command to make an HTTP request simulating a CORS request against the token controller:

Invoke-WebRequest https://localhost:5003/token -Method Options -Headers @{
    "Access-Control-Request-Method" = "GET"
    "Access-Control-Request-Headers" = "origin, x-requested-with"
    "Origin" = "https://localhost:5001"
}

The response should contain this header:

Access-Control-Allow-Origin: https://localhost:5001

When the browser sees this header it will allow https://localhost:5001 to make HTTP requests to the server.

Building the Blazor WebAssembly client #

Blazor provides two hosting models, Blazor WebAssembly and Blazor Server. In WebAssembly projects the app, dependencies, and the .NET runtime are downloaded to the client-side browser. In the Blazor Server model the app is executed on the server from within an ASP.NET Core app and the user interface in the browser is updated using SignalR.

The client project for this application will use Blazor WebAssembly so the client can function independently of the server and the Twilio and other JavaScript libraries can be executed on the client machine.

Create a Blazor WebAssembly project #

Use the following commands to create the Blazor WebAssembly (WASM) project using the .NET blazorwasm project template:

# creates folder and a blazor WASM project inside the new folder
dotnet new blazorwasm -o TwilioBlazorPhonecalls.Client

# optionally, add the client project to the solution
dotnet sln add TwilioBlazorPhonecalls.Client

Tip: If you’re building your solution with Visual Studio 2019, you can run this command in the Developer PowerShell window. Be sure you’re in the directory where the solution (.sln) file is located.

You can run your client project by running the following command:

dotnet run -p TwilioBlazorPhonecalls.Client

If you’re using Visual Studio to run your projects, use the Kestrel target instead of IIS Express.

For your convenience, you can also use the dotnet watch run alternative. This will automatically reload the .NET application as you edit. You can use this command to watch your project:

dotnet watch -p TwilioBlazorPhonecalls.Client run

You can access the Blazor WASM client at https://localhost:5001.

Add JavaScript and CSS #

Create a new folder at TwilioBlazorPhonecalls.Client\wwwroot\js and create an empty JavaScript file at TwilioBlazorPhonecalls.Client\wwwroot\js\dialer.js.

Update TwilioBlazorPhonecalls.Client\wwwroot\index.html to load the new JavaScript file by adding the following HTML to the bottom of the <head> element:

<script src="js/dialer.js"></script>

Append the following CSS to the existing CSS file at TwilioBlazorPhonecalls.Client\wwwroot\css\app.css:

/* APPEND THE CODE BELOW TO THE EXISTING CSS, DO NOT REMOVE THE EXISTING CSS */
.dialer {
    background-color: #111;
    position: fixed;
    bottom: -510px;
    right: 30px;
    padding: 20px 30px;
    width: 295px;
    border-top-left-radius: 5px;
    transition: 1s bottom;
    transform: translate3d(0, 0, 0);
    backface-visibility: hidden;
    perspective: 1000px;
}

.dialer--show-top {
    bottom: -450px;
}

.dialer--incoming-call {
    animation: shake 1s cubic-bezier(.36, .07, .19, .97) infinite both;
}

.dialer--show {
    bottom: 0;
}

.show-hide-button {
    position: absolute;
    top: -38px;
    right: 0;
    border-bottom-right-radius: 0;
    border-bottom-left-radius: 0;
}

.dial-pad button {
    display: block;
    float: left;
    border-radius: 37.5px;
    width: 75px;
    height: 75px;
    margin-bottom: 5px;
    margin-right: 5px;
    font-size: 24px;
}

.dial-pad button:nth-child(3n) {
    margin-right: 0;
}

@keyframes shake {
    5%,
    45% {
        transform: translate3d(-1px, 0, 0);
    }
    10%,
    40% {
        transform: translate3d(1px, 0, 0);
    }
    15%,
    25%,
    35% {
        transform: translate3d(-2px, 0, 0);
    }
    20%,
    30% {
        transform: translate3d(2px, 0, 0);
    }
}

This is all the CSS necessary for the dialer component you are about to create.

Create a dummy Dialer component #

Create a new folder in the Blazor WASM client named Components and create a component file named Dialer.razor.

Update TwilioBlazorPhonecalls.Client\Components\Dialer.razor with the starter code below:

@using Microsoft.Extensions.Logging
@implements IDisposable
@inject ILogger<Dialer> logger

<div class="dialer 
    @(hasIncomingConnection || isTwilioDeviceConnected ? "dialer--show-top" : "") 
    @(hasIncomingConnection ? "dialer--incoming-call" : "") 
    @(showDialer ? "dialer--show" : "dialer--hide")">
    <button 
        class="show-hide-button btn @(showDialer ? "btn-secondary" : "btn-success")" 
        @onclick="@(() => showDialer = !showDialer)">
        @(showDialer ? "hide" : "show") phone <span class="oi oi-phone"></span>
    </button>
    <p class="text-center text-light">@(message != "" ?message : "Standing by")</p>
    <div class="input-group w-100 mb-3">
        <input 
            @bind="dialNumber" 
            @bind:event="oninput"
            disabled="@(!isTwilioDeviceReady || isTwilioDeviceConnected || hasIncomingConnection)" 
            type="text" 
            class="form-control text-center" 
            placeholder="Phone number">
        <div class="input-group-append">
            <button 
                @onclick="RemoveKey" 
                disabled="@(!isTwilioDeviceReady || isTwilioDeviceConnected || hasIncomingConnection || dialNumber.Length == 0)" 
                class="btn btn-outline-secondary" 
                type="button"><span
                class="oi oi-delete"></span></button>
        </div>
    </div>
    <div class="dial-pad clearfix w-100 mb-3">
        @foreach (var dialKey in dialKeys)
        {
            <button 
                @onclick="() => PressKey(dialKey)" class="btn btn-dark" type="button"
                disabled="@(!isTwilioDeviceReady)"
                >@dialKey</button>
        }
    </div>
    <div class="btn-group w-100">
        @if(hasIncomingConnection){
            <button 
                @onclick="RejectCall" 
                type="button" 
                class="btn btn-danger w-50"
                >Reject</button>
            <button 
                @onclick="AcceptCall" 
                type="button" 
                class="btn btn-success w-50"
                >Accept</button>
        }else{
            <button 
                @onclick="EndCall" 
                disabled="@(!isTwilioDeviceReady || !isTwilioDeviceConnected)" 
                type="button" 
                class="btn btn-danger w-50"
                >Hang up</button>
            <button 
                @onclick="StartCall" 
                disabled="@(!isTwilioDeviceReady || isTwilioDeviceConnected || dialNumber.Length == 0)" 
                type="button" 
                class="btn btn-success w-50"
                >Call</button>
        }
    </div>
</div>

@code{
    private static readonly string dialKeys = "123456789*0#";
    private bool showDialer = false;
    private string message = "";
    private string dialNumber = "";
    private bool isTwilioDeviceReady = false;
    private bool isTwilioDeviceConnected = false;
    private bool hasIncomingConnection = false;
    
    private void PressKey(char key) => dialNumber += key;

    private void RemoveKey() => dialNumber = dialNumber.Remove(dialNumber.Length - 1);

    private async Task StartCall()
    {
        // TO IMPLEMENT
    }

    private async Task EndCall()
    {
        // TO IMPLEMENT
    }

    private async Task RejectCall()
    {
        hasIncomingConnection = false;
        message = "";
        // TO IMPLEMENT
    }

    private async Task AcceptCall()
    {
        // TO IMPLEMENT
    }

    protected override async Task OnInitializedAsync()
    {
        // TO IMPLEMENT
    }

    public void Dispose()
    {
        // TO IMPLEMENT
    }
}

The HTML and CSS of the Dialer component are completed, the stub .NET methods are wired up to the buttons, and the private fields are bound to render the component. The only things left to do are implement the C#, implement the JavaScript, and integrate both — which is what you’ll do later in this tutorial.

Add the new component to the bottom of TwilioBlazorPhonecalls.Client\App.razor:

@using TwilioBlazorPhonecalls.Client.Components
<Router AppAssembly="@typeof(Program).Assembly">
    <Found Context="routeData">
        <RouteView RouteData="@routeData" DefaultLayout="@typeof(MainLayout)" />
    </Found>
    <NotFound>
        <LayoutView Layout="@typeof(MainLayout)">
            <p>Sorry, there's nothing at this address.</p>
        </LayoutView>
    </NotFound>
</Router>
<Dialer />

When you run the client you will see the fully-styled dialer component.

Installing the Twilio Client JS SDK #

The Twilio Client JS SDK contains functionality to connect to Twilio and make VoIP calls from JavaScript client applications.

To get started you can install the twilio-client npm package. Twilio strongly recommends including twilio.js in your applications via npm before going to production. Learn more in the Twilio Client JavaScript SDK Changelog.

To make this tutorial more convenient, you can use twilio.js directly from the Twilio CDN.

Add the following Twilio CDN script reference before the js/dialer.js reference in TwilioBlazorPhonecalls.Client\wwwroot\index.html:

<script src="https://sdk.twilio.com/js/client/v1.13/twilio.js"></script>

You can learn more about the Twilio Client JS SDK in Twilio’s documentation.

Managing Twilio calls with JavaScript #

Now that the Twilio Client JS SDK has been installed in the Blazor Client you can start using the library to manage calls.

Inside TwilioBlazorPhonecalls.Client\wwwroot\js\dialer.js, you’ll need to add JavaScript functions that are accessible from .NET.

Declare a global variable called dialer or explicitly declare the dialer variable as a property on the window object, which achieves the same result. Initialize the dialer variable with an object holding the following properties and functions.

Add the following JavaScript code to TwilioBlazorPhonecalls.Client\wwwroot\js\dialer.js:

window.dialer = {
    device: new Twilio.Device(),
    setupTwilioDevice: function (jwtToken) {
        var options = {
            closeProtection: true // will warn user if you try to close browser window during an active call
        };
        this.device.setup(jwtToken, options);
    },
    setupTwilioEvents: function () {
        // inside of Twilio events scope the 'this' context is redefined and will not point to 'window.dialer'
        // the variable 'self' is introduced to conveniently access the 'this' context from the outer scope inside of the events scope
        var self = this;
        this.device.on('ready', function () {
            // notify Blazor Component
        });

        this.device.on('error', function (error) {
            console.error(error);
            // notify Blazor Component
        });

        this.device.on('connect', function (connection) {
            if (connection.direction === "OUTGOING") {
                // notify Blazor Component
            } else {
                // notify Blazor Component
            }
        });

        this.device.on('disconnect', function () {
            // notify Blazor Component
        });

        this.device.on('incoming', function (connection) {
            // notify Blazor Component
        });

        this.device.on('cancel', function () {
            // notify Blazor Component
        });
    },
    startCall: function (phoneNumber) {
        // To parameter is a defined property by Twilio, but you could just as well use any other property name
        // and it will be passed to your TwiML webhook as meta data
        this.device.connect({ "To": phoneNumber });
    },
    endCall: function () {
        var connection = this.device.activeConnection();
        if (connection) {
            connection.disconnect();
        }
    },
    acceptCall: function () {
        var connection = this.device.activeConnection();
        if (connection) {
            connection.accept();
        }
    },
    rejectCall: function () {
        var connection = this.device.activeConnection();
        if (connection) {
            connection.reject();
        }
    },
    destroy: function () {
        this.device.destroy();
    }
};

Here’s an overview of the properties and functions inside of the dialer object:

deviceTwilio.Device is a virtual phone, if you will. This class holds the functions to connect to Twilio, accept calls, deny calls, etc. On page load, an instance of Twilio.Device will be created and stored in window.dialer.device.

setupTwilioDevice: This function accepts a jwtToken argument, a JSON Web Token that is the authentication token necessary to connect to Twilio. This token also includes the necessary information for Twilio to identify your TwiML application holding your voice webhook URL. The jwtToken will be passed in from Blazor .NET after having been  generated by your server project.

This function will call the setup function on the Twilio.Device instance, which will perform the authentication against Twilio.

setupTwilioEvents: This function configures all relevant events for the dialer component:

  • ready: triggers when the Twilio.Device is ready to make and receive phone calls after successfully authenticating with Twilio
  • error: triggers when any error occurs
  • connect: triggers when an incoming or outgoing connection is established
  • disconnect: triggers when the connection is closed
  • incoming: triggers when there’s an incoming connection
  • cancel: triggers when a connection was closed before it was accepted

When these events occur, the relevant information should be passed to the Blazor Dialer component in .NET so it can update its state appropriately. You’ll replace the stubs with functional code in a forthcoming step.

startCall: use this function to initiate a phone call to the specified phonenumber. This function accepts a phonenumber which will be passed to the connect function on the Twilio.Device instance. The phonenumber is passed as metadata to the voice webhook configured in your TwiML application.

This function is step 1 of the Figure 1: Workflow diagram for outgoing phone calls and initiates the entire workflow.

endCall: When there’s an active phone call, you can use this function to end the call.
It retrieves the active connection using the activeConnection function on the Twilio.Device instance. If the activeConnection function returns a connection, the disconnect function will be called on the connection which will close the connection.

acceptCall: When there’s an incoming phone call, you can use this function to accept the call. It retrieves the active connection using the activeConnection function on the Twilio.Device instance. If the activeConnection function returns a connection, the accept function will be called on the connection which will start the phone call.

rejectCall: When there’s an incoming phone call, you can use this function to reject the call. It retrieves the active connection using the activeConnection function on the Twilio.Device instance. If the activeConnection function returns a connection, the reject function will be called on the connection which will reject the phone call.

destroy: This function calls the destroy function on the Twilio.Device instance. It cleans up all event listeners, connections, etc. You should call this function to clean up any resources when removing the Dialer component from the Blazor application.

Integrating JavaScript with the Blazor Dialer component #

Blazor introduced a way to call JavaScript functions from .NET, and .NET methods from JavaScript, a process referred to as JavaScript Interop.

Call JavaScript functions from the Blazor Dialer component #

To invoke JavaScript functions from Blazor you need an instance of the IJSRuntime interface.

You can obtain an instance using ASP.NET Core Blazor dependency injection. If you want to have the IJSRuntime injected into a .razor component, use the @inject directive at the top of your component, like this:

@inject IJSRuntime js

There are two instance methods used to call JavaScript functions from .NET using the IJSRuntime class:

InvokeAsync: This method will invoke the specified JavaScript function. It has one required parameter: a string to specify which JavaScript function to run. After the required parameter, you can pass as many extra parameters as you need to. Those subsequent parameters will be passed along to the JavaScript function.

You also must specify the return type you are expecting to receive from the JavaScript function using the generic type parameter. Blazor will try to convert the JavaScript return value to the requested .NET type.

InvokeVoidAsync: As the name gives away, this method functions like InvokeAsync, but it doesn't return the JavaScript return value.

Note: Even though the JavaScript return value isn't returned to you, it is still converted to a .NET type and then discarded. This behavior will change in future versions so that the JavaScript return value isn't unnecessarily converted.

For more details on JavaScript interop, read Communicating between .NET and JavaScript in Blazor with in-browser samples.

Update TwilioBlazorPhonecalls.Client\Components\Dialer.razor so an instance of IJSRuntime is injected by adding the following line below @inject ILogger<Dialer> logger:

@inject IJSRuntime js

Wire up the .NET methods in Dialer.razor so they call the relevant JavaScript functions using InvokeVoidAsync by replacing the existing methods with // TO IMPLEMENT comments using the following C# code:

private async Task StartCall()
{
    await js.InvokeVoidAsync("dialer.startCall", dialNumber);
}

private async Task EndCall()
{
    await js.InvokeVoidAsync("dialer.endCall");
}

private async Task AcceptCall()
{
    await js.InvokeVoidAsync("dialer.acceptCall");
}

private async Task RejectCall()
{
    hasIncomingConnection = false;
    message = "";
    await js.InvokeVoidAsync("dialer.rejectCall");
}

protected override async Task OnInitializedAsync()
{
    await js.InvokeVoidAsync("dialer.setupTwilioEvents");
    var jwtToken = await GetTwilioAuthenticationTokenAsync();
    await js.InvokeVoidAsync("dialer.setupTwilioDevice", jwtToken);
}

private async Task<string> GetTwilioAuthenticationTokenAsync()
{
    // TODO: jwtToken will need to be retrieved from the backend using HttpClient
    // use a dummy value for now 
    return "TEMP TOKEN (WILL NOT WORK)";
}

// IAsyncDisposable isn't supported in Blazor .NET Core 3.1, but will be in future versions
// for now use IDisposable and fire and forget a task to call dialer.destroy
public void Dispose()
{
    js.InvokeVoidAsync("dialer.destroy");
}

The new code does the following:

StartCall: Invoked when clicking the “Call” button. Invokes the dialer.startCall JavaScript function and passes dialNumber (bound to input) as a parameter.

EndCall: Invoked when clicking the “Hang up” button. Invokes the dialer.endCall JavaScript function.

AcceptCall: Invoked when clicking the “Accept” button. The “Accept” button is only visible when the boolean field hasIncomingConnection is set to true. Invokes the  dialer.acceptCall JavaScript function.

RejectCall: Invoked when clicking the “Reject” button. The “Reject” button is only visible when the boolean field hasIncomingConnection is set to true. Invokes the dialer.rejectCall JavaScript function.

Dispose: Not all Blazor components need to implement the IDisposible interface, but if you have some resources to clean up you should implement it. In this case, the dialer.destroy JavaScript function is invoked inside the Dispose method. You can’t await the async InvokeVoidAsync, but you can still call it and it will “fire and forget”.

Note: In .NET 5.0, Blazor supports IAsyncDisposable, so you can await the async method. You can see the implementation here in the companion repository.

Fetch the Twilio authentication token #

Instead of returning a dummy string as an authentication token, you need to fetch the authentication token from the TokenController from the server.

Add a static HttpClient at the top of the code section of Dialer.razor and update the GetTwilioAuthenticationTokenAsync method to send a GET request to https://localhost:5003/token by inserting the following statement after @code:

private static readonly HttpClient httpClient = new HttpClient();

Replace the body of the method so it looks like the following:

private async Task<string> GetTwilioAuthenticationTokenAsync()
{
    var jwtToken = await httpClient.GetStringAsync("https://localhost:5003/token");
    return jwtToken;
}

If you’ve been coding this solution in Visual Studio 2019, all your errors and warnings should be resolved at this point.

Call .NET methods from JavaScript #

In addition to calling JavaScript functions from .NET, you can also call .NET methods from JavaScript. You must decorate the .NET methods you want to expose to JavaScript using the JSInvokable attribute.

You can call .NET instance methods, but you need a reference to the object before you can invoke its methods. You can create a DotNetObjectReference instance by calling DotNetObjectReference.Create. You need to pass in the object you want a reference to as a parameter. When a DotNetObjectReference is returned to JavaScript from a .NET method or passed to a JavaScript function, it is converted to a JavaScript object which you can use to call the methods on the .NET object.

The JavaScript object converted from a DotNetObjectReference instance has two functions to invoke .NET methods:

invokeMethod: Invokes the specified .NET method and returns the .NET value converted as a JavaScript value. The first parameter is the identifier/method name of the .NET method. Any subsequent parameters will be converted to .NET values and passed to the .NET method.

invokeMethodAsync: Invokes the specified .NET method and returns a JavaScript Promise. When the Promise is fulfilled, the Promise result will be the return value from the .NET method. The first parameter is the identifier/method name of the .NET method. Any subsequent parameters will be converted to .NET values and passed to the .NET method.

For more details on JavaScript interop, read:

The Blazor Dialer component needs to create a DotNetObjectReference pointing to itself and then pass it to a JavaScript function to store it.

In the TwilioBlazorPhonecalls.Client/Components/Dialer.razor file, add the following field declaration to the existing private member variables:

 

protected override async Task OnInitializedAsync()
{
    dotNetObjectReference = DotNetObjectReference.Create(this);
    await js.InvokeVoidAsync("dialer.setDotNetObjectReference", dotNetObjectReference);
    await js.InvokeVoidAsync("dialer.setupTwilioEvents");
    var jwtToken = await GetTwilioAuthenticationTokenAsync();
    await js.InvokeVoidAsync("dialer.setupTwilioDevice", jwtToken);
}

The Dispose method should dispose of the object reference, so add a statement so the contents look like the following:

public void Dispose()
{
    js.InvokeVoidAsync("dialer.destroy");
    dotNetObjectReference?.Dispose();
}

The Dialer component invokes the JavaScript function dialer.setDotNetObjectReference, which still needs to be created.

Update the TwilioBlazorPhonecalls.Client\wwwroot\js\dialer.js file so the beginning of window.dialer object looks like the following:

window.dialer = {
    device: new Twilio.Device(),
    dotNetObjectReference: null,
    setDotNetObjectReference: function (dotNetObjectReference) {
        this.dotNetObjectReference = dotNetObjectReference;
    },
    setupTwilioDevice: function (jwtToken) {
        var options = {
            closeProtection: true // will warn user if you try to close browser window during an active call
        };
        this.device.setup(jwtToken, options);
    },
...

Once the dotNetObjectReference property is set you can call .NET methods on the Blazor Dialer component. Update the dialer.setupTwilioEvents function so every event calls back into the Dialer component.

Replace the existing setupTwilioEvents function with the follow code:

setupTwilioEvents: function () {
    // Inside of Twilio events scope the 'this' context is redefined and will not point to 'window.dialer'
    // The variable 'self' is introduced to conveniently access the 'this' context from the outer scope inside of the events scope
    var self = this;
    this.device.on('ready', function () {
        self.dotNetObjectReference.invokeMethod('OnTwilioDeviceReady');
    });

    this.device.on('error', function (error) {
        console.error(error);
        self.dotNetObjectReference.invokeMethod('OnTwilioDeviceError', error.message);
    });

    this.device.on('connect', function (connection) {
        if (connection.direction === "OUTGOING") {
            self.dotNetObjectReference.invokeMethod('OnTwilioDeviceConnected', connection.message['To']);
        } else {
            self.dotNetObjectReference.invokeMethod('OnTwilioDeviceConnected', connection.parameters['From']);
        }
    });

    this.device.on('disconnect', function () {
        self.dotNetObjectReference.invokeMethod('OnTwilioDeviceDisconnected');
    });

    this.device.on('incoming', function (connection) {
        self.dotNetObjectReference.invokeMethod('OnTwilioDeviceIncomingConnection', connection.parameters['From']);
    });

    this.device.on('cancel', function () {
        self.dotNetObjectReference.invokeMethod('OnTwilioDeviceCanceled');
    });
}

These .NET methods do not yet exist. Create the following .NET methods in TwilioBlazorPhonecalls.Client\Components\Dialer.razor by inserting the following C# code in the @code section between the fields and the existing methods:

[JSInvokable]
public void OnTwilioDeviceReady()
{
    isTwilioDeviceReady = true;
    StateHasChanged();
}

[JSInvokable]
public void OnTwilioDeviceError(string error)
{
    message = error;
    logger.LogError(error);
    StateHasChanged();
}

[JSInvokable]
public void OnTwilioDeviceConnected(string phoneNumber)
{
    isTwilioDeviceConnected = true;
    hasIncomingConnection = false;
    message = $"Calling {phoneNumber}";
    StateHasChanged();
}

[JSInvokable]
public void OnTwilioDeviceDisconnected()
{
    isTwilioDeviceConnected = false;
    hasIncomingConnection = false;
    message = "";
    StateHasChanged();
}

[JSInvokable]
public void OnTwilioDeviceIncomingConnection(string phoneNumber)
{
    hasIncomingConnection = true;
    message = $"{phoneNumber} is calling you";
    StateHasChanged();
}

[JSInvokable]
public void OnTwilioDeviceCanceled()
{
    hasIncomingConnection = false;
    message = "";
    StateHasChanged();
}

Each of these methods which respond to events in the Twilio.Device will modify the local state and call the StateHasChanged method to trigger a re-render of the component.

Test the code #

At this point you have a partially functional Twilio Voice client. To test this, run the client:

dotnet run -p TwilioBlazorPhonecalls.Client

Open a second shell and run the server:

dotnet run -p TwilioBlazorPhonecalls.Server

Open your browser and navigate to https://localhost:5001/. You can find the Dialer component at the bottom right.

At this point the virtual Twilio device is configured and the authentication was successful, but when you try to initiate a call you hear the following voice message:

“We are sorry, an application error has occurred.”

This is because no voice webhook URL is configured to route the connection. Your next step is to implement the webhooks.

Implementing voice webhooks #

The client is completed, but calls are not going out or coming in due to the lack of voice webhooks. In this section you will do the following:

  • Add a controller to route phone calls
  • Add a controller action to route outgoing phone calls
  • Add a controller action to route incoming phone calls
  • Use ngrok to make your local server publicly accessible
  • Configure voice webhook URL on TwiML application for outgoing phone calls
  • Configure voice webhook URL on Twilio phone number for incoming phone calls

Implement outgoing phone calls webhook #

Add the Twilio.AspNet.Core NuGet package to the TwilioBlazorPhonecalls.Server server project:

dotnet add TwilioBlazorPhonecalls.Server package Twilio.AspNet.Core

This library adds some convenient classes which help with implementing Twilio webhooks. Learn more at the Twilio.AspNet.Core GitHub repository.

Create a new controller at TwilioBlazorPhonecalls.Server\Controllers\VoiceController.cs:

using System;
using System.Linq;
using Microsoft.AspNetCore.Mvc;
using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.Logging;
using Twilio.AspNet.Core;
using Twilio.TwiML;
using Twilio.TwiML.Voice;

namespace TwilioBlazorPhonecalls.Server.Controllers
{
    [ApiController]
    public class VoiceController : TwilioController
    {
        private readonly IConfiguration configuration;
        private readonly ILogger<VoiceController> logger;

        public VoiceController(IConfiguration configuration, ILogger<VoiceController> logger)
        {
            this.configuration = configuration;
            this.logger = logger;
        }

        [HttpPost]
        [Route("voice/outgoing")]
        public TwiMLResult Outgoing([FromForm] string to)
        {
            string twilioPhoneNumber = configuration["TwilioPhoneNumber"];
            var response = new VoiceResponse();
            var dial = new Dial();
            logger.LogInformation($"Calling {to}");
            dial.CallerId = twilioPhoneNumber;
            dial.Number(to);
            response.Append(dial);
            return TwiML(response);
        }
    }
}

Note how VoiceController inherits from the TwilioController class provided by the Twilio.AspNet.Core library. The TwilioController class provides the TwiML method which you can use to return VoiceResponse and MessagingResponse instances.

When the Blazor client connects to Twilio, Twilio will send an HTTP POST request to your webhook with many <form> parameters including the metadata passed along to Twilio.Device.connect JavaScript function. Your webhook creates a TwiML response that instructs Twilio to Dial the phone number in the to parameter from the phone number specified in the CallerId which is your Twilio phone number.

To quickly verify if this works and what it looks like, run the server again:

dotnet run -p TwilioBlazorPhonecalls.Server

While the server is running, open a separate shell and run this command, replacing the value for To with your Twilio phone number:

Invoke-WebRequest https://localhost:5003/voice/outgoing -Method Post -Body @{"To" = "+1234567890"}

The response should have an HTTP status code 200, and the response content should look like this:

<?xml version="1.0" encoding="utf-8"?>
<Response>
    <Dial callerId="YOUR_TWILIO_PHONE_NUMBER">
        <Number>+1234567890</Number>
    </Dial>
</Response>

Make the local webhook server publicly accessible using ngrok #

Twilio can’t access your controllers and actions because your server is running on your local network. You can use ngrok to make your server public for testing. Ngrok is a free service that allows you to setup a TCP tunnel from your local machine to their publicly available service.

You run the ngrok CLI tool on your machine and ngrok will tunnel it to a URL which looks similar to https://66a605a7ced5.ngrok.io — with a different subdomain. Every time you start the ngrok tool, the subdomain is different, providing security for your local machine through obfuscation. For a reserved domain and other features, you can upgrade to a paid plan.

Once ngrok has been setup, run this command to make your server accessible to the public:

./ngrok http https://localhost:5003

The output will show the public ngrok URLs. Run your server using a separate shell:

dotnet run -p TwilioBlazorPhonecalls.Server

To quickly verify the ngrok tunnel is working, you can run this PowerShell command again but with the public ngrok URL:

Invoke-WebRequest https://[YOUR_SUBDOMAIN].ngrok.io/voice/outgoing -Method Post -Body @{"To" = "+1234567890"}

The result should be the same as before.

Configure the TwiML application voice webhook #

Now that your server is publicly available using ngrok, you can configure the voice webhook URL on your TwiML application.

Run the following command to update the voice webhook for your TwiML application:

twilio api:core:applications:update --sid=[YOUR_TWIML_APPLICATION_SID] --voice-url=https://[YOUR_SUBDOMAIN].ngrok.io/voice/outgoing --voice-method=POST

Replace [YOUR_TWIML_APPLICATION_SID] with the SID of your TwiML application and change the subdomain of the ngrok URL to your ngrok subdomain.

In addition to setting up a tunnel, the ngrok tool also hosts a local dashboard and API on your machine which have a lot of useful data. By default, this dashboard is hosted at http://127.0.0.1:4040/.

Instead of copying and pasting the webhook URL and updating the voice webhook URL whenever you restart ngrok, you can automate this connection using PowerShell and ngrok’s local API.

Create a PowerShell file UpdateTwilioWebhooks.ps1 and insert the code below:

$ApplicationSid = "YOUR_TWIML_APPLICATION_SID"

# Make sure ngrok is running before running this
$NgrokApi = 'http://127.0.0.1:4040/api'
$TwilioTunnelsObject = (Invoke-WebRequest "$NgrokApi/tunnels").Content | ConvertFrom-Json
$PublicBaseUrl = $TwilioTunnelsObject.tunnels.public_url | Where-Object {$_.StartsWith('https')}

$PublicOutgoingVoiceUrl = "$PublicBaseUrl/voice/outgoing"
twilio api:core:applications:update --sid=$ApplicationSid --voice-url=$PublicOutgoingVoiceUrl --voice-method=POST

Make sure to replace YOUR_TWIML_APPLICATION_SID with your TwiML application SID.

Whenever your ngrok URL changes, you can update the webhook URL by invoking the script like this:

./UpdateTwilioWebhooks.ps1

Test outgoing phone calls #

The entire workflow for outgoing phone calls is developed. Test your application by opening separate shells to run these commands:

  • Run the client using dotnet run -p TwilioBlazorPhonecalls.Client
  • Run the server using dotnet run -p TwilioBlazorPhonecalls.Server
  • Run ngrok to tunnel the server ./ngrok http https://localhost:5003
  • Update the TwiML application voice webhook URL by running UpdateTwilioWebhooks.ps1

Now that everything is running, open a browser and navigate to https://localhost:5001/.
Click the Show phone button on the bottom right, enter a phone number, and click the Call button. You should now be successfully calling the entered phone number.

Implement the incoming phone calls webhook #

You are able to make outgoing phone calls, but still need to implement how to receive phone calls when your Twilio phone number is dialed.

Add an action for incoming voice calls to TwilioBlazorPhonecalls.Server\Controllers\VoiceController.cs:

[HttpPost]
[Route("voice/incoming")]
public TwiMLResult Incoming([FromForm] string from)
{
    logger.LogInformation($"Receiving call from {from}");
    var response = new VoiceResponse();
    var dial = new Dial();
    logger.LogInformation($"Calling blazor_client");
    dial.CallerId = from;
    // client has to match the identity specified in TokenController
    dial.Client("blazor_client"); 
    response.Append(dial);
    return TwiML(response);
}

When your Twilio phone number is called, Twilio will send an HTTP POST request to your webhook with form parameters including the phone number that is initiating the call in the from parameter.

Your webhook creates a TwiML response that instructs Twilio to Dial the blazor_client. This blazor_client string has to match the identity string specified on Token in the TokenController.

When Twilio receives this TwiML, Twilio will call all clients connected using blazor_client as the client name. The first client to pick up will establish a VoIP connection and the Dialer on the other clients will stop ringing.

To quickly verify if this works and see what it looks like, run the server again:

dotnet run -p TwilioBlazorPhonecalls.Server

While the server is running, open a separate shell and run this command:

Invoke-WebRequest https://localhost:5003/voice/incoming -Method Post -Body @{"From" = "+1234567890"}

The response should have an HTTP status code 200, and the response content should look like this:

<?xml version="1.0" encoding="utf-8"?>
<Response>
    <Dial callerId="+1234567890">
        <Client>blazor_client</Client>
    </Dial>
</Response>

Configure the phone number voice webhook #

To handle incoming phone calls you need to configure the voice webhook on your Twilio phone number. Just as before, make sure ngrok is running to tunnel your server:

./ngrok http https://localhost:5003

Take note of the forwarding URL starting with https and use it to configure the webhook with the Twilio CLI:

twilio phone-numbers:update [YOUR_TWILIO_PHONE_NUMBER] --voice-url=https://[YOUR_SUBDOMAIN].ngrok.io/voice/incoming --voice-method=POST

Replace [YOUR_TWILIO_PHONE_NUMBER] with your Twilio phone number and [YOUR_SUBDOMAIN] with your ngrok subdomain.

Alternatively, you can extend UpdateTwilioWebhooks.ps1 to also update the phone number voice webhook URL:

$ApplicationSid = "YOUR_TWIML_APPLICATION_SID"
$TwilioPhonenumber = "YOUR_TWILIO_PHONE_NUMBER"

# Make sure ngrok is running before running this
$NgrokApi = 'http://127.0.0.1:4040/api'
$TwilioTunnelsObject = (Invoke-WebRequest "$NgrokApi/tunnels").Content | ConvertFrom-Json
$PublicBaseUrl = $TwilioTunnelsObject.tunnels.public_url | Where-Object {$_.StartsWith('https')}

$PublicOutgoingVoiceUrl = "$PublicBaseUrl/voice/outgoing"
twilio api:core:applications:update --sid=$ApplicationSid --voice-url=$PublicOutgoingVoiceUrl --voice-method=POST

$PublicIncomingVoiceUrl = "$PublicBaseUrl/voice/incoming"
twilio phone-numbers:update $TwilioPhonenumber --voice-url=$PublicIncomingVoiceUrl --voice-method=POST

Test incoming phone calls #

The entire workflow for incoming phone calls is developed. Test your application by opening separate shells to run these commands:

  • Run the client using dotnet run -p TwilioBlazorPhonecalls.Client
  • Run the server using dotnet run -p TwilioBlazorPhonecalls.Server
  • Run ngrok to tunnel the server ./ngrok http https://localhost:5003
  • Update the webhooks by running UpdateTwilioWebhooks.ps1

Now that everything is running, open a browser and navigate to https://localhost:5001/.
With your real phone, call your Twilio phone number. The Dialer component should start ringing. Click the Show phone button and then click the Accept button. You should now be successfully calling your Blazor WASM application from your phone.

Take pride in your accomplishment and share it with your colleagues! 🙌

Enhancements and security warnings #

This tutorial hardcoded some URLs and IDs. All these hardcoded values should be coming from external configuration. The source code in the GitHub repository for this tutorial uses ASP.NET Core’s configuration APIs to externalize configuration.

Currently, anyone who can access the server can request an authentication token to connect to Twilio. You can split the server into two servers, one for handling authentication tokens and one for handling webhooks. This way you can keep your token server on a private network while still serving your webhooks publicly.

Additionally, you should also add some authentication and authorization logic to the token controller so only authorized users can make and receive phone calls.

Since webhooks always need to be public, anyone could call them and potentially pretend to be Twilio making HTTP calls. To verify the HTTP calls are authentic and originate from Twilio, see Secure your C# / ASP.NET Core app by validating incoming Twilio requests in the Twilio docs.

If your Twilio phone number is called, but no clients are connected, the call will be cancelled abruptly which is confusing to the caller. The client could also be busy taking another call already, or the person could be too busy to pick up. You can specify a webhook URL on the Dial.Action attribute. Twilio sends a request to this webhook when the call has ended. You can use this webhook to send a proper response to the user using TwiML. Read Twilio’s best practices on how to gracefully handle no-answer situations. You can find code to do this in the project here.

You can implement this project using the new .NET 5.0 and C# 9 to take advantage of the latest improvements in the framework and language. There’s a complete version of the project with some of these features in the dotnet-5 branch of the companion repository.

Summary #

In this tutorial you learned how to:

  • Use the Twilio CLI to buy phone numbers, create TwiML applications, and update webhook URLs
  • Create a ASP.NET Core controller to generate Twilio authentication tokens
  • Call JavaScript functions from .NET in Blazor WASM
  • Call .NET functions from JavaScript in Blazor WASM
  • Use Twilio Client JS SDK to make and receive phone calls from the browser
  • Route incoming and outgoing phone calls using TwiML and webhooks
  • Make your local server publicly available using ngrok

You also got a few tips for turning this demo code into a secure production application.

Additional resources #

Check out the following resources for more information on the topics and tools presented in this tutorial:

Communicating between .NET and JavaScript in Blazor with in-browser samples – This article walks you through JavaScript interop with live samples in the browser.

Call JavaScript functions from .NET methods in ASP.NET Core Blazor – This .NET documentation explains how to call JavaScript functions from .NET in Blazor.

Call .NET methods from JavaScript functions in ASP.NET Core Blazor – This .NET documentation explains how to call .NET methods from JavaScript in Blazor.

Twilio API: Access Tokens – This documentation guides you through generating access tokens granting access to voice, chat, and video functionality in Twilio.

Browser Calls with C# and ASP.NET MVC – This tutorial shows you how to make an ASP.NET MVC app to make voice calls from the browser

Related Posts

Related Posts

Blazor logo

Pushing UI changes from Blazor Server to browser on server raised events

- .NET
Blazor Server is built on SignalR, and SignalR is built on websockets among other techniques. The combination of these technologies allow Blazor Server to push UI changes into the client without the client requesting those changes.
How to deploy ASP.NET Blazor WebAssembly to Azure Static Web Apps. Blazor logo pointing to a GitHub logo pointing to an Azure logo.

How to deploy Blazor WASM & Azure Functions to Azure Static Web Apps using GitHub

- .NET
With ASP.NET Blazor WebAssembly you can create .NET applications that run inside of the browser . The output of a Blazor WASM project are all static files. You can deploy these applications to static site hosts, such as Azure Static Web Apps and GitHub Pages.
ASP.NET Blazor Logo

How to run code after Blazor component has rendered

- .NET
Blazor components render their template whenever state has changed and sometimes you need to invoke some code after rendering has completed. This blog post will show you how to run code after your Blazor component has rendered, on every render or as needed.
Blazor logo next to JavaScript logo

Communicating between .NET and JavaScript in Blazor with in-browser samples

- .NET
The success of Blazor relies heavily upon how well it can integrate with the existing rich JavaScript ecosystem. The way Blazor allows you to integrate, is by enabling you to call JavaScript functions from Blazor and .NET functions from JavaScript also referred to as 'JavaScript interoperability'.
Blazor and GitHub logo

How to deploy ASP.NET Blazor WebAssembly to GitHub Pages

- .NET
With ASP.NET Blazor WebAssembly you can create .NET applications that run completely inside of the browser. The output of a Blazor WASM project are all static files. You can deploy these applications to various static site hosts like GitHub Pages.