You know how to receive and reply to incoming SMS messages. What if you receive an MMS message containing an image you'd like to download? Let's learn how we can grab that image and any other incoming MMS media using C#.
When Twilio receives a message for your phone number, it can make an HTTP call to a webhook that you create. The easiest way to handle HTTP requests in .NET is to use ASP.NET MVC. You may have an existing ASP.NET MVC project already, or you can create a new, blank project. Just be sure to include the MVC references when going through the project wizard. If you need help creating a new ASP.NET MVC project, check out our mini-guide on the topic.
Twilio expects, at the very least, for your webhook to return a 200 OK
response if everything is peachy. Often, however, you will return some TwiML in your response as well. TwiML is just a set of XML commands telling Twilio how you'd like it to respond to your message. Rather than manually generating the XML, we'll use the Twilio.AspNet.Mvc
helper library to facilitate generating TwiML and the rest of the webhook plumbing.
To install the library, open up the Package Manager Console and run the following command:
Install Twilio.AspNet.Mvc Package
Add a new controller called MmsController (again, check out our mini-guide if you are unsure of how to do this). We'll have this class inherit from TwilioController to give us a little easier syntax for returning TwiML. Here's a controller that receives a message and sends a "hello world" reply message.
1using System.Web.Mvc;2using Twilio.AspNet.Mvc;3using Twilio.TwiML;4using Twilio.TwiML.Mvc;56namespace DownloadMmsImages.Controllers7{8public class MmsController : TwilioController9{10[HttpPost]11public TwiMLResult Index(SmsRequest request)12{13var response = new TwilioResponse();14response.Message("Hello world!");15return TwiML(response);16}17}18}
When Twilio calls your webhook, it sends a number of parameters about the message you just received. Most of these, such as the To phone number, the From phone number, and the Body of the message are available as properties of the request parameter to our action method (type SmsRequest). However, one parameter it doesn't have is NumMedia. Thankfully, we can have ASP.NET MVC map this parameter for us by adding it to our action method's signature like so:
public TwiMLResult Index(SmsRequest request, int numMedia)
Since an MMS message can have multiple attachments, Twilio will send us form variables named MediaUrlX
, where X is a zero-based index. So, for example, the URL for the first media attachment will be in the MediaUrl0
parameter, the second in MediaUrl1
, and so on.
In order to handle a dynamic number of attachments, we pull the URLs out of the ASP.NET Request.Form
collection like this:
1for (var i = 0; i < numMedia; i++)2{3var mediaUrl = Request.Form[$"MediaUrl{i}"];4}
Attachments to MMS messages can be of many different file types. JPG and GIF images as well as MP4 and 3GP files are all common. Twilio handles the determination of the file type for you and you can get the standard mime type from the MediaContentTypeX
parameter. If you are expecting photos, then you will likely see a lot of attachments with the mime type of image/jpeg
.
1for (var i = 0; i < numMedia; i++)2{3var mediaUrl = Request.Form[$"MediaUrl{i}"];4var contentType = Request.Form[$"MediaContentType{i}"];5}
Depending on your use case, storing the URLs to the images (or videos or whatever) may be all you need. There's two key features to these URLs that make them very pliable for your use in your apps:
For example, if you are building a browser-based app that needs to display the images, all you need to do is drop an <img src="twilio url to your image">
tag into the page. If this works for you, then perhaps all you need is to store the URL in a database character field.
If you want to save the media attachments to a file, then you will need to make an HTTP request to the media URL and write the response stream to a file. If you need a unique filename, you can use the last part of the media URL. For example, suppose your media URL is the following:
https://api.twilio.com/2010-04-01/Accounts/ACxxxx/Messages/MMxxxx/Media/ME27be8a708784242c0daee207ff73db67
You can use that last part of the URL as a unique filename. Figuring out a good extension to use is a little trickier. If you are only expecting images, you could just assume a ".jpg" extension. For a little more flexibility, you can look up the mime type and determine a good extension to use based on that.
Here's the complete code for our controller that saves each MMS attachment to the App_Data folder:
1using System.Diagnostics;2using System.IO;3using System.Net.Http;4using System.Threading.Tasks;5using System.Web.Mvc;6using Microsoft.Win32;7using Twilio.AspNet.Common;8using Twilio.AspNet.Mvc;9using Twilio.TwiML;10using Task = System.Threading.Tasks.Task;1112namespace DownloadMmsImages.Controllers13{14public class MmsController : TwilioController15{16private const string SavePath = "~/App_Data/";1718[HttpPost]19public async Task<TwiMLResult> Index(SmsRequest request, int numMedia)20{21for (var i = 0; i < numMedia; i++)22{23var mediaUrl = Request.Form[$"MediaUrl{i}"];24Trace.WriteLine(mediaUrl);25var contentType = Request.Form[$"MediaContentType{i}"];2627var filePath = GetMediaFileName(mediaUrl, contentType);28await DownloadUrlToFileAsync(mediaUrl, filePath);29}3031var response = new MessagingResponse();32var body = numMedia == 0 ? "Send us an image!" :33$"Thanks for sending us {numMedia} file(s)!";34response.Message(body);35return TwiML(response);36}3738private string GetMediaFileName(string mediaUrl,39string contentType)40{41return Server.MapPath(42// e.g. ~/App_Data/MExxxx.jpg43SavePath +44Path.GetFileName(mediaUrl) +45GetDefaultExtension(contentType)46);47}4849private static async Task DownloadUrlToFileAsync(string mediaUrl,50string filePath)51{52using (var client = new HttpClient())53{54var response = await client.GetAsync(mediaUrl);55var httpStream = await response.Content.ReadAsStreamAsync();56using (var fileStream = System.IO.File.Create(filePath))57{58await httpStream.CopyToAsync(fileStream);59await fileStream.FlushAsync();60}61}62}6364public static string GetDefaultExtension(string mimeType)65{66// NOTE: This implementation is Windows specific (uses Registry)67// Platform independent way might be to download a known list of68// mime type mappings like: http://bit.ly/2gJYKO069var key = Registry.ClassesRoot.OpenSubKey(70@"MIME\Database\Content Type\" + mimeType, false);71var ext = key?.GetValue("Extension", null)?.ToString();72return ext ?? "application/octet-stream";73}74}75}
Notice we have made our controller action async. This is highly recommended since we will be making a network request that could take a little time. Doing this asynchronously means that we won't block other requests from being handled while the file downloads.
Another idea for these image files could be uploading them to a cloud storage service like Azure Blob Storage or Amazon S3. You could also save them to a database, if necessary. They're just regular files at this point. Go crazy.
If you are downloading the attachments and no longer need them to be stored by Twilio, you can delete them. You can send an HTTP DELETE
request to the media URL and it will be deleted, but you will need to be authenticated to do this; the Twilio C# Helper Library can help accomplish this.
1// Install the C# / .NET helper library from twilio.com/docs/csharp/install23using System;4using Twilio;5using Twilio.Rest.Api.V2010.Account.Message;6using System.Threading.Tasks;78class Program {9public static async Task Main(string[] args) {10// Find your Account SID and Auth Token at twilio.com/console11// and set the environment variables. See http://twil.io/secure12string accountSid = Environment.GetEnvironmentVariable("TWILIO_ACCOUNT_SID");13string authToken = Environment.GetEnvironmentVariable("TWILIO_AUTH_TOKEN");1415TwilioClient.Init(accountSid, authToken);1617await MediaResource.DeleteAsync(18pathMessageSid: "MM800f449d0399ed014aae2bcc0cc2f2ec",19pathSid: "ME557ce644e5ab84fa21cc21112e22c485");20}21}
Twilio supports HTTP Basic and Digest Authentication. Authentication allows you to password protect your TwiML URLs on your web server so that only you and Twilio can access them. Learn more about HTTP authentication and validating incoming requests here.
All the code, in a complete working project, is available on GitHub. If you need to dig a bit deeper, you can head over to our API Reference and learn more about the Twilio webhook request and the REST API Media resource. Also, you will want to be aware of the pricing for storage of all the media files that you keep on Twilio's servers.
We'd love to hear what you build with this.