AngularJS取消超时



我有一个使用AngularJS和Onsen/Monaca UI开发的跨平台应用程序。

我有一个功能可以监视按钮单击的变化,如果在按钮上检测到一定数量的单击,则用户将被带到确认屏幕。

但是,如果用户选择按钮的时间过长,则应将它们重定向到另一个屏幕(尚未定义(。

我正在尝试用它实现$timeout功能,但是一旦用户选择了正确的按钮次数,我似乎无法取消$timeout。如果用户在允许的时间内选择按钮,它们将转到确认页,但 10 秒后仍会显示$timeout消息。

下面是我的实现。可以假设一切正常 - 除了 stop(( 函数中的 $timeout.cancel((。

// Initialise
var timer;
// Watch for changes on button clicks
$scope.$watch('currentAction', function(newValue, oldValue) {
    if (counter == 6) {
        // User clicked buttons - cancel the timer
        stop();
        // Segue to next page
        Segue.goTo("confirmation.html");
    }
    else {
        // Start the timer
        timer = $timeout(function () {
            alert("You are taking too long to respond");
        }, 10000);
    }
});
// Cancel the $timeout
function stop() {
    $timeout.cancel(timer);
}

其中 Segue.goTo(( 只是将用户连接到传入的页面(不相关,但为了清楚起见而包括在内(

var myFunctions = {
    goTo: function (url) {
        var nextPage = url;
        var element = document.querySelector("ons-navigator");
        var scope = angular.element(element).scope();
        scope.myNavigator.pushPage(nextPage);
    },
}

您在$scope.$watch中创建timer,如果多次创建timer并且仅保留一个变量,则只能取消最新的$timeout(timer)。因此,解决方案应该是将$timeout部分移出$scope.$watch或将计时器保留在数组中并循环数组以停止它们。

如果您仍然坚持使用 in $scope.$watch ,则应在创建新之前取消前一个。

if (timer) {
    $timeout.cancel(timer);
}
timer = $timeout(function () {
    alert("You are taking too long to respond");
}, 10000);

请参阅下面的代码片段。

  • timer在角度末端呈现页面后创建。
  • 更改
  • test后,将创建timer

angular.module("app", [])
  .controller("myCtrl", function($scope, $timeout) {
    var timer;
    $scope.$watch('test', function(newValue, oldValue) {
      console.log('$timeout created. value:' + newValue);
      timer = $timeout(function() {
        console.log('$timeout fired. value:' + newValue);
      }, 5000);
    })
    
    $scope.clickEvt = function() {
      console.log('$timeout canceld. currentValue:' + $scope.test);
      $timeout.cancel(timer);
    }
  })
<script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.23/angular.min.js"></script>
<div ng-app="app" ng-controller="myCtrl">
  <input type="text" ng-model="test">
  <button ng-click="clickEvt()">Stop<button>
</div>

尝试使用这个

$timeout.cancel(timer);

但是您需要在 if 之前定义计时器

相关内容

  • 没有找到相关文章

最新更新