使用基于空闲用户的Angularjs自动注销

时间:2013-10-03 20:08:48

标签: angularjs ng-idle

是否可以确定用户是否处于非活动状态,并在使用angularjs说不活动10分钟后自动将其注销?

我试图避免使用jQuery,但我找不到有关如何在angularjs中执行此操作的任何教程或文章。任何帮助将不胜感激。

11 个答案:

答案 0 :(得分:110)

我写了一个名为Ng-Idle的模块,在这种情况下可能对你有用。 Here is the page which contains instructions and a demo.

基本上,它有一项服务可以为您的空闲时间启动计时器,该计时器可能会被用户活动(事件,例如点击,滚动,键入)中断。您还可以通过调用服务上的方法手动中断超时。如果超时没有中断,那么它会倒计时警告,您可以提醒用户他们将要注销。如果他们在警告倒计时达到0后没有响应,则会广播一个您的应用程序可以响应的事件。在您的情况下,它可以发出请求以终止其会话并重定向到登录页面。

此外,它还有一个保持活动的服务,可以间隔ping一些URL。您的应用可以使用它来保持用户会话处于活动状态时保持活动状态。默认情况下,空闲服务与保持活动服务集成,如果它们变为空闲则暂停ping,并在它们返回时恢复它。

您需要开始的所有信息都在site上,wiki中有更多详细信息。但是,这里有一个配置片段,显示如何在超时时签名。

angular.module('demo', ['ngIdle'])
// omitted for brevity
.config(function(IdleProvider, KeepaliveProvider) {
  IdleProvider.idle(10*60); // 10 minutes idle
  IdleProvider.timeout(30); // after 30 seconds idle, time the user out
  KeepaliveProvider.interval(5*60); // 5 minute keep-alive ping
})
.run(function($rootScope) {
    $rootScope.$on('IdleTimeout', function() {
        // end their session and redirect to login
    });
});

答案 1 :(得分:20)

查看正在使用angularjs的{​​{3}}并查看您的浏览器日志

<!DOCTYPE html>
<html ng-app="Application_TimeOut">
<head>
<script src="http://cdnjs.cloudflare.com/ajax/libs/angular.js/1.2.20/angular.min.js"></script>
</head>

<body>
</body>

<script>

var app = angular.module('Application_TimeOut', []);
app.run(function($rootScope, $timeout, $document) {    
    console.log('starting run');

    // Timeout timer value
    var TimeOutTimerValue = 5000;

    // Start a timeout
    var TimeOut_Thread = $timeout(function(){ LogoutByTimer() } , TimeOutTimerValue);
    var bodyElement = angular.element($document);

    /// Keyboard Events
    bodyElement.bind('keydown', function (e) { TimeOut_Resetter(e) });  
    bodyElement.bind('keyup', function (e) { TimeOut_Resetter(e) });    

    /// Mouse Events    
    bodyElement.bind('click', function (e) { TimeOut_Resetter(e) });
    bodyElement.bind('mousemove', function (e) { TimeOut_Resetter(e) });    
    bodyElement.bind('DOMMouseScroll', function (e) { TimeOut_Resetter(e) });
    bodyElement.bind('mousewheel', function (e) { TimeOut_Resetter(e) });   
    bodyElement.bind('mousedown', function (e) { TimeOut_Resetter(e) });        

    /// Touch Events
    bodyElement.bind('touchstart', function (e) { TimeOut_Resetter(e) });       
    bodyElement.bind('touchmove', function (e) { TimeOut_Resetter(e) });        

    /// Common Events
    bodyElement.bind('scroll', function (e) { TimeOut_Resetter(e) });       
    bodyElement.bind('focus', function (e) { TimeOut_Resetter(e) });    

    function LogoutByTimer()
    {
        console.log('Logout');

        ///////////////////////////////////////////////////
        /// redirect to another page(eg. Login.html) here
        ///////////////////////////////////////////////////
    }

    function TimeOut_Resetter(e)
    {
        console.log('' + e);

        /// Stop the pending timeout
        $timeout.cancel(TimeOut_Thread);

        /// Reset the timeout
        TimeOut_Thread = $timeout(function(){ LogoutByTimer() } , TimeOutTimerValue);
    }

})
</script>

</html>

下面的代码是纯javascript版本

<html>
    <head>
        <script type="text/javascript">         
            function logout(){
                console.log('Logout');
            }

            function onInactive(millisecond, callback){
                var wait = setTimeout(callback, millisecond);               
                document.onmousemove = 
                document.mousedown = 
                document.mouseup = 
                document.onkeydown = 
                document.onkeyup = 
                document.focus = function(){
                    clearTimeout(wait);
                    wait = setTimeout(callback, millisecond);                       
                };
            }           
        </script>
    </head> 
    <body onload="onInactive(5000, logout);"></body>
</html>

更新

我将我的解决方案更新为@Tom建议。

<!DOCTYPE html>
<html ng-app="Application_TimeOut">
<head>
<script src="http://cdnjs.cloudflare.com/ajax/libs/angular.js/1.2.20/angular.min.js"></script>
</head>

<body>
</body>

<script>
var app = angular.module('Application_TimeOut', []);
app.run(function($rootScope, $timeout, $document) {    
    console.log('starting run');

    // Timeout timer value
    var TimeOutTimerValue = 5000;

    // Start a timeout
    var TimeOut_Thread = $timeout(function(){ LogoutByTimer() } , TimeOutTimerValue);
    var bodyElement = angular.element($document);

    angular.forEach(['keydown', 'keyup', 'click', 'mousemove', 'DOMMouseScroll', 'mousewheel', 'mousedown', 'touchstart', 'touchmove', 'scroll', 'focus'], 
    function(EventName) {
         bodyElement.bind(EventName, function (e) { TimeOut_Resetter(e) });  
    });

    function LogoutByTimer(){
        console.log('Logout');
        ///////////////////////////////////////////////////
        /// redirect to another page(eg. Login.html) here
        ///////////////////////////////////////////////////
    }

    function TimeOut_Resetter(e){
        console.log(' ' + e);

        /// Stop the pending timeout
        $timeout.cancel(TimeOut_Thread);

        /// Reset the timeout
        TimeOut_Thread = $timeout(function(){ LogoutByTimer() } , TimeOutTimerValue);
    }

})
</script>
</html>

Demo

答案 2 :(得分:19)

应该有不同的方法来实现它,每种方法都应该比其他方法更适合特定的应用程序。对于大多数应用程序,您只需处理键或鼠标事件,并适当地启用/禁用注销计时器。也就是说,在我的头脑中,一个“花哨的”AngularJS-y解决方案正在监视摘要循环,如果没有在最后[指定的持续时间]内触发,则注销。这样的事情。

app.run(function($rootScope) {
  var lastDigestRun = new Date();
  $rootScope.$watch(function detectIdle() {
    var now = new Date();
    if (now - lastDigestRun > 10*60*60) {
       // logout here, like delete cookie, navigate to login ...
    }
    lastDigestRun = now;
  });
});

答案 3 :(得分:11)

使用Boo的方法,但是不喜欢用户在运行另一个摘要后才开始启动的事实,这意味着用户保持登录状态,直到他尝试在页面内执行某些操作,然后立即启动。< / p>

我正在尝试使用间隔强制注销,如果上次操作时间超过30分钟,则会每分钟检查一次。我把它挂在了$ routeChangeStart上,但也可以挂钩在$ rootScope上。$ watch就像Boo的例子一样。

app.run(function($rootScope, $location, $interval) {

    var lastDigestRun = Date.now();
    var idleCheck = $interval(function() {
        var now = Date.now();            
        if (now - lastDigestRun > 30*60*1000) {
           // logout
        }
    }, 60*1000);

    $rootScope.$on('$routeChangeStart', function(evt) {
        lastDigestRun = Date.now();  
    });
});

答案 4 :(得分:5)

您还可以比注入多个提供商更直接地使用angular-activity-monitor,并使用setInterval()(与角度&#39; s $interval相比)以避免手动触发消化循环(这对于防止物品无意中存活非常重要)。

最终,您只需订阅一些确定用户何时处于非活动状态或变得接近的事件。因此,如果您想在10分钟不活动后注销用户,可以使用以下代码段:

angular.module('myModule', ['ActivityMonitor']);

MyController.$inject = ['ActivityMonitor'];
function MyController(ActivityMonitor) {
  // how long (in seconds) until user is considered inactive
  ActivityMonitor.options.inactive = 600;

  ActivityMonitor.on('inactive', function() {
    // user is considered inactive, logout etc.
  });

  ActivityMonitor.on('keepAlive', function() {
    // items to keep alive in the background while user is active
  });

  ActivityMonitor.on('warning', function() {
    // alert user when they're nearing inactivity
  });
}

答案 5 :(得分:3)

我尝试了Buu的方法,由于触发消化器执行的大量事件,包括$ interval和$ timeout函数执行,因此无法完全正确。这使应用程序处于无论用户输入如何都不会空闲的状态。

如果您确实需要跟踪用户空闲时间,我不确定是否有良好的角度方法。我建议Witoldz在https://github.com/witoldsz/angular-http-auth代表一种更好的方法。此方法将提示用户在需要其凭据的操作时重新进行身份验证。在用户进行身份验证之后,将重新处理先前失败的请求,并且应用程序继续运行,就像没有发生任何事情一样。

这可以解决您在活动时让用户的会话过期的问题,因为即使他们的身份验证过期,他们仍然能够保留应用程序状态而不会丢失任何工作。

如果您的客户端上有某种会话(cookie,令牌等),您也可以观看它们,并在它们过期时触发您的注销过程。

app.run(['$interval', function($interval) {
  $interval(function() {
    if (/* session still exists */) {
    } else {
      // log out of client
    }
  }, 1000);
}]);

更新:这是一个表明担忧的插件。 http://plnkr.co/edit/ELotD8W8VAeQfbYFin1W。 这证明了消化器运行时间仅在间隔时间点更新。一旦间隔达到最大计数,则消化器将不再运行。

答案 6 :(得分:3)

ng-Idle看起来像是要走的路,但是我无法弄清楚Brian F的修改,并希望暂停睡眠会话,我也有一个非常简单的用例。我把它简化为下面的代码。它挂钩事件以重置超时标志(懒洋洋地放在$ rootScope中)。它只检测用户返回(并触发事件)时发生的超时,但这对我来说已经足够了。我无法获得有角度的$ location位置,但是再次使用document.location.href完成工作。

在.config运行后,我把它放在我的app.js中。

app.run(function($rootScope,$document) 
{
  var d = new Date();
  var n = d.getTime();  //n in ms

    $rootScope.idleEndTime = n+(20*60*1000); //set end time to 20 min from now
    $document.find('body').on('mousemove keydown DOMMouseScroll mousewheel mousedown touchstart', checkAndResetIdle); //monitor events

    function checkAndResetIdle() //user did something
    {
      var d = new Date();
      var n = d.getTime();  //n in ms

        if (n>$rootScope.idleEndTime)
        {
            $document.find('body').off('mousemove keydown DOMMouseScroll mousewheel mousedown touchstart'); //un-monitor events

            //$location.search('IntendedURL',$location.absUrl()).path('/login'); //terminate by sending to login page
            document.location.href = 'https://whatever.com/myapp/#/login';
            alert('Session ended due to inactivity');
        }
        else
        {
            $rootScope.idleEndTime = n+(20*60*1000); //reset end time
        }
    }
});

答案 7 :(得分:1)

我认为Buu的消化周期表是天才。感谢分享。正如其他人所说,$ interval也会导致摘要周期运行。为了自动记录用户,我们可以使用setInterval,它不会导致摘要循环。

app.run(function($rootScope) {
    var lastDigestRun = new Date();
    setInterval(function () {
        var now = Date.now();
        if (now - lastDigestRun > 10 * 60 * 1000) {
          //logout
        }
    }, 60 * 1000);

    $rootScope.$watch(function() {
        lastDigestRun = new Date();
    });
});

答案 8 :(得分:1)

我已经为此使用了ng-idle并添加了一些注销和令牌空代码,它运行正常,你可以试试这个。 感谢@HackedByChinese制作了这么好的模块。

IdleTimeout 中,我刚删除了会话数据和令牌。

  

这是我的代码

$scope.$on('IdleTimeout', function () {
        closeModals();
        delete $window.sessionStorage.token;
        $state.go("login");
        $scope.timedout = $uibModal.open({
            templateUrl: 'timedout-dialog.html',
            windowClass: 'modal-danger'
        });
    });

答案 9 :(得分:1)

我想将答案扩展到可能在更大的项目中使用它的人,你可能会意外地附加多个事件处理程序,程序会表现得很奇怪。

为了解决这个问题,我使用了一个工厂公开的单例函数,你可以从角度应用程序中调用inactivityTimeoutFactory.switchTimeoutOn()inactivityTimeoutFactory.switchTimeoutOff()来分别激活和停用由于不活动功能而导致的注销

这样,无论您尝试激活超时过程多少次,都可以确保只运行事件处理程序的单个实例,从而可以更轻松地在用户可能从不同路由登录的应用程序中使用。 / p>

这是我的代码:

'use strict';

angular.module('YOURMODULENAME')
  .factory('inactivityTimeoutFactory', inactivityTimeoutFactory);

inactivityTimeoutFactory.$inject = ['$document', '$timeout', '$state'];

function inactivityTimeoutFactory($document, $timeout, $state)  {
  function InactivityTimeout () {
    // singleton
    if (InactivityTimeout.prototype._singletonInstance) {
      return InactivityTimeout.prototype._singletonInstance;
    }
    InactivityTimeout.prototype._singletonInstance = this;

    // Timeout timer value
    const timeToLogoutMs = 15*1000*60; //15 minutes
    const timeToWarnMs = 13*1000*60; //13 minutes

    // variables
    let warningTimer;
    let timeoutTimer;
    let isRunning;

    function switchOn () {
      if (!isRunning) {
        switchEventHandlers("on");
        startTimeout();
        isRunning = true;
      }
    }

    function switchOff()  {
      switchEventHandlers("off");
      cancelTimersAndCloseMessages();
      isRunning = false;
    }

    function resetTimeout() {
      cancelTimersAndCloseMessages();
      // reset timeout threads
      startTimeout();
    }

    function cancelTimersAndCloseMessages () {
      // stop any pending timeout
      $timeout.cancel(timeoutTimer);
      $timeout.cancel(warningTimer);
      // remember to close any messages
    }

    function startTimeout () {
      warningTimer = $timeout(processWarning, timeToWarnMs);
      timeoutTimer = $timeout(processLogout, timeToLogoutMs);
    }

    function processWarning() {
      // show warning using popup modules, toasters etc...
    }

    function processLogout() {
      // go to logout page. The state might differ from project to project
      $state.go('authentication.logout');
    }

    function switchEventHandlers(toNewStatus) {
      const body = angular.element($document);
      const trackedEventsList = [
        'keydown',
        'keyup',
        'click',
        'mousemove',
        'DOMMouseScroll',
        'mousewheel',
        'mousedown',
        'touchstart',
        'touchmove',
        'scroll',
        'focus'
      ];

      trackedEventsList.forEach((eventName) => {
        if (toNewStatus === 'off') {
          body.off(eventName, resetTimeout);
        } else if (toNewStatus === 'on') {
          body.on(eventName, resetTimeout);
        }
      });
    }

    // expose switch methods
    this.switchOff = switchOff;
    this.switchOn = switchOn;
  }

  return {
    switchTimeoutOn () {
      (new InactivityTimeout()).switchOn();
    },
    switchTimeoutOff () {
      (new InactivityTimeout()).switchOff();
    }
  };

}

答案 10 :(得分:0)

[在应用程序引用 js 文件中添加以下脚本][1] [1]:https://rawgit.com/hackedbychinese/ng-idle/master/angular-idle.js

var mainApp = angular.module('mainApp', ['ngIdle']);
mainApp.config(function (IdleProvider, KeepaliveProvider) {
IdleProvider.idle(10*60); // 10 minutes idel user
IdleProvider.timeout(5);
KeepaliveProvider.interval(10);
});

mainApp
.controller('mainController', ['$scope', 'Idle', 'Keepalive', function ($scope, 
   Idle, Keepalive) {
     //when login then call below function
     Idle.watch();
     $scope.$on('IdleTimeout', function () {
         $scope.LogOut();
         //Logout function or redirect to logout url
      });
  });