Reputation: 9662
As can be seen in the documentation (http://www.asual.com/jquery/address/docs/), the plugin has an event to detect when the back/forward button of the browser was pressed.
$.address.externalChange(fn)
My question is if there is a way to know when the back is pressed and when the forward is pressed. For example, this will work in both cases:
$.address.externalChange(function() { console.log('back/forward pressed'); });
Thanks.
Upvotes: 5
Views: 884
Reputation: 9662
I finally figured out. This code works for me in a normal page navigation, where I navigate between: Page1, Page2, Page3, etc. The code recognises back and forward in those cases.
var visitedPages = [$.address.path()];
var first_load = true;
$.address.internalChange(function() {
visitedPages.push($.address.path());
});
$.address.externalChange(function() {
var newPage = $.address.path();
if (visitedPages[visitedPages.length-2] == newPage) {
console.log('back');
visitedPages.splice(visitedPages.length-1 , 1);
} else if (first_load === false) {
console.log('forward');
visitedPages.push($.address.path());
}
first_load = false;
});
Upvotes: 0
Reputation: 1976
To my knowledge, no history plugin can detect which browser button exactly has been pressed.
The best you can do is keep a history of visited pages, then check if the new page is further back in the history than the current one. When pages are revisited without the back/forward button, you'll probably get wrong results with below code.
Untested example code:
var visitedPages = [$.address.path()];
var currentPage = $.address.path();
$.address.internalChange(function() {
visitedPages.push($.address.path());
});
$.address.externalChange(function() {
var newPage = $.address.path();
var currentPageIndex = -1;
var newPageIndex = -1;
for (var i = 0; i < visitedPages.length; i++) {
if (visitedPages[i] == currentPage) currentPageIndex = i;
if (visitedPages[i] == newPage) newPageIndex = i;
}
if (newPageIndex == -1 || currentPageIndex == -1) {
console.log("unkown button pressed");
} else {
if (newPageIndex > currentPageIndex) {
console.log('forward pressed');
} else
if (newPageIndex < currentPageIndex) {
console.log('back pressed');
} else {
console.log('page reloaded?');
}
}
});
Upvotes: 2