86

我正在尝试学习 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

4 回答 4

116

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

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

    (function tick() {
        $scope.data = Data.query(function(){
            $timeout(tick, 1000);
        });
    })();
};
于 2012-12-02T17:04:41.377 回答
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;
    }
});
于 2014-01-29T05:23:48.147 回答
5

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

演示在这里

在这里写了更多关于它的信息

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...';
   });
于 2016-08-10T02:02:48.557 回答
0

我们可以使用 $interval 服务轻松进行轮询。这是关于$ interval
https://docs.angularjs.org/api/ng/service/$interval 的详细文档 然后在您的一个请求完成之前,它会启动另一个请求。 解决方案: 1. 轮询应该是从服务器获取的简单状态,例如单个位或轻量级 json,因此不应花费比您定义的间隔时间更长的时间。您还应该适当地定义时间间隔以避免此问题。



2.由于某种原因它仍然在发生,您应该在发送任何其他请求之前检查先前请求是否完成的全局标志。它会错过那个时间间隔,但不会过早发送请求。
此外,如果您想设置阈值,无论如何都应该设置轮询值,那么您可以按照以下方式进行操作。
这是工作示例。在这里详细解释

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;
    }
}]);
于 2017-04-02T05:00:41.580 回答