Skip to main content
  1. Writing/

Moving Beem From Static XML To Azure Mobile Services

·934 words

While working on Beem, I always relied on a static XML file to fetch me the list of available online radio streams. It’s a good way to keep the content dynamic, and when new stations are added, I do not have to re-submit the application for certification but rather just update the XML file. This worked fine for a while, but I thought about having a more optimal way to get the necessary data. Specifically, I wanted to have a backend that can be easily extended and modified when necessary. Relying on an XML file means that I am restricted to the static data set, that has to be re-downloaded all the time whenever something from it is needed.

The switch was done in favor of Azure Mobile Services. That way, I can go as far as run LINQ queries on my data and get a JSON-formatted output exactly for what I need, if I am building a companion app for Windows Phone 8 or Windows 8. More than that, the data can be easily updated directly from the mobile device, without having the XML file downloaded in its entirety. And while it is not that large, on devices with limited data this is a consideration I have to throw into the play.

Let’s start with the fact that there is no Azure Mobile Services SDK for Windows Phone 7.5 applications. If the application would be designed for Windows Phone 8, you can download the official toolset. Beem supports multiple devices that are running Windows Phone OS 7.5, therefore I cannot do the full switch to Windows Phone OS 8. Does this mean that I cannot use AMS? No. There are some trade-offs, such as the fact that I no longer have SDK-based access to LINQ queries out-of-the-box, but I can still access the information in the way I want due to the fact that AMS sports a REST API. So all I needed is implement my own client class.

My recommendation would also be to use JSON.NET in your application, since the data returned by HTTP requests will be JSON-formatted, but you can also parse JSON manually (who would reinvent the wheel anyway?) if you want to. Getting back to the application, I am operating on a Station model:

using System;
using System.Windows;
using System.Xml.Serialization;
using System.Collections.ObjectModel;
using System.ComponentModel;
 
namespace Beem.Models
{
  public class Station : INotifyPropertyChanged
  {
    // Required by Azure Mobile Services
    // As we transition from XML to ZUMO, this will be persistent.
    [XmlIgnore()]
    public int? Id { get; set; }

    [XmlElement("name")]
    public string Name { get; set; }
    [XmlElement("location")]
    public string Location { get; set; }
    [XmlElement("image")]
    public string Image { get; set; }
    [XmlElement("description")]
    public string Description { get; set; }
    [XmlElement("jsonid")]
    public string JSONID { get; set; }

    private ObservableCollection<Track> _trackList;
    [XmlIgnore()]
    public ObservableCollection<Track> TrackList
    {
      get
      {
        return _trackList;
      }
      set
      {
        if (_trackList != value)
        {
          _trackList = value;
          NotifyPropertyChanged("TrackList");
        }
      }
    }

    private Track _nowPlaying;
    public Track NowPlaying
    {
      get
      {
        return _nowPlaying;
      }
      set
      {
        if (_nowPlaying != value)
        {
          _nowPlaying = value;
          NotifyPropertyChanged("NowPlaying");
        }
      }
    }

    public event PropertyChangedEventHandler PropertyChanged;
    private void NotifyPropertyChanged(String info)
    {
      if (PropertyChanged != null)
      {
        Deployment.Current.Dispatcher.BeginInvoke(() => { PropertyChanged(this, new PropertyChangedEventArgs(info)); });
      }
    }
  }
}

What we need to have in the AMS storage is a reference to the station ID, name, description, stream URL (location), image URL and the JSON ID that will be subsequently used to query the currently playing track, as well as the previously played content. One way to do this is enable dynamic schema, where I can push items into the store, but I can also access the server through SQL Server Management Studio.

You can get the connection information in the Azure Management Portal.

Back to the fact that I needed to implement my own connection client. Here is what I did:

public class MobileServicesClient
{
  private const string CORE_URL = "https://beem.azure-mobile.net/tables/";
  private const string KEY = "";
  
  private WebClient client;
  
  public MobileServicesClient()
  {
    client = new WebClient();
    client.Headers["X-ZUMO-APPLICATION"] = KEY;
    client.Headers["Accept"] = "application/json";
  }
  
  public void GetAllStations(Action<IEnumerable<Station>> onCompletion)
  {
    client.DownloadStringCompleted += (s, e) =>
    {
      IEnumerable<Station> stations = JsonConvert.DeserializeObject<IEnumerable<Station>>(e.Result);
      onCompletion(stations);
    };
    client.DownloadStringAsync(new Uri(string.Concat(CORE_URL, "Station")));
  }
  
  public void AddStation(Station station, Action onCompletion)
  {
    var serializedObject = JsonConvert.SerializeObject(station,
    new JsonSerializerSettings() { NullValueHandling = NullValueHandling.Ignore });
    string content = serializedObject;

    client.Headers[HttpRequestHeader.ContentType] = "application/json";
    client.Headers[HttpRequestHeader.ContentLength] = content.Length.ToString();

    var uri = new Uri(string.Concat(CORE_URL, "Station"));

    client.UploadStringCompleted += (s, e) => {
      onCompletion();
    };

    client.UploadStringAsync(uri, content);
  }
}

In this class, I need to define the connection API key (once again, obtained in the Azure Management Portal). Remember that depending on the actions that you will take on the database, you need to make sure that the operation is permitted for the given key.

The requests against the store are performed with the help of a WebClient class, where I am also setting the proper authentication (X-ZUME-APPLICATION) and content headers. When I am simply trying to get the data, the only part that I need to add to the core URL is the table name – in my case, Station. When the response is received, I can deserialize it as IEnumerable and then bind it anywhere in the application, which ultimately results in this:

Image was lost since migration from the old blog.

Adding data is done with the help of AddStation. The process is pretty much the opposite of how the data retrieval happens. I am serializing a station to JSON and calling UploadStringAsync to perform a POST request. Easy and effective – the new release of Beem will be running on top of AMS.