Call Forwarding with C# and ASP.NET MVC

January 10, 2017
Written by
Hector Ortega
Contributor
Opinions expressed by Twilio contributors are their own
Reviewed by
Paul Kamp
Twilion
Kat King
Twilion

Call_Forward_Landing

This ASP.NET application uses Twilio to connect incoming phone calls to other phone numbers based on where the caller lives.  When a user dials in, we look up some information based upon their assumed location and trigger actions inside our application.

Your business might use this functionality to automatically route your customers to a regional office or to direct callers to a survey after their interaction with customer service. Our sample application connects callers to the offices of their U.S. senators.

Communication can be a powerful force for change. We’ve seen civic engagement rise as tools for civic engagement become increasingly available to an internet-connected and mobile society. In November of 2016, Emily Ellsworth shared some tips and tricks for getting your Congressperson’s attention with one big takeaway: calling works.

To run this sample app yourself, download the code and follow the README instructions on Github.

Let’s get started!

Configure your Twilio Application

For this application, we’ll be using the Twilio C# Helper Library to help us interact with the Twilio API. Our first step is to set up a Twilio account and the ASP.NET application itself.

You’ll need to get a voice-capable Twilio phone number if you don’t already have one.

We’ve provided a sample set of data that can be loaded into your local database for testing and development. In our dataset, we’ve mapped states to senators, and we’ve mapped the senators to a few Twilio phone numbers for testing rather than actual senator phone numbers. Please note: this data set will likely be out of date by the time you use it, so we recommend you roll your own if you want to get the application production-ready.

This is a migrated tutorial. Clone the original code from https://github.com/TwilioDevEd/call-forwarding-csharp/

namespace CallForwarding.Web.Migrations
{
    using System;
    using System.Data.Entity;
    using System.Data.Entity.Migrations;
    using System.Linq;
    using Models;
    using Microsoft.VisualBasic.FileIO;
    using System.Reflection;
    using System.Web;
    using System.Web.Hosting;
    using System.IO;
    using System.Collections.Generic;
    using Newtonsoft.Json.Linq;

    internal sealed class Configuration : DbMigrationsConfiguration<CallForwardingContext>
    {
        public Configuration()
        {
            AutomaticMigrationsEnabled = false;
        }        

        protected override void Seed(CallForwardingContext context)
        {
            ParseAndSaveZipcodes(context);
            ParseAndSaveStatesAndSenators(context);
        }

        private void ParseAndSaveStatesAndSenators(CallForwardingContext context)
        {
            string resourceName = MapPath("senators.json");
            var senatorsFileContent = File.ReadAllText(resourceName);

            var json = JObject.Parse(senatorsFileContent);

            var stateList = json["states"].Children().ToList();
            foreach (JToken stateJson in stateList)
            {

                var stateString = stateJson.ToString();
                var stateObject = new State() { name = stateString };
                context.States.AddOrUpdate(stateObject);
                if (json[stateString] == null)
                    continue;

                var senators = json[stateString].ToArray();
                foreach (JToken senatorJson in senators)
                {
                    context.Senators.AddOrUpdate(new Senator()
                    {
                        Name = senatorJson["name"].ToString(),
                        Phone = senatorJson["phone"].ToString(),
                        State = stateObject
                    });

                }
                context.SaveChanges();
            }
        }

        private void ParseAndSaveZipcodes(CallForwardingContext context)
        {
            string resourceName = MapPath("free-zipcode-database.csv");
            using (var parser = new TextFieldParser(resourceName))
            {
                parser.TextFieldType = FieldType.Delimited;
                parser.SetDelimiters(",");

                var zipcodes = new List<Zipcode>();
                while (!parser.EndOfData)
                {
                    string[] fields = parser.ReadFields();
                    int zipcodeNumber;
                    bool isNumeric = int.TryParse(fields[0], out zipcodeNumber);
                    if (isNumeric)
                    {
                        zipcodes.Add(new Zipcode()
                        {
                            State = fields[3],
                            ZipcodeNumber = zipcodeNumber
                        });

                        if (zipcodes.Count > 1000)
                        {

                            SaveRange(context, zipcodes);
                            zipcodes = new List<Zipcode>();
                        }
                    }

                }
                SaveRange(context, zipcodes);
            }
        }

        private string MapPath(string seedFile)
        {
            if (HttpContext.Current != null)
                return HostingEnvironment.MapPath(seedFile);

            var absolutePath = new Uri(Assembly.GetExecutingAssembly().CodeBase).AbsolutePath;
            var directoryName = Path.GetDirectoryName(absolutePath);

            var path = Path.Combine(directoryName, "..\\Resources\\" + seedFile.TrimStart('~').Replace('/', '\\'));

            return path;
        }

        private void SaveRange(CallForwardingContext context, List<Zipcode> zipcodes)
        {
            context.Zipcodes.AddRange(zipcodes);
            context.SaveChanges();
        }
    }
}

The last piece of the configuration puzzle is to create a webhook endpoint for our application to accept inbound calls. Once your database is configured and your app is up and running, go to the Twilio phone number you wish to use and configure the Voice URL to point to your application. In our sample code, the route is /callcongress/welcome.

Twilio webhook configuration

We recommend using ngrok to expose your local development environment to Twilio.

Handle the Inbound Twilio Request

Our Twilio number is now configured to send HTTP requests to the /callcongress/welcome endpoint on all incoming voice calls. This Twilio request arrives with some useful parameters. For our use case, we’re most concerned with fromState, as it will help us make a best guess at our caller’s state of residence.

using CallForwarding.Web.Models;
using CallForwarding.Web.Models.Repository;
using System.Linq;
using System.Web.Mvc;
using Twilio.AspNet.Mvc;
using Twilio.TwiML;

namespace CallForwarding.Web.Controllers
{
    public class CallCongressController : TwilioController
    {
        private readonly IRepository<Zipcode> _zipcodesRepository;
        private readonly IRepository<State> _statesRepository;
        private readonly IRepository<Senator> _senatorsRepository;

        public CallCongressController()
        {
            _zipcodesRepository = new ZipcodesRepository();
            _statesRepository = new StatesRepository();
            _senatorsRepository = new SenatorsRepository();
        }

        public CallCongressController(
            IRepository<Zipcode> zipcodesRepository,
            IRepository<Senator> senatorsRepository,
            IRepository<State> statesRepository)
        {
            _zipcodesRepository = zipcodesRepository;
            _statesRepository = statesRepository;
            _senatorsRepository = senatorsRepository;
        }

        // Verify or collect State information.
        [HttpPost]
        public ActionResult Welcome(string fromState)
        {
            var voiceResponse = new VoiceResponse();
            if (!string.IsNullOrEmpty(fromState))
            {
                voiceResponse.Say("Thank you for calling congress! It looks like " + 
                                  $"you\'re calling from {fromState}. " +
                                  "If this is correct, please press 1. Press 2 if " +
                                  "this is not your current state of residence.");
                voiceResponse.Gather(numDigits: 1, action: "/callcongress/setstate", method: "POST");
            }
            else
            {
                voiceResponse.Say("Thank you for calling Call Congress! If you wish to " +
                                "call your senators, please enter your 5 - digit zip code.");
                voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");
            }
            return TwiML(voiceResponse);
        }

        // If our state guess is wrong, prompt user for zip code.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CollectZip()
        {
            var voiceResponse = new VoiceResponse();

            voiceResponse.Say("If you wish to call your senators, please " +
                    "enter your 5-digit zip code.");
            voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");

            return TwiML(voiceResponse);
        }

        // Look up state from given zipcode.
        // Once state is found, redirect to call_senators for forwarding.
        [AcceptVerbs("GET", "POST")]
        public ActionResult StateLookup(int digits)
        {
            // NB: We don't do any error handling for a missing/erroneous zip code
            // in this sample application. You, gentle reader, should to handle that
            // edge case before deploying this code.
            Zipcode zipcodeObject = _zipcodesRepository.FirstOrDefault(z => z.ZipcodeNumber == digits);

            return RedirectToAction("CallSenators", new { callerState = zipcodeObject.State });
        }


        // Set state for senator call list.
        // Set user's state from confirmation or user-provided Zip.
        // Redirect to call_senators route.
        [AcceptVerbs("GET", "POST")]
        public ActionResult SetState(string digits, string callerState)
        {
            if (digits.Equals("1"))
            {
                return RedirectToAction("CallSenators", new { callerState = callerState });
            }
            else
            {
                return RedirectToAction("CollectZip");
            }
        }

        // Route for connecting caller to both of their senators.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSenators(string callerState)
        {
            var senators = _statesRepository
                .FirstOrDefault(s => s.name == callerState)
                .Senators.ToList();

            var voiceResponse = new VoiceResponse();
            var firstCall = senators[0];
            var secondCall = senators[1];
            var sayMessage = $"Connecting you to {firstCall.Name}. " +
                             "After the senator's office ends the call, you will " +
                             $"be re-directed to {secondCall.Name}.";

            voiceResponse.Say(sayMessage);
            voiceResponse.Dial(number: firstCall.Phone,
                action: "/callcongress/callsecondsenator/" + secondCall.Id);

            return TwiML(voiceResponse);
        }

        // Forward the caller to their second senator.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSecondSenator(int id)
        {
            var senator = _senatorsRepository.Find(id);

            var voiceResponse = new VoiceResponse();
            voiceResponse.Say($"Connecting you to {senator.Name}.");
            voiceResponse.Dial(number: senator.Phone, action: "/callcongress/goodbye");

            return TwiML(voiceResponse);
        }

        // Thank user & hang up.
        [AcceptVerbs("GET", "POST")]
        public ActionResult Goodbye()
        {
            var voiceResponse = new VoiceResponse();
            voiceResponse.Say("Thank you for using Call Congress! " +
                "Your voice makes a difference. Goodbye.");
            voiceResponse.Hangup();

            return TwiML(voiceResponse);
        }
    }
}

In order to welcome our caller and properly direct them to their senators’ offices, we need to build out a response with TwiML.

Build the TwiML Response

Since the fromState parameter comes from the user’s phone rather than their actual geolocation, we want to make sure that we direct the caller to their state of residence. Let’s break down how we build out a response that both welcomes the caller and asks for confirmation of their state of residence.

using CallForwarding.Web.Models;
using CallForwarding.Web.Models.Repository;
using System.Linq;
using System.Web.Mvc;
using Twilio.AspNet.Mvc;
using Twilio.TwiML;

namespace CallForwarding.Web.Controllers
{
    public class CallCongressController : TwilioController
    {
        private readonly IRepository<Zipcode> _zipcodesRepository;
        private readonly IRepository<State> _statesRepository;
        private readonly IRepository<Senator> _senatorsRepository;

        public CallCongressController()
        {
            _zipcodesRepository = new ZipcodesRepository();
            _statesRepository = new StatesRepository();
            _senatorsRepository = new SenatorsRepository();
        }

        public CallCongressController(
            IRepository<Zipcode> zipcodesRepository,
            IRepository<Senator> senatorsRepository,
            IRepository<State> statesRepository)
        {
            _zipcodesRepository = zipcodesRepository;
            _statesRepository = statesRepository;
            _senatorsRepository = senatorsRepository;
        }

        // Verify or collect State information.
        [HttpPost]
        public ActionResult Welcome(string fromState)
        {
            var voiceResponse = new VoiceResponse();
            if (!string.IsNullOrEmpty(fromState))
            {
                voiceResponse.Say("Thank you for calling congress! It looks like " + 
                                  $"you\'re calling from {fromState}. " +
                                  "If this is correct, please press 1. Press 2 if " +
                                  "this is not your current state of residence.");
                voiceResponse.Gather(numDigits: 1, action: "/callcongress/setstate", method: "POST");
            }
            else
            {
                voiceResponse.Say("Thank you for calling Call Congress! If you wish to " +
                                "call your senators, please enter your 5 - digit zip code.");
                voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");
            }
            return TwiML(voiceResponse);
        }

        // If our state guess is wrong, prompt user for zip code.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CollectZip()
        {
            var voiceResponse = new VoiceResponse();

            voiceResponse.Say("If you wish to call your senators, please " +
                    "enter your 5-digit zip code.");
            voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");

            return TwiML(voiceResponse);
        }

        // Look up state from given zipcode.
        // Once state is found, redirect to call_senators for forwarding.
        [AcceptVerbs("GET", "POST")]
        public ActionResult StateLookup(int digits)
        {
            // NB: We don't do any error handling for a missing/erroneous zip code
            // in this sample application. You, gentle reader, should to handle that
            // edge case before deploying this code.
            Zipcode zipcodeObject = _zipcodesRepository.FirstOrDefault(z => z.ZipcodeNumber == digits);

            return RedirectToAction("CallSenators", new { callerState = zipcodeObject.State });
        }


        // Set state for senator call list.
        // Set user's state from confirmation or user-provided Zip.
        // Redirect to call_senators route.
        [AcceptVerbs("GET", "POST")]
        public ActionResult SetState(string digits, string callerState)
        {
            if (digits.Equals("1"))
            {
                return RedirectToAction("CallSenators", new { callerState = callerState });
            }
            else
            {
                return RedirectToAction("CollectZip");
            }
        }

        // Route for connecting caller to both of their senators.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSenators(string callerState)
        {
            var senators = _statesRepository
                .FirstOrDefault(s => s.name == callerState)
                .Senators.ToList();

            var voiceResponse = new VoiceResponse();
            var firstCall = senators[0];
            var secondCall = senators[1];
            var sayMessage = $"Connecting you to {firstCall.Name}. " +
                             "After the senator's office ends the call, you will " +
                             $"be re-directed to {secondCall.Name}.";

            voiceResponse.Say(sayMessage);
            voiceResponse.Dial(number: firstCall.Phone,
                action: "/callcongress/callsecondsenator/" + secondCall.Id);

            return TwiML(voiceResponse);
        }

        // Forward the caller to their second senator.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSecondSenator(int id)
        {
            var senator = _senatorsRepository.Find(id);

            var voiceResponse = new VoiceResponse();
            voiceResponse.Say($"Connecting you to {senator.Name}.");
            voiceResponse.Dial(number: senator.Phone, action: "/callcongress/goodbye");

            return TwiML(voiceResponse);
        }

        // Thank user & hang up.
        [AcceptVerbs("GET", "POST")]
        public ActionResult Goodbye()
        {
            var voiceResponse = new VoiceResponse();
            voiceResponse.Say("Thank you for using Call Congress! " +
                "Your voice makes a difference. Goodbye.");
            voiceResponse.Hangup();

            return TwiML(voiceResponse);
        }
    }
}

We’ll start our TwiML response by reading a welcome message to the caller with <Say>. Then we use <Gather> to ask the user to confirm their state of residence by pressing 1 or 2.

Once Twilio gathers this information, it will POST the caller’s input to our route specified on the action parameter so that we can better route the user through our application.

Handle a Missing State

If for some reason the inbound request to Twilio doesn’t contain a fromState value, we need to get a little more information from the caller before we proceed.

using CallForwarding.Web.Models;
using CallForwarding.Web.Models.Repository;
using System.Linq;
using System.Web.Mvc;
using Twilio.AspNet.Mvc;
using Twilio.TwiML;

namespace CallForwarding.Web.Controllers
{
    public class CallCongressController : TwilioController
    {
        private readonly IRepository<Zipcode> _zipcodesRepository;
        private readonly IRepository<State> _statesRepository;
        private readonly IRepository<Senator> _senatorsRepository;

        public CallCongressController()
        {
            _zipcodesRepository = new ZipcodesRepository();
            _statesRepository = new StatesRepository();
            _senatorsRepository = new SenatorsRepository();
        }

        public CallCongressController(
            IRepository<Zipcode> zipcodesRepository,
            IRepository<Senator> senatorsRepository,
            IRepository<State> statesRepository)
        {
            _zipcodesRepository = zipcodesRepository;
            _statesRepository = statesRepository;
            _senatorsRepository = senatorsRepository;
        }

        // Verify or collect State information.
        [HttpPost]
        public ActionResult Welcome(string fromState)
        {
            var voiceResponse = new VoiceResponse();
            if (!string.IsNullOrEmpty(fromState))
            {
                voiceResponse.Say("Thank you for calling congress! It looks like " + 
                                  $"you\'re calling from {fromState}. " +
                                  "If this is correct, please press 1. Press 2 if " +
                                  "this is not your current state of residence.");
                voiceResponse.Gather(numDigits: 1, action: "/callcongress/setstate", method: "POST");
            }
            else
            {
                voiceResponse.Say("Thank you for calling Call Congress! If you wish to " +
                                "call your senators, please enter your 5 - digit zip code.");
                voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");
            }
            return TwiML(voiceResponse);
        }

        // If our state guess is wrong, prompt user for zip code.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CollectZip()
        {
            var voiceResponse = new VoiceResponse();

            voiceResponse.Say("If you wish to call your senators, please " +
                    "enter your 5-digit zip code.");
            voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");

            return TwiML(voiceResponse);
        }

        // Look up state from given zipcode.
        // Once state is found, redirect to call_senators for forwarding.
        [AcceptVerbs("GET", "POST")]
        public ActionResult StateLookup(int digits)
        {
            // NB: We don't do any error handling for a missing/erroneous zip code
            // in this sample application. You, gentle reader, should to handle that
            // edge case before deploying this code.
            Zipcode zipcodeObject = _zipcodesRepository.FirstOrDefault(z => z.ZipcodeNumber == digits);

            return RedirectToAction("CallSenators", new { callerState = zipcodeObject.State });
        }


        // Set state for senator call list.
        // Set user's state from confirmation or user-provided Zip.
        // Redirect to call_senators route.
        [AcceptVerbs("GET", "POST")]
        public ActionResult SetState(string digits, string callerState)
        {
            if (digits.Equals("1"))
            {
                return RedirectToAction("CallSenators", new { callerState = callerState });
            }
            else
            {
                return RedirectToAction("CollectZip");
            }
        }

        // Route for connecting caller to both of their senators.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSenators(string callerState)
        {
            var senators = _statesRepository
                .FirstOrDefault(s => s.name == callerState)
                .Senators.ToList();

            var voiceResponse = new VoiceResponse();
            var firstCall = senators[0];
            var secondCall = senators[1];
            var sayMessage = $"Connecting you to {firstCall.Name}. " +
                             "After the senator's office ends the call, you will " +
                             $"be re-directed to {secondCall.Name}.";

            voiceResponse.Say(sayMessage);
            voiceResponse.Dial(number: firstCall.Phone,
                action: "/callcongress/callsecondsenator/" + secondCall.Id);

            return TwiML(voiceResponse);
        }

        // Forward the caller to their second senator.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSecondSenator(int id)
        {
            var senator = _senatorsRepository.Find(id);

            var voiceResponse = new VoiceResponse();
            voiceResponse.Say($"Connecting you to {senator.Name}.");
            voiceResponse.Dial(number: senator.Phone, action: "/callcongress/goodbye");

            return TwiML(voiceResponse);
        }

        // Thank user & hang up.
        [AcceptVerbs("GET", "POST")]
        public ActionResult Goodbye()
        {
            var voiceResponse = new VoiceResponse();
            voiceResponse.Say("Thank you for using Call Congress! " +
                "Your voice makes a difference. Goodbye.");
            voiceResponse.Hangup();

            return TwiML(voiceResponse);
        }
    }
}

This code should look familiar to you. If we don’t detect a fromState we utilize <Gather> as we <Say> a message that asks for the caller’s zip code. This time we accept 5 digits (the length of a zip code) and trigger a state lookup by zip code.

Connect the Caller to their First Senator

Now that we know our caller’s state of residence, we can look up their senators and forward the call to the appropriate phone number.

Similar to the previous route, we <Say> a brief message to tell the caller that they’re being connected to a senator. Then, we <Dial> the first senator, making sure to add an action that will route the caller back to our application when the first call ends.

using CallForwarding.Web.Models;
using CallForwarding.Web.Models.Repository;
using System.Linq;
using System.Web.Mvc;
using Twilio.AspNet.Mvc;
using Twilio.TwiML;

namespace CallForwarding.Web.Controllers
{
    public class CallCongressController : TwilioController
    {
        private readonly IRepository<Zipcode> _zipcodesRepository;
        private readonly IRepository<State> _statesRepository;
        private readonly IRepository<Senator> _senatorsRepository;

        public CallCongressController()
        {
            _zipcodesRepository = new ZipcodesRepository();
            _statesRepository = new StatesRepository();
            _senatorsRepository = new SenatorsRepository();
        }

        public CallCongressController(
            IRepository<Zipcode> zipcodesRepository,
            IRepository<Senator> senatorsRepository,
            IRepository<State> statesRepository)
        {
            _zipcodesRepository = zipcodesRepository;
            _statesRepository = statesRepository;
            _senatorsRepository = senatorsRepository;
        }

        // Verify or collect State information.
        [HttpPost]
        public ActionResult Welcome(string fromState)
        {
            var voiceResponse = new VoiceResponse();
            if (!string.IsNullOrEmpty(fromState))
            {
                voiceResponse.Say("Thank you for calling congress! It looks like " + 
                                  $"you\'re calling from {fromState}. " +
                                  "If this is correct, please press 1. Press 2 if " +
                                  "this is not your current state of residence.");
                voiceResponse.Gather(numDigits: 1, action: "/callcongress/setstate", method: "POST");
            }
            else
            {
                voiceResponse.Say("Thank you for calling Call Congress! If you wish to " +
                                "call your senators, please enter your 5 - digit zip code.");
                voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");
            }
            return TwiML(voiceResponse);
        }

        // If our state guess is wrong, prompt user for zip code.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CollectZip()
        {
            var voiceResponse = new VoiceResponse();

            voiceResponse.Say("If you wish to call your senators, please " +
                    "enter your 5-digit zip code.");
            voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");

            return TwiML(voiceResponse);
        }

        // Look up state from given zipcode.
        // Once state is found, redirect to call_senators for forwarding.
        [AcceptVerbs("GET", "POST")]
        public ActionResult StateLookup(int digits)
        {
            // NB: We don't do any error handling for a missing/erroneous zip code
            // in this sample application. You, gentle reader, should to handle that
            // edge case before deploying this code.
            Zipcode zipcodeObject = _zipcodesRepository.FirstOrDefault(z => z.ZipcodeNumber == digits);

            return RedirectToAction("CallSenators", new { callerState = zipcodeObject.State });
        }


        // Set state for senator call list.
        // Set user's state from confirmation or user-provided Zip.
        // Redirect to call_senators route.
        [AcceptVerbs("GET", "POST")]
        public ActionResult SetState(string digits, string callerState)
        {
            if (digits.Equals("1"))
            {
                return RedirectToAction("CallSenators", new { callerState = callerState });
            }
            else
            {
                return RedirectToAction("CollectZip");
            }
        }

        // Route for connecting caller to both of their senators.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSenators(string callerState)
        {
            var senators = _statesRepository
                .FirstOrDefault(s => s.name == callerState)
                .Senators.ToList();

            var voiceResponse = new VoiceResponse();
            var firstCall = senators[0];
            var secondCall = senators[1];
            var sayMessage = $"Connecting you to {firstCall.Name}. " +
                             "After the senator's office ends the call, you will " +
                             $"be re-directed to {secondCall.Name}.";

            voiceResponse.Say(sayMessage);
            voiceResponse.Dial(number: firstCall.Phone,
                action: "/callcongress/callsecondsenator/" + secondCall.Id);

            return TwiML(voiceResponse);
        }

        // Forward the caller to their second senator.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSecondSenator(int id)
        {
            var senator = _senatorsRepository.Find(id);

            var voiceResponse = new VoiceResponse();
            voiceResponse.Say($"Connecting you to {senator.Name}.");
            voiceResponse.Dial(number: senator.Phone, action: "/callcongress/goodbye");

            return TwiML(voiceResponse);
        }

        // Thank user & hang up.
        [AcceptVerbs("GET", "POST")]
        public ActionResult Goodbye()
        {
            var voiceResponse = new VoiceResponse();
            voiceResponse.Say("Thank you for using Call Congress! " +
                "Your voice makes a difference. Goodbye.");
            voiceResponse.Hangup();

            return TwiML(voiceResponse);
        }
    }
}

The action attribute is great for redirecting a call in progress and is the backbone of our call forwarding use case.

However, it’s important to note that the action will only execute after the dialed party (in our case, the caller’s senator) ends the call. Twilio will continue to forward the original caller but they must stay on the line throughout the entire process.

Forward to the Next Senator and End the Call

Once the first senator ends the call with our user, the caller is forwarded to their second state senator. Just as we did in the previous route, we’ll include an action attribute that redirects the caller to a final bit of TwiML.

using CallForwarding.Web.Models;
using CallForwarding.Web.Models.Repository;
using System.Linq;
using System.Web.Mvc;
using Twilio.AspNet.Mvc;
using Twilio.TwiML;

namespace CallForwarding.Web.Controllers
{
    public class CallCongressController : TwilioController
    {
        private readonly IRepository<Zipcode> _zipcodesRepository;
        private readonly IRepository<State> _statesRepository;
        private readonly IRepository<Senator> _senatorsRepository;

        public CallCongressController()
        {
            _zipcodesRepository = new ZipcodesRepository();
            _statesRepository = new StatesRepository();
            _senatorsRepository = new SenatorsRepository();
        }

        public CallCongressController(
            IRepository<Zipcode> zipcodesRepository,
            IRepository<Senator> senatorsRepository,
            IRepository<State> statesRepository)
        {
            _zipcodesRepository = zipcodesRepository;
            _statesRepository = statesRepository;
            _senatorsRepository = senatorsRepository;
        }

        // Verify or collect State information.
        [HttpPost]
        public ActionResult Welcome(string fromState)
        {
            var voiceResponse = new VoiceResponse();
            if (!string.IsNullOrEmpty(fromState))
            {
                voiceResponse.Say("Thank you for calling congress! It looks like " + 
                                  $"you\'re calling from {fromState}. " +
                                  "If this is correct, please press 1. Press 2 if " +
                                  "this is not your current state of residence.");
                voiceResponse.Gather(numDigits: 1, action: "/callcongress/setstate", method: "POST");
            }
            else
            {
                voiceResponse.Say("Thank you for calling Call Congress! If you wish to " +
                                "call your senators, please enter your 5 - digit zip code.");
                voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");
            }
            return TwiML(voiceResponse);
        }

        // If our state guess is wrong, prompt user for zip code.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CollectZip()
        {
            var voiceResponse = new VoiceResponse();

            voiceResponse.Say("If you wish to call your senators, please " +
                    "enter your 5-digit zip code.");
            voiceResponse.Gather(numDigits: 5, action: "/callcongress/statelookup", method: "POST");

            return TwiML(voiceResponse);
        }

        // Look up state from given zipcode.
        // Once state is found, redirect to call_senators for forwarding.
        [AcceptVerbs("GET", "POST")]
        public ActionResult StateLookup(int digits)
        {
            // NB: We don't do any error handling for a missing/erroneous zip code
            // in this sample application. You, gentle reader, should to handle that
            // edge case before deploying this code.
            Zipcode zipcodeObject = _zipcodesRepository.FirstOrDefault(z => z.ZipcodeNumber == digits);

            return RedirectToAction("CallSenators", new { callerState = zipcodeObject.State });
        }


        // Set state for senator call list.
        // Set user's state from confirmation or user-provided Zip.
        // Redirect to call_senators route.
        [AcceptVerbs("GET", "POST")]
        public ActionResult SetState(string digits, string callerState)
        {
            if (digits.Equals("1"))
            {
                return RedirectToAction("CallSenators", new { callerState = callerState });
            }
            else
            {
                return RedirectToAction("CollectZip");
            }
        }

        // Route for connecting caller to both of their senators.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSenators(string callerState)
        {
            var senators = _statesRepository
                .FirstOrDefault(s => s.name == callerState)
                .Senators.ToList();

            var voiceResponse = new VoiceResponse();
            var firstCall = senators[0];
            var secondCall = senators[1];
            var sayMessage = $"Connecting you to {firstCall.Name}. " +
                             "After the senator's office ends the call, you will " +
                             $"be re-directed to {secondCall.Name}.";

            voiceResponse.Say(sayMessage);
            voiceResponse.Dial(number: firstCall.Phone,
                action: "/callcongress/callsecondsenator/" + secondCall.Id);

            return TwiML(voiceResponse);
        }

        // Forward the caller to their second senator.
        [AcceptVerbs("GET", "POST")]
        public ActionResult CallSecondSenator(int id)
        {
            var senator = _senatorsRepository.Find(id);

            var voiceResponse = new VoiceResponse();
            voiceResponse.Say($"Connecting you to {senator.Name}.");
            voiceResponse.Dial(number: senator.Phone, action: "/callcongress/goodbye");

            return TwiML(voiceResponse);
        }

        // Thank user & hang up.
        [AcceptVerbs("GET", "POST")]
        public ActionResult Goodbye()
        {
            var voiceResponse = new VoiceResponse();
            voiceResponse.Say("Thank you for using Call Congress! " +
                "Your voice makes a difference. Goodbye.");
            voiceResponse.Hangup();

            return TwiML(voiceResponse);
        }
    }
}

Once the call with the second senator ends our user will hear a short message thanking them for their call. We then end the call with <Hangup>.

Where to Next?

That’s it! You should be able to start your development server with ngrok, dial your Twilio number, and be routed to your senators!

But wait… this isn’t actually your senator’s phone number, remember? We seeded our sample application’s database with some placeholder phone numbers with lightweight TwiML endpoints, so there’s still some work to be done to flesh out this application before it’s production-ready.

If your production case matches our demo's, ProPublica’s API grants access to a wealth of government data, including senators’ states and phone numbers. You may find yourself inspired to build out even more functionality for your civically engaged users. 

Interested in building something even bigger? See how twilio.org is helping people use messaging, voice, and video to advance their causes by connecting people and resources around the world.

Whatever your use case, we hope you feel empowered to use what you've learned here to seamlessly forward your users' calls.

You might also enjoy these other tutorials:

Click to Call with C# and ASP.NET MVC

Convert web traffic into phone calls with the click of a button.

Warm Transfers with C# and ASP.NET MVC

Use Twilio powered warm transfers to help your agents dial in others in real time.

Did this help?

Thanks for checking out this tutorial. If you have any feedback to share with us, please reach out to us on Twitter and let us know what you’re building!