UK Web Developer and Writer
Published
Don’t you love snappy titles?!
Consider a sophisticated application such as webmail client. In essence, it’s a complex JavaScript program running on a single HTML page. The user loads the URL and is presented with a list of emails. They click a title and the email content is retrieved using Ajax and displayed. They now want to return to the email list; what do they do?…
…click the browser’s back button.
Bang. The application closes and returns to the page they were viewing prior to accessing the application. Or, if it’s a new browser tab, the back button is disabled and can’t be clicked.
So we have a problem. Our webmail client doesn’t support the one browser control most users understand. There are solutions. Some involve changing the hash mark (#name) in the URL so the state can be retained. It’s not perfect, but works in all browsers.
Fortunately, the problem has been addressed with the HTML5 history.pushState
and history.replaceState
methods in conjunction with the window.onpopstate
event.
Try the history.pushState() demonstration page…
The technique is refreshingly simple:
The downside? Forget IE compatibility until v10 arrives. If you need to support IE9 and below, there are a number of shims including History.js and HTML5-History-API.
Let’s write some code. Assume you’ve just displayed the result of an Ajax request:
// Ajax request
...
// display result
...
// modify history
history.pushState(obj, title, url);
Where:
history.replaceState() has identical arguments and is only used if you want to replace the current state with a new one.
You now need a handler function which runs when the window popstate event fires following the browser’s back or next button being clicked:
window.addEventListener("popstate", function(e) {
// URL location
var location = document.location;
// state
var state = e.state;
// return to last state
if (state.view == "EMAILCONTENT") {
...
}
});
The URL location can be determined with document.location
(document.location.search
and document.location.hash
return the parameters and hash name respectively).
The historic state object set by pushState() or replaceState() is obtained from the event object’s state
property. You can use the information to display the appropriate screen.
Try the history.pushState() demonstration page…
Click the history.pushState button a few times then hit back to see what happens in the log.
Very useful. Have you encountered back and next button issues in your web application?