AngularJs - 取消路由更改事件

IT技术 javascript angularjs
2021-01-17 00:07:58

如何取消 AngularJs 中的路由更改事件?

我目前的代码是

$rootScope.$on("$routeChangeStart", function (event, next, current) {

// do some validation checks
if(validation checks fails){

    console.log("validation failed");

    window.history.back(); // Cancel Route Change and stay on current page  

}
});

即使验证失败,Angular 也会拉取下一个模板和相关数据,然后立即切换回之前的视图/路由。如果验证失败,我不希望 angular 提取下一个模板和数据,理想情况下应该没有 window.history.back()。我什至尝试过 event.preventDefault() 但没有用。

6个回答

而不是$routeChangeStart使用$locationChangeStart

这是 angularjs 家伙关于它的讨论:https : //github.com/angular/angular.js/issues/2109

编辑 3/6/2018您可以在文档中找到它:https : //docs.angularjs.org/api/ng/service/$location#event-$locationChangeStart

例子:

$scope.$on('$locationChangeStart', function(event, next, current) {
    if ($scope.form.$invalid) {
       event.preventDefault();
    }
});
请注意,当使用$routeChangeStartnext变量只是一个字符串,它不能包含任何数据(例如,你不能访问先前定义的authorizedRoles变量)
2021-03-17 00:07:58
这样做的问题是无法访问路由参数集合。如果您尝试验证路由参数,则此解决方案不好。
2021-03-20 00:07:58
如果您想跟踪所有路由更改,您/是否建议在 rootScope 上执行此操作?或者有更可口的选择吗?
2021-03-23 00:07:58
@KingOfHypocrites 你不能得到路由参数,但你可以得到$location.path()$location.search()
2021-04-03 00:07:58

一个更完整的代码示例,使用 $locationChangeStart

// assuming you have a module called app, with a 
angular.module('app')
  .controller(
    'MyRootController',
    function($scope, $location, $rootScope, $log) {
      // your controller initialization here ...
      $rootScope.$on("$locationChangeStart", function(event, next, current) { 
        $log.info("location changing to:" + next); 
      });
    }
  );

我对在我的根控制器(顶级控制器)中连接它并不完全满意。如果有更好的模式,我很想知道。我是 angular 的新手:-)

是的,rootScope 的问题是您必须记住在控制器消失时解除绑定该处理程序。
2021-03-26 00:07:58
这对我很有用,尽管我并没有像原版海报那样试图取消我的路线更改。谢谢!
2021-03-27 00:07:58

一种解决方案是广播一个“notAuthorized”事件,并在主作用域中捕获它以重新更改位置。我认为这不是最好的解决方案,但它对我有用:

myApp.run(['$rootScope', 'LoginService',
    function ($rootScope, LoginService) {
        $rootScope.$on('$routeChangeStart', function (event, next, current) {
            var authorizedRoles = next.data ? next.data.authorizedRoles : null;
            if (LoginService.isAuthenticated()) {
                if (!LoginService.isAuthorized(authorizedRoles)) {
                    $rootScope.$broadcast('notAuthorized');
                }
            }
        });
    }
]);

在我的主控制器中:

    $scope.$on('notAuthorized', function(){
        $location.path('/forbidden');
    });

注意:angular 站点上有一些关于这个问题的讨论,尚未解决:https : //github.com/angular/angular.js/pull/4192

编辑:

要回答评论,这里是有关 LoginService 工作的更多信息。它包含3个功能:

  1. login()(名称具有误导性)向服务器发出请求以获取有关(以前)登录用户的信息。还有另一个登录页面,它只是填充服务器中的当前用户状态(使用 SpringSecurity 框架)。我的 Web 服务并不是真正的无状态,但我更愿意让那个著名的框架处理我的安全性。
  2. isAuthenticated() 只搜索客户端 Session 是否填充了数据,这意味着它之前已经过身份验证 (*)
  3. isAuthorized() 处理访问权限(超出本主题的范围)。

(*) 当路线改变时,我的会话被填充。我已覆盖 then when() 方法以在为空时填充会话。

这是代码:

services.factory('LoginService', ['$http', 'Session', '$q',
function($http, Session, $q){
    return {
        login: function () {
            var defer = $q.defer();
            $http({method: 'GET', url: restBaseUrl + '/currentUser'})
                .success(function (data) {
                    defer.resolve(data);
                });
            return defer.promise;
        },
        isAuthenticated: function () {
            return !!Session.userLogin;
        },
        isAuthorized: function (authorizedRoles) {
            if (!angular.isArray(authorizedRoles)) {
                authorizedRoles = [authorizedRoles];
            }

            return (this.isAuthenticated() &&  authorizedRoles.indexOf(Session.userRole) !== -1);
        }
    };
}]);

myApp.service('Session', ['$rootScope',
    this.create = function (userId,userLogin, userRole, userMail, userName, userLastName, userLanguage) {
        //User info
        this.userId = userId;
        this.userLogin = userLogin;
        this.userRole = userRole;
        this.userMail = userMail;
        this.userName = userName;
        this.userLastName = userLastName;
        this.userLanguage = userLanguage;
    };

    this.destroy = function () {
        this.userId = null;
        this.userLogin = null;
        this.userRole = null;
        this.userMail = null;
        this.userName = null;
        this.userLastName = null;
        this.userLanguage = null;
        sessionStorage.clear();
    };

    return this;
}]);

myApp.config(['$routeProvider', 'USER_ROLES', function ($routeProvider, USER_ROLES) {
    $routeProvider.accessWhen = function (path, route) {
        if (route.resolve == null) {
            route.resolve = {
                user: ['LoginService','Session',function (LoginService, Session) {
                    if (!LoginService.isAuthenticated())
                        return LoginService.login().then(function (data) {
                            Session.create(data.id, data.login, data.role, data.email, data.firstName, data.lastName, data.language);
                            return data;
                        });
                }]
            }
        } else {
            for (key in route.resolve) {
                var func = route.resolve[key];
                route.resolve[key] = ['LoginService','Session','$injector',function (LoginService, Session, $injector) {
                    if (!LoginService.isAuthenticated())
                        return LoginService.login().then(function (data) {
                            Session.create(data.id, data.login, data.role, data.email, data.firstName, data.lastName, data.language);
                            return func(Session, $injector);
                        });
                    else
                        return func(Session, $injector);
                }];
            }
        }
    return $routeProvider.when(path, route);
    };

    //use accessWhen instead of when
    $routeProvider.
        accessWhen('/home', {
            templateUrl: 'partials/dashboard.html',
            controller: 'DashboardCtrl',
            data: {authorizedRoles: [USER_ROLES.superAdmin, USER_ROLES.admin, USER_ROLES.system, USER_ROLES.user]},
            resolve: {nextEvents: function (Session, $injector) {
                $http = $injector.get('$http');
                return $http.get(actionBaseUrl + '/devices/nextEvents', {
                    params: {
                        userId: Session.userId, batch: {rows: 5, page: 1}
                    },
                    isArray: true}).then(function success(response) {
                    return response.data;
                });
            }
        }
    })
    ...
    .otherwise({
        redirectTo: '/home'
    });
}]);
我在原始答案中添加了有关 LoginService 的更多信息。currentUser 由服务器提供,路由变化处理任何页面刷新,用户无需再次登录。
2021-03-27 00:07:58
你能说一下LoginService.isAuthenticated()在第一页加载时返回什么吗?你如何储存currentUser如果用户刷新页面(用户需要再次重新输入凭据)会发生什么?
2021-04-07 00:07:58

对于任何遇到这个问题的人来说,这是一个老问题,(至少在 angular 1.4 中)你可以这样做:

 .run(function($rootScope, authenticationService) {
        $rootScope.$on('$routeChangeStart', function (event, next) {
            if (next.require == undefined) return

            var require = next.require
            var authorized = authenticationService.satisfy(require);

            if (!authorized) {
                $rootScope.error = "Not authorized!"
                event.preventDefault()
            }
        })
      })
@MatthiasJansen 当然。最重要的是,大括号计数两倍,分号计数三倍。
2021-03-14 00:07:58
我想知道,您是否因使用大括号或“;”而被收取额外费用?
2021-03-24 00:07:58

这是我的解决方案,它对我有用,但我不知道我是否走在正确的道路上,因为我是网络技术的新手。

var app = angular.module("app", ['ngRoute', 'ngCookies']);
app.run(function($rootScope, $location, $cookieStore){
$rootScope.$on('$routeChangeStart', function(event, route){
    if (route.mustBeLoggedOn && angular.isUndefined($cookieStore.get("user"))) {
        // reload the login route
        jError(
             'You must be logged on to visit this page',
             {
               autoHide : true,
               TimeShown : 3000,
               HorizontalPosition : 'right',
               VerticalPosition : 'top',
               onCompleted : function(){ 
               window.location = '#/signIn';
                 window.setTimeout(function(){

                 }, 3000)
             }
        });
    }
  });
});

app.config(function($routeProvider){
$routeProvider
    .when("/signIn",{
        controller: "SignInController",
        templateUrl: "partials/signIn.html",
        mustBeLoggedOn: false
});
如果您不确定自己的答案,如何回答问题?
2021-03-31 00:07:58
我确定它有效。我不确定这是否是正确的方法。如果您有更好的解决方案,我希望看到它。
2021-04-10 00:07:58