Skip navigation
Web with water droplets

Build a Client-Side Mobile Web App Using jQuery Mobile

Learn the benefits of client-centric development as you build a sample mobile web app

HTML and JavaScript development skills are a crucial part of any mobile application developer's skill set, given the explosion of the mobile web and the introduction of Windows 8 and WinRT. Successful JavaScript-based mobile web development requires a client-centric architecture instead of a server-centric approach, to enable development of apps that can work across many types of devices and to maximize code reusability. In this article, I'll discuss how to use the jQuery JavaScript library -- specifically the jQuery Mobile framework that's based on jQuery -- to build client-centric mobile web applications. If you are new to jQuery Mobile, see "Get Started Using jQuery Mobile for Mobile Web Development," which provides an introduction to using the framework.

Thinking Client-Centric Development

Typically most modern web applications generate their HTML on the server through server-side binding to business/data layers, with pages served up to the browsers requesting them. Such applications may be doing this during initial load or even during partial postbacks. This method requires a request from the client and a full request/response lifecycle on the server. During the client/server interaction, the entire page is processed on the server with each request. First, the server decouples the request, then the server runs the request through the application's business logic. Next, the server uses the data-access layer to pull together data to build the HTML markup, which is then sent back to the client. Figure 1 illustrates this traditional server-centric web application architecture.

Figure 1: Traditional server-centric web application architecture
Figure 1: Traditional server-centric web application architecture

In contrast to the server-centric architecture, in client-centric development the user interface (UI) and data-access application layers exist on the client, as shown in Figure 2. Depending on how much control you have over your environment, you can add more application logic on the client side in JavaScript without having to worry about exposing proprietary information.

Figure 2: Client-centric architecture
Figure 2: Client-centric architecture

The benefits of client-centric development are many. First and foremost, a client-centric development model frees up large amounts of server resources and minimizes the server/client chattiness. This practice also helps you build applications that are more scalable and interactive and use the same techniques to target different form factors.

Building a Client-Centric Application

The example in this article demonstrates how to build a web application that brings UI and data-access layer logic onto the client. The sample app that we'll build uses the Netflix OData feed to create a simple Netflix client that lets you browse movie catalogs from the Netflix database. The Netflix OData feed has read-only access, is known in the OData community, and is the perfect fit for our example. No lines of server-side code are required for this example; the application uses the code running on the Netflix servers. Note that this article focuses on data-access and UI-generation techniques of web application views and does not delve into application security, authorization, or authentication.

After completing this walk-through, you should be able to take the approach I've described and use whatever server-side stack you choose to build client-centric applications. You can tie this development architecture with OData, Windows Communication Foundation (WCF), REST, and other services. The techniques discussed here are appropriate for building both mobile and desktop interfaces.

The best "getting started" approach is to develop for touch and mobile contexts first, then move to bigger form factors by enabling the UI for keyboard and mouse interaction. The mobile interface relies on the jQuery Mobile framework for the visual and application navigation schemes. jQuery Mobile provides the touch interaction needed on the mobile device. After following the steps discussed in this article, you should be able to apply the knowledge you've gained to build browser-based applications that can target different devices using jQuery data-access and view-generation techniques.

Application Overview

This web-based application serves as the interface to the public OData feed from Netflix. The application provides three different ways to search Netflix movies, as shown in Figure 3.

  • Search by name: Users can enter text keywords to search for the movie title.
  • Search by release year: The user can search for movies within a series of predefined year ranges.
  • Search by actor/actress name: Users can choose from a list of actors and actresses in the Netflix database.
Figure 3: Sample Netflix app home screen
Figure 3: Sample Netflix app home screen

Once the user initiates a search using any of the available methods, the application goes to the Netflix database passing in the required search parameter. The user is taken to a Movies List screen, shown in Figure 4, displaying all movie titles that match the search criteria.

Figure 4: Movies List screen
Figure 4: Movies List screen

The user can then click any of the list items to display a detail screen, which presents a description of the movie, as shown in Figure 5.

Figure 5: Movie Details screen
Figure 5: Movie Details screen

Designing the Home Screen

The jQuery Mobile framework includes building blocks that enable quick mobile screen design and development, including a collection of UI widgets to display toolbars, lists, and buttons with theme support. As long as you choose the correct attributes, the framework takes care of making your application "touch aware" and navigable within the context of a mobile device.

The page can be designed as header, content, and footer. To set up the markup for the first page, create the header section to display the Netflix logo. To build the basic page structure, we use the following markup:

Netflix Logo

Welcome to Netflix Web Data Browser

Next, you need the three regions for the different types of search capability. Using the collapsible panel for the different search areas and the data-collapsible attribute for the containing div, you can show the search panels on the page, using the code in Figure 6, Figure 7, and Figure 8.

Search By Name


Enter Search Text :

Search By Release Year


Select a date range:

Search By Actor/Actress Name

Select Actor/Actress Name :

The jQuery Mobile conventions that perform many tasks "automagically" are based on the HTML5 "data-" attributes. I am relying on these conventions to build my HTML pages in our sample app. These attributes have special meaning and context within the application's UI generation. I simply define the template for my HTML construct, and at runtime jQuery Mobile turns it into the appropriate HTML element. On the home screen, for example, the data-role defines a page, content, header, collapsible panel, and footer sections. The data-position="fixed" fixes the footer section on the page, and data-theme attributes can be used to set up the application theme. The remainder of the page is standard HTML.

The next step is to hook events to the search buttons and populate the detail screen with user data. The actor/actress select box uses a jQuery template instead of standard HTML markup. (For more information about jQuery templates, see the list of related articles at the end of this article.) In the jQuery ready event setup, click events for all three search buttons, as well as hydrate the actor/actress select box.

For the search by text button click, once a user enters text in the input box, the Movies List page pops up. Figure 9 shows the code that performs these actions. The search by year-range code, shown in Figure 10, automatically increments the selected year by 10 to create a selection range. For example, if the user selects 1970, the range displays as 1970-1980. We will pass this year range as a query string parameter to the Movies List page. If the user selects 2010, then only one year is added.

$('#btnTxtSearch').click(function () {
var movieName = $('#txtMovieTitle').val();
if (!movieName || movieName.length == 0 || movieName == null) {
alert('Please insert a title before clicking the button');
return false;
} //end of if

window.location = "NetflixMoviesList.html?searchType=textSearch&searchText=" + $('#txtMovieTitle').val();

});
$('#btnYrSearch').click(function () {
var releaseYearSelected = $("#dateOptions").val();
         
var selectedEndDecade = parseInt(releaseYearSelected) + 10;
if (releaseYearSelected == 2010) {
selectedEndDecade = parseInt(releaseYearSelected) + 1;
}

window.location = "NetflixMoviesList.html?searchType=yearSearch&releaseYear=" + releaseYearSelected + "&endDecade=" + selectedEndDecade;

});

For the last search panel, we first need to fill in the select box with the actor/actress name. To do so, we'll run an OData query to grab the first 200 names from the Netflix database to populate the select box, as shown in Figure 11.

var actorListURL = "http://odata.netflix.com/Catalog/People?$top=200&$callback=myActorsCallback&$format=json";
      
$.ajax({
dataType: 'jsonp',
url: actorListURL,
jsonpCallback: 'myActorsCallback',
success: myActorsCallback,
error: function () { alert('Error occurred'); },
timeout: 6000
}); //end of ajax

function myActorsCallback(result) {
$("#actorList").tmpl(result.d).appendTo("#actorOptions");
}

In addition, we'll need to hook the search button of this panel, to get the actor ID selected by the user and pass it to the Movies List page so that the movies list is populated accordingly. Figure 12 shows the code that does this.

$("#btnActSearch").click(function () {

var selectedActorId = $('#actorOptions option:selected').not('#defaultOption').attr('id');
          
if (selectedActorId == null) {
alert('Please, make a selection');
return false;
} //end of if
else
window.location = "NetflixMoviesList.html?searchType=actorSearch&actorID=" + selectedActorId;
});

Designing the List Screen

Once the user has initiated a search via one of the methods provided on the home screen, the application takes the user to a Movies List screen containing items that match the searched criteria. Using the query string to pass parameters from the home screen to the list screen initiates the appropriate search query to the Netflix OData feed. In the list screen, a header shows a back button, the main content area for the actual movie list, and a fixed footer area. Figure 13 shows the list screen markup.

Movies List

>>> Click on a movie to view details <<<

A header element is created by defining data-role="header" and setting data-position="fixed", which ensures that the header is always visible, even when the user scrolls the list. The page title is "Movies List" with an h1 tag. To define the list, a jQuery template is set up and filled in by calling the script with data received from the Netflix OData service. Finally, the footer element is defined by data-role="footer" and is also fixed just like the header.

Once the markup is completed, the search type in the script section is filtered out by examining the query string "searchType" parameter, as shown in Figure 14.

var searchType = getParameterByName("searchType");

$(function () {

var queryURL;

switch (searchType) {
case "textSearch":
             var movieName = getParameterByName("searchText");
             var movieTitle = escape(movieName);
queryURL = "http://odata.netflix.com/Catalog/Titles?$callback=myCallback&$format=json&$filter=Type eq 'Movie' and substringof('" + movieTitle + "',Name)";
             break;
case "yearSearch":
             var releaseYearSelected = getParameterByName("releaseYear");
             var selectedEndDecade = getParameterByName("endDecade");
queryURL = "http://odata.netflix.com/Catalog/Titles?$top=20&$callback=myCallback&$format=json&$filter=ReleaseYear ge " + releaseYearSelected + "and ReleaseYear le " + selectedEndDecade;
             break;
case "actorSearch":
var selectedActorId = getParameterByName("actorID");
queryURL = "http://odata.netflix.com/Catalog/People(" + selectedActorId + ")/TitlesActedIn?$callback=myCallback&$format=json";
break;
}

queryService(queryURL);

});
     
function queryService(URL) {
       
$.ajax({
dataType: 'jsonp',
url: URL,
jsonpCallback: 'myCallback',
success: myCallback,
error: function () { alert('Error occurred'); },
timeout: 60000
});
}

function myCallback(data) {

if (searchType != "yearSearch")
$("#movieListTmpl").tmpl(data.d.results).appendTo("#movieList");
else
$("#movieListTmpl").tmpl(data.d).appendTo("#movieList");
}

function getParameterByName(name) {
name = name.replace(/[\[]/, "\\\[").replace(/[\]]/, "\\\]");
var regexS = "[\\?&]" + name + "=([^]*)";
var regex = new RegExp(regexS);
var results = regex.exec(window.location.href);
if (results == null)
return "";
else
return decodeURIComponent(results[1].replace(/\+/g, " "));
}

Based on the search type, an OData URL is constructed with the appropriate query. When a response is returned to the client, a jQuery template injects JavaScript Object Notation (JSON) data into the page content template. The outcome of this code execution is a jQuery Mobile list control displaying movie information.

Designing the Detail Screen

In the list screen, each element in the list is an

  • tag with an anchor tag inside of it that points to a detail screen. If the user taps or clicks on any of the movies, the detail screen appears showing additional movie information. The same concept as described in the previous section is used here: A query string passes the movie ID on to the detail page. The detail page takes that movie ID, queries the Netflix OData service, and uses the markup shown in Figure 15 to display the information returned from the service. The text marked as curly braces is replaced by movie data when the page loads.

    Back

    Movie Details

    {Synopsis}

    Runtime:
    Type:
    Average Rating:
    See it on Netflix.com

    Using the jQuery onready function, the search parameter is passed from the List page and queries the Netflix service to capture that movie's information. Upon receiving movie information, the HTML content is replaced with actual movie data, as shown in Figure 16. The application's movie detail page is now complete.

    $(function () {
        var movieID = getParameterByName("MovieId");
        var queryURL = "http://odata.netflix.com/Catalog/Titles('" + movieID + "')?$callback=myCallback&$format=json";
        queryService(queryURL);
    
    });
    
    function queryService(URL) {
        $.ajax({
            dataType: 'jsonp',
            url: URL,
            jsonpCallback: 'myCallback',
            success: myCallback,
            error: function () { alert('Error occurred'); },
            timeout: 60000
        }); //
        }
    
    function myCallback(data) {
    
        $("#nfMovieName").html(data.d.Name + "(" + data.d.ReleaseYear + ")");
        $("#nfMovieImage").attr("src", data.d.BoxArt.LargeUrl);
        $("#nfMovieSynopsis").html(data.d.Synopsis);
        $("#nfRuntime").html(Math.round(data.d.Runtime / 60) + " Minutes");
        $("#nfMovieType").html(data.d.Type);
        $("#nfMovieAverageRating").html(data.d.AverageRating);
        $("#nfMovieLink").attr("href", data.d.Url);
    }
      
    function getParameterByName(name) {
        name = name.replace(/[\[]/, "\\\[").replace(/[\]]/, "\\\]");
        var regexS = "[\\?&]" + name + "=([^]*)";
        var regex = new RegExp(regexS);
        var results = regex.exec(window.location.href);
        if (results == null)
            return "";
        else
            return decodeURIComponent(results[1].replace(/\+/g, " "));
    }

    Client-Centric Benefits

    Our example has demonstrated the key benefits that a client-centric web application development model offers. The client-centric approach decouples the client and server in a way that data-access layer (DAL) and view generation are now done on the client. This offloading of the DAL and view generation onto the client enables developers to build applications that are much more scalable on the server side. In this client-centric approach, performance is no longer a bottleneck; all modern browsers can handle this level of JavaScript code execution without hindering the application's user experience. Bandwidth is also optimized, because only JSON data is transmitted between client and server rather than full HTML streams.

    In addition to seeing the benefits of a client-centric architecture, you've also seen how jQuery Mobile can help you build a mobile web application. By using the jQuery Mobile HTML constructs and conventions, you can easily define your HTML template and let the framework take over at runtime and generate the appropriate HTML elements. I hope this article encourages you to take your explorations of JavaScript, jQuery, and client-centric web development further in "Better Mobile Website Development Using the jQuery Mobile Library," where we will show you tips and tricks for optimizing your mobile web app with jQuery Mobile.

  • Hide comments

    Comments

    • Allowed HTML tags: <em> <strong> <blockquote> <br> <p>

    Plain text

    • No HTML tags allowed.
    • Web page addresses and e-mail addresses turn into links automatically.
    • Lines and paragraphs break automatically.
    Publish