使用AngularJS进行服务器轮询

时间:2012-12-02 16:07:03

标签: javascript angularjs

我正在努力学习AngularJS。我第一次尝试每秒获取新数据的工作:

'use strict';

function dataCtrl($scope, $http, $timeout) {
    $scope.data = [];

    (function tick() {
        $http.get('api/changingData').success(function (data) {
            $scope.data = data;
            $timeout(tick, 1000);
        });
    })();
};

当我通过将线程休眠5秒来模拟慢速服务器时,它会在更新UI并设置另一个超时之前等待响应。问题是当我重写上述内容以使用Angular模块和DI来创建模块时:

'use strict';

angular.module('datacat', ['dataServices']);

angular.module('dataServices', ['ngResource']).
    factory('Data', function ($resource) {
        return $resource('api/changingData', {}, {
            query: { method: 'GET', params: {}, isArray: true }
        });
    });

function dataCtrl($scope, $timeout, Data) {
    $scope.data = [];

    (function tick() {
        $scope.data = Data.query();
        $timeout(tick, 1000);
    })();
};

这仅在服务器响应很快时才有效。如果有任何延迟,它会在不等待响应的情况下每秒发送1个请求,并且似乎清除了UI。我想我需要使用回调函数。我试过了:

var x = Data.get({}, function () { });

但收到错误:“错误:destination.push不是函数”这是基于$resource的文档,但我并不真正理解那里的示例。

如何使第二种方法有效?

4 个答案:

答案 0 :(得分:115)

您应该在tick的回调中调用query函数。

function dataCtrl($scope, $timeout, Data) {
    $scope.data = [];

    (function tick() {
        $scope.data = Data.query(function(){
            $timeout(tick, 1000);
        });
    })();
};

答案 1 :(得分:33)

更新版本的angular引入了$interval,它比$timeout更适合服务器轮询。

var refreshData = function() {
    // Assign to scope within callback to avoid data flickering on screen
    Data.query({ someField: $scope.fieldValue }, function(dataElements){
        $scope.data = dataElements;
    });
};

var promise = $interval(refreshData, 1000);

// Cancel interval on page changes
$scope.$on('$destroy', function(){
    if (angular.isDefined(promise)) {
        $interval.cancel(promise);
        promise = undefined;
    }
});

答案 2 :(得分:4)

这是我使用递归轮询的版本。这意味着它会在启动下一个超时之前等待服务器响应。 此外,当发生错误时,它将继续轮询,但是在更轻松的庄园中并根据错误的持续时间。

Demo is here

Written more about it in here

var app = angular.module('plunker', ['ngAnimate']);

app.controller('MainCtrl', function($scope, $http, $timeout) {

    var loadTime = 1000, //Load the data every second
        errorCount = 0, //Counter for the server errors
        loadPromise; //Pointer to the promise created by the Angular $timout service

    var getData = function() {
        $http.get('http://httpbin.org/delay/1?now=' + Date.now())

        .then(function(res) {
             $scope.data = res.data.args;

              errorCount = 0;
              nextLoad();
        })

        .catch(function(res) {
             $scope.data = 'Server error';
             nextLoad(++errorCount * 2 * loadTime);
        });
    };

     var cancelNextLoad = function() {
         $timeout.cancel(loadPromise);
     };

    var nextLoad = function(mill) {
        mill = mill || loadTime;

        //Always make sure the last timeout is cleared before starting a new one
        cancelNextLoad();
        $timeout(getData, mill);
    };


    //Start polling the data from the server
    getData();


        //Always clear the timeout when the view is destroyed, otherwise it will   keep polling
        $scope.$on('$destroy', function() {
            cancelNextLoad();
        });

        $scope.data = 'Loading...';
   });

答案 3 :(得分:0)

我们可以使用$ interval服务轻松进行轮询。 这里是关于$ interval的详细文档
https://docs.angularjs.org/api/ng/service/$interval
使用$ interval的问题是,如果您正在进行$ http服务调用或服务器交互,并且如果延迟超过$ interval时间,则在您的一个请求完成之前,它会启动另一个请求。
解决方案:
1.轮询应该是从服务器获取的简单状态,如单个位或轻量级json,所以不应该花费比定义的间隔时间更长的时间。您还应该适当地定义间隔时间以避免此问题。
2.不知何故,由于任何原因它仍在发生,你应该在发送任何其他请求之前检查先前请求已完成或未完成的全局标志。它将错过该时间间隔,但不会过早发送请求。
此外,如果您想设置阈值,在某些值之后无论如何应该设置轮询,那么您可以按照以下方式进行。
这是一个有效的例子。详细解释here

angular.module('myApp.view2', ['ngRoute'])
.controller('View2Ctrl', ['$scope', '$timeout', '$interval', '$http', function ($scope, $timeout, $interval, $http) {
    $scope.title = "Test Title";

    $scope.data = [];

    var hasvaluereturnd = true; // Flag to check 
    var thresholdvalue = 20; // interval threshold value

    function poll(interval, callback) {
        return $interval(function () {
            if (hasvaluereturnd) {  //check flag before start new call
                callback(hasvaluereturnd);
            }
            thresholdvalue = thresholdvalue - 1;  //Decrease threshold value 
            if (thresholdvalue == 0) {
                $scope.stopPoll(); // Stop $interval if it reaches to threshold
            }
        }, interval)
    }

    var pollpromise = poll(1000, function () {
        hasvaluereturnd = false;
        //$timeout(function () {  // You can test scenario where server takes more time then interval
        $http.get('http://httpbin.org/get?timeoutKey=timeoutValue').then(
            function (data) {
                hasvaluereturnd = true;  // set Flag to true to start new call
                $scope.data = data;

            },
            function (e) {
                hasvaluereturnd = true; // set Flag to true to start new call
                //You can set false also as per your requirement in case of error
            }
        );
        //}, 2000); 
    });

    // stop interval.
    $scope.stopPoll = function () {
        $interval.cancel(pollpromise);
        thresholdvalue = 0;     //reset all flags. 
        hasvaluereturnd = true;
    }
}]);