Click here to Skip to main content
15,881,084 members
Articles / Web Development / HTML

Create a CRUD Web App using JQuery Mobile & IndexedDB

Rate me:
Please Sign up or sign in to vote.
4.33/5 (2 votes)
24 May 2015CPOL10 min read 21.9K   499   6   7
Using IndexedDB as a backend for your JQuery Mobile App

Download MoviesDatabaseIndexedDB.zip

Introduction

Today we are going to create a CRUD JQuery Mobile web app using IndexedDB as a back-end. I will demonstrate the following functionality:

1. Create an IndexedDB database & table

2. CReate a record

3. Update an existing record

4. Delete an existing record

5. View records in a list

6. Generate HTML table from records and

7. Export records to an Excel file from an HTML table.

The IndexedDB database resides in browser storage and works in the same fashion as WebSQL. The same CRUD functionality discussed in my article about JQuery Mobile CRUD WebSQL will be applied here.

But what is IndexedDB?

IndexedDB is an API for client-side storage of significant amounts of structured data, which also enables high performance searches of this data using indexes. IndexedDB is a transactional database system, like a SQL-based RDBMS; however whereas the latter uses tables with fixed columns, IndexedDB is a JavaScript-based object-oriented database. IndexedDB lets you store and retrieve objects that are indexed with a key; any objects supported by the structured clone algorithm can be stored. You need to specify the database schema, open a connection to your database, and then retrieve and update data within a series of transactions.

Operations performed using IndexedDB are done asynchronously, so as not to block the rest of an application's running. IndexedDB originally included both an asynchronous API and a synchronous API; the synchronous API being intended for use only with Web Workers. The synchronous version was removed from the spec because its need was questionable, however it may be reintroduced in the future if there is enough demand from web developers.

There isn't any limit on a single database item's size, however there is in some cases a limit on each IndexedDB database's total size. To get access to a database, call <font color="#0095dd">open()</font> on the <font color="#0095dd">indexedDB</font> attribute of a window object. This method returns an <font color="#0095dd">IDBRequest</font> object; asynchronous operations communicate to the calling application by firing events on <font color="#0095dd">IDBRequest</font> objects. For more information about IndexedDB, see here.

Some silly assumptions: You have created a JQuery Mobile app before, you are familiar with javascript.

Background

This article is an continuation of my articles about JQuery Mobile and the various database back-ends that developers can use in developing mobile applications. The various approaches of storing database information that I have discussed have been the following:

JQuery Mobile CRUD - LocalStorage

JQuery Mobile CRUD - JSON

JQuery Mobile CRUD - XML

JQuery Mobile CRUD - WebSQL

If you have gone through the articles, the same approach in developing, naming my applications has always been similar with the exception of the code handling the database operations. I'm following on that trend here. For this exercise I have developed an app to store my movie collection database. For each movie we will just keep simple details, Movie Name, Movie Year, Movie Genre. On our movie listing, we will display the movie name as a title, movie genre on the sub-title and on the count bubble the movie year.

Using the code

The code of this app is referenced within the js/app.js file as indicated in the main index.html file. In developing this app you use the normal boiler-plate to develop HTML5 application and customise it with JQuery references for both css and js files.

1. Create an IndexedDB database and table

To do this, we define variables that will be used with our database.

JavaScript
//variables to hold the indexedDB database.
var dbMoviesDatabase;
var dbName = "MoviesDatabase";
var dbVersion = 1;

Here we define a database object dbMoviesDatabase that we will use to reference our database, the name of the database will be "MoviesDatabase" and this will be version 1. When all is done, from your browser (chrome), you will be able to select the MoviesDatabase from the Resources tab and be able to access the database as depicted below:

Image 1

Expanding the database tree gives out the details of your table. The jscript that makes this possible is the following, all executed with our app.init function

Image 2

JavaScript
// open the indexedDB database
var request = indexedDB.open(dbName, dbVersion);
//check if an upgrade is needed, this due to a version change
request.onupgradeneeded = function(e) {
    var thisDB = e.target.result;
    var store = null;
    //create the necessary tables for the application
    // create an indexedDB for IndexedDB-Movie
    if (!thisDB.objectStoreNames.contains("Movie")) {
        // create objectStore for PrimaryKey as keyPath="MovieName"
        store = thisDB.createObjectStore("Movie", {keyPath: "MovieName" });
        // thisDB.createObjectStore("Movie", { autoIncrement: true });
        // create index to 'name' for conditional search
        // store.createIndex('name', 'name', {unique: false });
    }
};
//the database was opened successfully
request.onsuccess = function(e) {
    dbMoviesDatabase = e.target.result;
}

From the code above, the object stores were checked for an existence of one "Movie" table. If it does not exist, this gets created with a primary key of MovieName. We are not using an autoincrement key for primary keys, thus just one line of code creates the table with the primary key. The image above shows how the information will be stored in your database backend when processed.

2. CR - eate a record

We have create a simple user interface to provide functionalituy for an end user to capture the movie information. This is depicted by the screen below.

Image 3

A user enteres the movie information and presses Save to create a new record to the database storage. Three things happen here, 2.1 the screen is read from its html definition and displayed, 2.2 the movie details are read from the input controls when a user presses save and 2.3 a transaction is generated to store the record object to the database. Let's look at these sub steps in detail.

2.1 Create Movie Screen HTML definition

HTML
<div id="pgAddMovie" data-role="page">
    <div data-position="left" data-display="overlay" data-position-fixed="true" id="pgAddMovieLeftPnl" data-role="panel">
        <ul data-role="listview" id="pgAddMovieLeftPnlLV">
            <li><a data-transition="slide" href="#pgAddMovie" class="ui-btn ui-icon-plus ui-btn-icon-left">New</a></li>
            <li><a data-transition="slide" href="#pgAddMultMovie" class="ui-btn ui-icon-plus ui-btn-icon-left">New Multiple</a></li>
            <li><a data-transition="slide" href="#pgRptMovie" class="ui-btn ui-icon-eye ui-btn-icon-left">Report</a></li>
            <li><a data-transition="slide" href="#pgMovie" class="ui-btn ui-icon-carat-l ui-btn-icon-left">Back</a></li>
        </ul>
    </div>
    <div data-position="right" data-display="overlay" data-position-fixed="true" id="pgAddMovieRightPnl" data-role="panel">
        <ul data-role="listview" id="pgAddMovieRightPnlLV">
        </ul>
    </div>
    <header id="pgAddMovieHdr" data-role="header" data-position="fixed" data-tap-toggle="false">
        <h1>Movies Database 1.00</h1>
        <a data-role="button" id="pgAddMovieMenu" data-icon="bars" href="#pgAddMovieLeftPnl" class="ui-btn-left">Menu</a>
        <a data-role="button" id="pgAddMovieRightMenu" data-icon="records" href="#pgAddMovieRightPnl" class="ui-btn-right">Records</a>
    </header>
    <div id="pgAddMovieCnt" data-role="content">
        <h3>Add Movie</h3><div id="pgAddMovieForm">
        <div data-role="fieldcontain">
            <label for="pgAddMovieMovieName">Movie Name<span class='red'>*</span></label>
            <input required name="pgAddMovieMovieName" title="Enter movie name here." type="text" id="pgAddMovieMovieName" placeholder="Enter movie name here." autocomplete="off" data-clear-btn="true"></input>
        </div>
        <div data-role="fieldcontain">
            <label for="pgAddMovieMovieYear">Movie Year<span class='red'>*</span></label>
            <input required name="pgAddMovieMovieYear" title="Enter movie year here." type="text" id="pgAddMovieMovieYear" placeholder="Enter movie year here." autocomplete="off" data-clear-btn="true"></input>
        </div>
        <div data-role="fieldcontain">
            <label for="pgAddMovieMovieGenre">Movie Genre<span class='red'>*</span></label>
            <input required name="pgAddMovieMovieGenre" title="Enter movie genre here." type="text" id="pgAddMovieMovieGenre" placeholder="Enter movie genre here." autocomplete="off" data-clear-btn="true"></input>
        </div>
    </div>
</div>
<footer id="pgAddMovieFtr" data-role="footer" data-position="fixed" data-tap-toggle="false">
    <div id="pgAddMovieFtrNavBar" data-role="navbar">
        <ul>
            <li><a id="pgAddMovieBack" data-icon="carat-l">Cancel</a>
            </li>
            <li><a type="submit" id="pgAddMovieSave" data-icon="action">Save</a>
            </li>
        </ul>
    </div>
</footer>
</div>

There is a left sliding menu on this screen with a listview with functionality to add a new movie, add multiple movies, view the movies report and go back to the movie listing. This is activated when clicking the Menu button on the header. Also a right sliding menu exists that gets activated when clicking Records to list available movies in the database.

Input controls for the movie details are pgAddMovieMovieName, pgAddMovieMovieYear and pgAddMovieMovieGenre based on the fields we want to store for the movie model. The save button name is pgAddMovieSave.

2.2 Getting User Movie Input

JavaScript
// Save click event on Add page
$('#pgAddMovieSave').on('click', function (e) {
    e.preventDefault();
    e.stopImmediatePropagation();
    //get form contents into an object
    var MovieRec = pgAddMovieGetRec();
    //save object to IndexedDB
    app.addMovie(MovieRec);
});

As soon as a user presses the Save button, processes to get the user input and save it occur. Getting the data is done with pgAddMovieGetRec.

JavaScript
//read contents of each form input
function pgAddMovieGetRec() {
    //define the new record
    var MovieRec = {};
    MovieRec.MovieName = $('#pgAddMovieMovieName').val().trim();
    MovieRec.MovieYear = $('#pgAddMovieMovieYear').val().trim();
    MovieRec.MovieGenre = $('#pgAddMovieMovieGenre').val().trim();
    return MovieRec;
}

then the movie record is saved with the app.addMovie(MovieRec), with that function receiving the details of the new movie to create.

2.3 Storing the movie to the database

JavaScript
// add a new record to IndexedDB storage.
app.addMovie = function (MovieRec) {
    $.mobile.loading("show", {
        text: "Creating record...",
        textVisible: true,
        textonly: false,
        html: ""
    });
    // clean the primary key to store
    var MovieName = MovieRec.MovieName;
    MovieName = MovieName.split(' ').join('-');
    MovieRec.MovieName = MovieName;
    // store the json object in the database
    //define a transaction to execute
    var tx = dbMoviesDatabase.transaction(["Movie"], "readwrite");
    //get the record store to create a record on
    var store = tx.objectStore("Movie");
    // add to store
    var request = store.add(MovieRec);
    request.onsuccess = function(e) {
        //show a toast message that the record has been added
        toastr.success('Movie record successfully added.', 'Movies Database');
        //find which page are we coming from, if from sign in go back to it
        var pgFrom = $('#pgAddMovie').data('from');
        switch (pgFrom) {
            case "pgSignIn":
                $.mobile.changePage('#pgSignIn', {transition: pgtransition});
            break;
            default:
            // clear the edit page form fields
            pgAddMovieClear();
            //stay in the same page to add more records
        }
    }
    request.onerror = function(e) {
        //show a toast message that the record has not been added
        toastr.error('Movie record NOT successfully added.', 'Movies Database');
    }
    $.mobile.loading("hide");
};

From the obtained movie record, we clean our primary key value, i.e. movie name and remove all spaces with -. Because we are writing a record to the IndexedDB database, we create a readwrite transaction. We then access the "movie" table and store the record as is. The record stores as you might have noted is in JSON notation format. When the movie is added, a toast is shown telling the user else an error toast is shown.

3. U - pdate an existing record

To update an existing record, you need to select it first from existing records and then update it. Just like the create record method, we define a record object based on the movie we are updating. Within this app, you access an existing movie from the movie listing page and this brings up the movie update page where you can also delete an existing movie. Lets look at this screen.

Image 4

We have selected one of the existing movies here called Fast n Furious 7 and its details popped up. As the movie name is primary, it cannot be changed but the movie year and genre can be changed. After changing the movie details and clicking Update, the movie details are read and saved as an object and this gets passed as a variable to store the movie in the database. As you have noted, the update screen is similar to the add screen. The difference are the control names.

Input controls for the movie details in this care are pgEditMovieMovieName, pgEditMovieMovieYear and pgEditMovieMovieGenre based on the fields we want to store for the movie model. The save button name is pgEditMovieUpdate.

3.1 Getting Updated Movie Input

JavaScript
// Update click event on Edit Page
$('#pgEditMovieUpdate').on('click', function (e) {
    e.preventDefault();
    e.stopImmediatePropagation();
    //get contents of Edit page controls
    var MovieRec = pgEditMovieGetRec();
    //save updated records to IndexedDB
    app.updateMovie(MovieRec);
});

As soon as a user presses the Save button, processes to get the user input and save it occur. Getting the data is done with pgEditMovieGetRec.

JavaScript
//read contents of each form input
function pgEditMovieGetRec() {
    //define the new record
    var MovieRec = {};
    MovieRec.MovieName = $('#pgEditMovieMovieName').val().trim();
    MovieRec.MovieYear = $('#pgEditMovieMovieYear').val().trim();
    MovieRec.MovieGenre = $('#pgEditMovieMovieGenre').val().trim();
    return MovieRec;
}

then the movie record is saved with the app.updateMovie(MovieRec), with that function receiving the details of the updated movie record.

3.2 Storing the updated movie in the database

JavaScript
//update an existing record and save to IndexedDB
app.updateMovie = function (MovieRec) {
    $.mobile.loading("show", {
        text: "Update record...",
        textVisible: true,
        textonly: false,
        html: ""
    });
    // lookup specific Movie
    var MovieName = MovieRec.MovieName;
    //cleanse the key of spaces
    MovieName = MovieName.split(' ').join('-');
    MovieRec.MovieName = MovieName;
    //define a transaction to execute
    var tx = dbMoviesDatabase.transaction(["Movie"], "readwrite");
    //get the record store to create a record on
    var store = tx.objectStore("Movie");
    //get the record from the store
    store.get(MovieName).onsuccess = function(e) {
        var request = store.put(MovieRec);
        request.onsuccess = function(e) {
            //record has been saved
            toastr.success('Movie record updated.', 'Movies Database');
            // clear the edit page form fields
            pgEditMovieClear();
            // show the records listing page.
            $.mobile.changePage('#pgMovie', {transition: pgtransition});
        }
        request.onerror = function(e) {
            toastr.error('Movie record not updated, please try again.', 'Movies Database');
            return;
        }
    };
    $.mobile.loading("hide");
};

From the obtained movie record, we clean our primary key value, i.e. movie name and remove all spaces with -. Because we are writing a record to the IndexedDB database, we create a readwrite transaction. We then access the "movie" table, locate an existing record using the primary key, when that is succesful, we store the record details.

4. D - elete an existing record

To be able to delete an existing record, first select it and then delete it. To delete a movie in this app, you access that functionality from the Movie update screen. Clicking the delete button runs like this.

JavaScript
// delete button on Edit Page
$('#pgEditMovieDelete').on('click', function (e) {
    e.preventDefault();
    e.stopImmediatePropagation();
    //read the record key from form control
    var MovieName = $('#pgEditMovieMovieName').val().trim();
    //show a confirm message box
    $('#msgboxheader h1').text('Confirm Delete');
    $('#msgboxtitle').text(MovieName.split('-').join(' '));
    $('#msgboxprompt').text('Are you sure that you want to delete this movie? This action cannot be undone.');
    $('#msgboxyes').data('method', 'deleteMovie');
    $('#msgboxno').data('method', 'editMovie');
    $('#msgboxyes').data('id', MovieName.split(' ').join('-'));
    $('#msgboxno').data('id', MovieName.split(' ').join('-'));
    $('#msgboxyes').data('topage', 'pgEditMovie');
    $('#msgboxno').data('topage', 'pgEditMovie');
    $.mobile.changePage('#msgbox', {transition: 'pop'});
});

The movie name is read and this is stored within our message box screen definition. A user is asked to confirm the delete action.

Image 5

When a user opts to delete a movie, by clicking Yes, app.deleteMovie gets called passing that the movie name stored in the data-id attribute of the Yes button.

JavaScript
//delete a record from IndexedDB using record key
app.deleteMovie = function (MovieName) {
    $.mobile.loading("show", {
        text: "Deleting record...",
        textVisible: true,
        textonly: false,
        html: ""
    });
    MovieName = MovieName.split(' ').join('-');
    //define a transaction to execute
    var tx = dbMoviesDatabase.transaction(["Movie"], "readwrite");
    //get the record store to delete a record from
    var store = tx.objectStore("Movie");
    //delete record by primary key
    var request = store.delete(MovieName);
    request.onsuccess = function(e) {
        //record has been deleted
        toastr.success('Movie record deleted.', 'Movies Database');
        // show the page to display after a record is deleted, this case listing page
        $.mobile.changePage('#pgMovie', {transition: pgtransition});
    }
    request.onerror = function(e) {
        toastr.error('Movie record not deleted, please try again.', 'Movies Database');
        return;
    }
    $.mobile.loading("hide");
};

On success of this process, the user gets told that the record is deleted or else notified otherwise. From this again, a readwrite transaction is defined on the movie table. The store is them opened and then using the moviename a store.delete method is executed to delete the record in the database.

5. V - iew records in a list

Viewing records from the storage involves reading all existing records from the object store and in this case display them in the listview. This happens in the movie listing page. Let's look at the definition of the movie listing page. This is just a simple page with a blank listview that gets updated during runtime when the page is shown.

HTML
<div id="pgMovie" data-role="page">
    <div data-position="left" data-display="overlay" data-position-fixed="true" id="pgMovieLeftPnl" data-role="panel">
        <ul data-role="listview" id="pgMovieLeftPnlLV">
            <li><a data-transition="slide" href="#pgAddMultMovie" class="ui-btn ui-icon-plus ui-btn-icon-left">New Multiple</a></li>
            <li><a data-transition="slide" href="#pgRptMovie" class="ui-btn ui-icon-eye ui-btn-icon-left">Report</a></li>
            <li><a data-transition="slide" href="#pgMenu" class="ui-btn ui-icon-carat-l ui-btn-icon-left">Back</a></li>
        </ul>
    </div>
    <header id="pgMovieHdr" data-role="header" data-position="fixed" data-tap-toggle="false">
        <h1>Movies Database 1.00</h1>
        <a data-role="button" id="pgMovieMenu" data-icon="bars" data-transition="slide" href="#pgMovieLeftPnl" class="ui-btn-left">Menu</a>
        <a data-role="button" id="pgMovieNew" data-icon="plus" data-theme="b" class="ui-btn-right">New</a>
    </header>
    <div id="pgMovieCnt" data-role="content">
        <h3>Movies</h3><ul data-role="listview" data-inset="true" id="pgMovieList" data-autodividers="true" data-filter="true" data-filter-placeholder="Search Movies">
        <li data-role="list-divider">Your Movies</li>
        <li id="noMovie">You have no movies</li>
    </ul>
</div>
</div>

To make this work, within out js/app.js, we defined some variables to manage the listview.

HTML
// variable definitions go here
var MovieLi = '<li><a data-id="Z2"><h2>Z1</h2><p>DESCRIPTION</p><p><span class="ui-li-count">COUNTBUBBLE</span></p></a></li>';
var MovieHdr = '<li data-role="list-divider">Your Movies</li>';
var noMovie = '<li id="noMovie">You have no movies</li>';

For each listview item, we want to show the title, description and countbubble as depicted below:

Image 6

This movie listing happens when the page is being accessed by calling app.checkForMovieStorage which is called by the pagebeforechange method. Let's look at that.

JavaScript
//display records if they exist or tell user no records exist.
app.checkForMovieStorage = function () {
    $.mobile.loading("show", {
        text: "Checking storage...",
        textVisible: true,
        textonly: false,
        html: ""
    });
    //get records from IndexedDB.
    //when returned, parse then as json object
    var MovieObj = {};
    //define a transaction to read the records from the table
    var tx = dbMoviesDatabase.transaction(["Movie"], "readonly");
    //get the object store for the table
    var store = tx.objectStore("Movie");
    //open a cursor to read all the records
    var request = store.openCursor();
    request.onsuccess = function(e) {
        //return the resultset
        var cursor = e.target.result;
        if (cursor) {
            MovieObj[cursor.key] = cursor.value;
            // process another record
            cursor.continue();
        }
        // are there existing Movie records?
        if (!$.isEmptyObject(MovieObj)) {
            // yes there are. pass them off to be displayed
            app.displayMovie(MovieObj);
            } else {
                // nope, just show the placeholder
                $('#pgMovieList').html(MovieHdr + noMovie).listview('refresh');
            }
        }
        $.mobile.loading("hide");
        // an error was encountered
        request.onerror = function(e) {
            $.mobile.loading("hide");
            // just show the placeholder
            $('#pgMovieList').html(MovieHdr + noMovie).listview('refresh');
        }
};

This creates a transaction within the Movie table in readonly mode as we just want to fetch records. We also define an object to store all movie information in the table, we call this MovieObj and loop through each movie with cursor.continue assigning each movie details to a key object within the MovieObj object. We later pass this to app.displayMovie to display the records to the listview.

JavaScript
//display records in listview during runtime.
app.displayMovie = function (MovieObj) {
    $.mobile.loading("show", {
        text: "Displaying records...",
        textVisible: true,
        textonly: false,
        html: ""
    });
    // create an empty string to contain html
    var html = '';
    // make sure your iterators are properly scoped
    var n;
    // loop over records and create a new list item for each
    //append the html to store the listitems.
    for (n in MovieObj) {
        //get the record details
        var MovieRec = MovieObj[n];
        // clean the primary key
        var pkey = MovieRec.MovieName;
        pkey = pkey.split('-').join(' ');
        MovieRec.MovieName = pkey;
        //define a new line from what we have defined
        var nItem = MovieLi;
        nItem = nItem.replace(/Z2/g,n);
        //update the title to display, this might be multi fields
        var nTitle = '';
        //assign cleaned title
        nTitle = n.split('-').join(' ');
        //replace the title;
        nItem = nItem.replace(/Z1/g,nTitle);
        //there is a count bubble, update list item
        var nCountBubble = '';
        nCountBubble += MovieRec.MovieYear;
        //replace the countbubble
        nItem = nItem.replace(/COUNTBUBBLE/g,nCountBubble);
        //there is a description, update the list item
        var nDescription = '';
        nDescription += MovieRec.MovieGenre;
        //replace the description;
        nItem = nItem.replace(/DESCRIPTION/g,nDescription);
        html += nItem;
    }
    //update the listview with the newly defined html structure.
    $('#pgMovieList').html(MovieHdr + html).listview('refresh');
    $.mobile.loading("hide");
};

Here we loop through each movie record obtained from checkStorage, replace our - with spaces. We then get the movie attributes and build on our listview item from the variables. After all the items are built we refresh the listview with our contents.

6. Generate HTML table from records and

Clicking Reports from any of the screens generates a HTML table of the movies stored. This is done by running app.MoviRpt.

JavaScript
//display records in table during runtime.
app.MovieRpt = function () {
    $.mobile.loading("show", {
        text: "Loading report...",
        textVisible: true,
        textonly: false,
        html: ""
    });
    //clear the table and leave the header
    $('#RptMovie tbody tr').remove();
    // create an empty string to contain all rows of the table
    var n, MovieRec;
    //get records from IndexedDB.
    //define a transaction to read the records from the table
    var tx = dbMoviesDatabase.transaction(["Movie"], "readonly");
    //get the object store for the table
    var store = tx.objectStore("Movie");
    //open a cursor to read all the records
    var request = store.openCursor();
    request.onsuccess = function(e) {
        //return the resultset
        var cursor = e.target.result;
        if (cursor) {
            n = cursor.key;
            //clean primary keys
            n = n.split('-').join(' ');
            //get each record
            MovieRec = cursor.value;
            //create each row
            var eachrow = '<tr>';
            eachrow += '<td class="ui-body-c">' + n + '</td>';
            eachrow += '<td class="ui-body-c">' + MovieRec.MovieYear + '</td>';
            eachrow += '<td class="ui-body-c">' + MovieRec.MovieGenre + '</td>';
            eachrow += '</tr>';
            //append each row to the table;
            $('#RptMovie').append(eachrow);
            // process another record
            cursor.continue();
        }
        // update the table
        //$('#RptMovie').append(newrows);
        // refresh the table with new details
        $('#RptMovie').table('refresh');
    }
    $.mobile.loading("hide");
};

Just like checkStorage, this reads movies from the table in readonly mode. For each movie value read, we assign it to MovieRec variable and then generate each table row from this. This is appended to the table per record and generating this table as depicted below:

Image 7

This HTML table can be exported to Excel by clicking the Export button at the header.

7. Export records to an Excel file from an HTML table.

This executes javascript to export the html table to excel. This uses the excellentexport.min.js file. Let's look at the definition of the report.

HTML
<div id="pgRptMovie" data-role="page">
    <header id="pgRptMovieHdr" data-role="header" data-position="fixed" data-tap-toggle="false">
        <h1>Movies Database 1.00</h1>
        <a data-role="button" id="pgRptMovieBack" data-icon="carat-l" class="ui-btn-left">Back</a>
        <div data-role="controlgroup" data-type="horizontal" class="ui-btn-right" style="margin-top:0;border-top:0;">
            <a data-role="button" download="Movie.xls" onclick="return ExcellentExport.excel(this, 'RptMovie', 'Movie');" id="pgRptMovieExport" data-icon="exportexcel" href="#">Export</a>
            <a data-role="button" id="pgRptMovieNew" data-icon="plus" data-theme="b" data-transition="slide" href="#pgAddMovie">New</a>
        </div>
    </header>
    <div id="pgRptMovieCnt" data-role="content">
        <table id="RptMovie" data-column-btn-text="Columns To Display" data-column-btn-theme="b" data-role="table" data-mode="columntoggle" data-column-popup-theme="a" class="ui-responsive table-stroke table-stripe ui-shadow">
            <caption>Movies Report</caption>
            <thead>
                <tr class="ui-bar-a">
                    <th class="ui-bar-a ui-body-c">Movie Name</th>
                    <th data-priority="2" class="ui-bar-a ui-body-c">Movie Year</th>
                    <th data-priority="3" class="ui-bar-a ui-body-c">Movie Genre</th>
                </tr>
            </thead>
            <tbody>
            </tbody>
            <tfoot>
                <tr><td></td></tr>
                    <tr><td class='ui-body-c' colspan="3">Powered by JQM.Show - <a href="https://play.google.com/store/apps/details?id=com.b4a.JQMShow</td></tr></tfoot">https://play.google.com/store/apps/details?id=com.b4a.JQMShow</td></tr></tfoot</a>>
         </table>
       </div>
    </div>

The two buttons in the header are created with a control-group when the onclick method fires when clicking the Export button to create the excel workbook.

HTML
<div data-role="controlgroup" data-type="horizontal" class="ui-btn-right" style="margin-top:0;border-top:0;">
<a data-role="button" download="Movie.xls" onclick="return ExcellentExport.excel(this, 'RptMovie', 'Movie');" id="pgRptMovieExport" data-icon="exportexcel" href="#">Export</a>
<a data-role="button" id="pgRptMovieNew" data-icon="plus" data-theme="b" data-transition="slide" href="#pgAddMovie">New</a>
</div>

Points of Interest

See Getting started with IndexedDB here in CodeProject here.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer SITHASO HOLDINGS (PTY) LTD
South Africa South Africa
I'm a Bachelor of Commerce graduate, fell inlove with ICT years back with VB5. Used Pick & System Builder to create a windows app. Very curious, developed my first web database app called Project.Show using ExtJS. Published on Google Play Store, learned JQuery Mobile, a project manager at best. My first intranet app eFas with MySQL.

Fear closes people to a lot of things and we hold ourselves back being held by it. Thus the sooner you believe you can't do something, the sooner everything will work towards that belief. Believe in yourself at all times because you can do anything you set your mind to it!

I have a very beautiful woman and four kids, the best joys in the world. East London, South Africa is currently home.

Awards:

Best Mobile Article of February 2015 (First Prize)
http://www.codeproject.com/Articles/880508/Create-a-CRUD-web-app-using-JQuery-Mobile-and-Loca

Best Mobile Article of May 2015 (Second Prize)
http://www.codeproject.com/Articles/991974/Creating-JQuery-Mobile-CRUD-Apps-using-JQM-Show-Ge

Apps
Bible.Show (Android Store App)
https://www.facebook.com/bibleshow
https://play.google.com/store/apps/details?id=com.b4a.BibleShow

JQM.Show (Android Store App)
https://www.facebook.com/jqmshow
https://play.google.com/store/apps/details?id=com.b4a.JQMShow

CodeProject.Show (An offline CodeProject Article writer)
http://www.codeproject.com/Articles/993453/CodeProject-Show-A-CodeProject-offline-article-wri

Comments and Discussions

 
QuestionForm Validation Pin
Ainnop27-Jul-16 2:47
Ainnop27-Jul-16 2:47 
AnswerRe: Form Validation Pin
Anele 'Mashy' Mbanga3-Aug-16 9:57
professionalAnele 'Mashy' Mbanga3-Aug-16 9:57 
GeneralRe: Form Validation Pin
Ainnop7-Aug-16 21:41
Ainnop7-Aug-16 21:41 
Thanks buddy so how do I get the new version 7
GeneralRe: Form Validation Pin
Anele 'Mashy' Mbanga16-Sep-16 3:42
professionalAnele 'Mashy' Mbanga16-Sep-16 3:42 
Questionplataforma Pin
Odlaveneda Seravat1-Sep-15 3:20
Odlaveneda Seravat1-Sep-15 3:20 
AnswerRe: plataforma Pin
CHill601-Sep-15 3:34
mveCHill601-Sep-15 3:34 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.