javascriptpopstateremoveeventlistener

How to destroy 'Popstate' event listener?


Have tried Below Code but its not destroying Popstate Event.

Please help we with the example in which i can destroy the Popstate Event based on the condition.

history.pushState(null, document.title, location.href);
window.addEventListener('popstate', function (event) {
  if (true){
    history.pushState(null, document.title, location.href);
    console.log('Back Button Prevented');
  } else {
      window.removeEventListener('popstate', ()=> {
          console.log('Go back');
      }, true);
      history.back();
  }
});

Solution

  • In order to remove a listener, you have to pass the listener function itself to removeEventListener().

    Another problem in your code is that with the use of if (true), you'll never reach the else block that is removing the listener. What you'll probably want to do is have a boolean variable outside of the listener that you change on the first call of the listener.

    var backButtonPrevented = false;
    history.pushState(null, document.title, location.href);
    
    function popStateListener(event) {
      if (backButtonPrevented === false){
        history.pushState(null, document.title, location.href);
        console.log('Back Button Prevented');
        backButtonPrevented = true;
      } else {
          window.removeEventListener('popstate', popStateListener);
          history.back();
      }
    }
    
    window.addEventListener('popstate', popStateListener);