AngularJs $watch on $location.search doesn't work when reloadOnSearch is false

前端 未结 6 673
一向
一向 2020-12-08 01:53

My routeProvider for route has reloadOnSearch set to false :

 $routeProvider
     .when(
        \"/film/list\",
         


        
相关标签:
6条回答
  • 2020-12-08 02:27

    Watch the change on routeUpdate like this in controller:

     $scope.$watch('$routeUpdate', function(){
         $scope.sort = $location.search().sort;
         $scope.order = $location.search().order; 
     });
    
    0 讨论(0)
  • 2020-12-08 02:39

    $watch(watchExpression, listener, [objectEquality]);

    watchExpression => should be either

    1. A string evaluated as expression or
    2. A function called with current scope as a parameter

    So here, You should pass your first parameter as a function.

    JavaScript Example =>

    $scope.$watch (
                    function () { return $scope.$location.search(); };
                    function (value) { console.log(value); } 
                  );
    

    Typescript example =>

    this.$scope.$watch (
                         () => { return this.$location.search(); },
                         (value: any) => { console.log(value); }
                       ) ;
    

    This did work for me.

    0 讨论(0)
  • 2020-12-08 02:43

    Use

    $scope.$watch(function(){ return $location.search() }, function(params){
        console.log(params);
    });
    

    instead.

    0 讨论(0)
  • 2020-12-08 02:45

    Stewies answer is correct, you should listen to $routeUpdate events for that since it's more efficient.

    But to answer why your watch isn't working; when you watch location.search(), you're watching if the reference that the search method returns is the same or not. And it will return the reference to the same object every time you call it, which is why your watch isn't firing. That is, even if the search parameters change, it's still the same object that is returned. To get around that, you can pass in true as the third argument to $watch. That will tell Angular to compare by value, not reference. But be careful when creating such watches, because they will consume more memory, and take longer to execute. So that's why you should do it like stewie said.

    0 讨论(0)
  • 2020-12-08 02:48

    You can listen for $routeUpdate event in your controller:

    $scope.$on('$routeUpdate', function(){
      $scope.sort = $location.search().sort;
      $scope.order = $location.search().order;
      $scope.offset = $location.search().offset;
    });
    
    0 讨论(0)
  • 2020-12-08 02:50

    In case you don't use Angular's route resolution or you just want to know whenever $location changes, there is an event just for that purpose

    $rootScope.$on('$locationChangeSuccess', function(event){
            var url = $location.url(),
                params = $location.search();
    })
    
    0 讨论(0)
提交回复
热议问题