AngularJS-各ルートとコントローラーでのログインと認証


130

私は、yeoman、grunt、bowerを使用して作成されたAngularJSアプリケーションを持っています。

認証をチェックするコントローラーを備えたログインページがあります。資格情報が正しい場合、ホームページに転送します。

app.js

'use strict';
//Define Routing for app
angular.module('myApp', []).config(['$routeProvider', '$locationProvider',
  function($routeProvider,$locationProvider) {
    $routeProvider
    .when('/login', {
        templateUrl: 'login.html',
        controller: 'LoginController'
    })
    .when('/register', {
        templateUrl: 'register.html',
        controller: 'RegisterController'
      })
    .when('/forgotPassword', {
        templateUrl: 'forgotpassword.html',
        controller: 'forgotController'
      })
   .when('/home', {
       templateUrl: 'views/home.html',
       controller: 'homeController'
    })
    .otherwise({
       redirectTo: '/login'
    });
//    $locationProvider.html5Mode(true); //Remove the '#' from URL.
}]);

angular.module('myApp').factory("page", function($rootScope){
    var page={};
    var user={};
    page.setPage=function(title,bodyClass){
        $rootScope.pageTitle = title;
        $rootScope.bodylayout=bodyClass;
    };
    page.setUser=function(user){
        $rootScope.user=user;
    }
    return page;
});

LoginControler.js

'use strict';

angular.module('myApp').controller('LoginController', function($scope, $location, $window,page) {
    page.setPage("Login","login-layout");
    $scope.user = {};
    $scope.loginUser=function()
    {
        var username=$scope.user.name;
        var password=$scope.user.password;
        if(username=="admin" && password=="admin123")
        {
            page.setUser($scope.user);
            $location.path( "/home" );
        }
        else
        {
            $scope.message="Error";
            $scope.messagecolor="alert alert-danger";
        }
    }
});

私が持っているホームページで

<span class="user-info">
    <small>Welcome,</small>
    {{user.name}}
</span>
<span class="logout"><a href="" ng-click="logoutUser()">Logout</a></span>

の中に loginController、ログイン情報を確認し、成功した場合は、サービスファクトリにユーザーオブジェクトを設定します。これが正しいかどうかはわかりません。

ユーザーがログインすると、他のすべてのページがその値を取得できるように、ユーザーオブジェクトに値が設定されます。

ルートが変更されるたびに、コントローラーはユーザーがログインしているかどうかを確認する必要があります。そうでない場合は、ログインページに再ルーティングする必要があります。また、ユーザーがすでにログインしており、ページに戻ってきた場合は、ホームページに移動する必要があります。コントローラは、すべてのルートの資格情報も確認する必要があります。

ng-cookieについて聞いたことがありますが、使い方がわかりません。

私が見た例の多くはあまり明確ではなく、ある種のアクセスロールなどを使用しています。それは欲しくない。ログインフィルターだけが必要です。誰かが私にいくつかのアイデアを与えることはできますか?

回答:


180

私のソリューションは3つの部分に分かれています。ユーザーの状態はサービスに格納され、runメソッドではルートが変更されたときに監視し、ユーザーが要求されたページへのアクセスを許可されているかどうかを確認します。メインコントローラーでは、ユーザー変更の状態。

app.run(['$rootScope', '$location', 'Auth', function ($rootScope, $location, Auth) {
    $rootScope.$on('$routeChangeStart', function (event) {

        if (!Auth.isLoggedIn()) {
            console.log('DENY');
            event.preventDefault();
            $location.path('/login');
        }
        else {
            console.log('ALLOW');
            $location.path('/home');
        }
    });
}]);

Authユーザーオブジェクトを処理し、ユーザーがログに記録されているかどうかを確認するメソッドを持つサービスを作成する必要があります(名前を付けます)。

サービス

 .factory('Auth', function(){
var user;

return{
    setUser : function(aUser){
        user = aUser;
    },
    isLoggedIn : function(){
        return(user)? user : false;
    }
  }
})

からapp.run$routeChangeStartイベントを聞く必要があります。ルートが変更されると、ユーザーがログインしているかどうかが確認されます(isLoggedInメソッドで処理する必要)。ユーザーがログインしていない場合、要求されたルートは読み込まれず、ユーザーは正しいページにリダイレクトされます(ログインの場合)。

loginControllerログインを処理するために、あなたのログインページで使用されるべきです。Authサービスと相互作用して、ユーザーをログに記録するかどうかを設定するだけです。

loginController

.controller('loginCtrl', [ '$scope', 'Auth', function ($scope, Auth) {
  //submit
  $scope.login = function () {
    // Ask to the server, do your job and THEN set the user

    Auth.setUser(user); //Update the state of the user in the app
  };
}])

メインコントローラーから、ユーザーの状態が変化した場合にリッスンし、リダイレクトに反応することができます。

.controller('mainCtrl', ['$scope', 'Auth', '$location', function ($scope, Auth, $location) {

  $scope.$watch(Auth.isLoggedIn, function (value, oldValue) {

    if(!value && oldValue) {
      console.log("Disconnect");
      $location.path('/login');
    }

    if(value) {
      console.log("Connect");
      //Do something when the user is connected
    }

  }, true);

1
loginControllerは、ユーザーがログインページからログインすることを許可します。ログインフォームを処理します。フォームは、loginControllerの一部であるsubmitメソッドを呼び出す必要があります。このメソッドは、フォームが正しく、ユーザーがログインする必要がある場合に、私が説明した認証サービスを使用しているユーザーの状態を更新します。
2014年

2
魅力のように働いた!提供されたサービスの代わりに、AngularJSでAuth0を使用しました
Nikos Baxevanis 2014年

34
ユーザーがF5キーを押して更新するとどうなりますか?その後、メモリ内の認証がなくなりました。
Gaui

4
念のために他の人が実行するには、この例の取得に問題がある:でrouteChangeStart、コールバックあなたはその場所が実際にあるかどうか「/ログイン」をチェックし、許可する必要があります:if ( $location.path() === "/login" ) return;
user2084865

1
無限ループに陥ります。
Nipun Tyagi 2016

110

またはのresolve属性を使用した別の可能な解決策を次に示します。の例:$stateProvider$routeProvider$stateProvider

.config(["$stateProvider", function ($stateProvider) {

  $stateProvider

  .state("forbidden", {
    /* ... */
  })

  .state("signIn", {
    /* ... */
    resolve: {
      access: ["Access", function (Access) { return Access.isAnonymous(); }],
    }
  })

  .state("home", {
    /* ... */
    resolve: {
      access: ["Access", function (Access) { return Access.isAuthenticated(); }],
    }
  })

  .state("admin", {
    /* ... */
    resolve: {
      access: ["Access", function (Access) { return Access.hasRole("ROLE_ADMIN"); }],
    }
  });

}])

Access 現在のユーザー権限に応じてプロミスを解決または拒否します。

.factory("Access", ["$q", "UserProfile", function ($q, UserProfile) {

  var Access = {

    OK: 200,

    // "we don't know who you are, so we can't say if you're authorized to access
    // this resource or not yet, please sign in first"
    UNAUTHORIZED: 401,

    // "we know who you are, and your profile does not allow you to access this resource"
    FORBIDDEN: 403,

    hasRole: function (role) {
      return UserProfile.then(function (userProfile) {
        if (userProfile.$hasRole(role)) {
          return Access.OK;
        } else if (userProfile.$isAnonymous()) {
          return $q.reject(Access.UNAUTHORIZED);
        } else {
          return $q.reject(Access.FORBIDDEN);
        }
      });
    },

    hasAnyRole: function (roles) {
      return UserProfile.then(function (userProfile) {
        if (userProfile.$hasAnyRole(roles)) {
          return Access.OK;
        } else if (userProfile.$isAnonymous()) {
          return $q.reject(Access.UNAUTHORIZED);
        } else {
          return $q.reject(Access.FORBIDDEN);
        }
      });
    },

    isAnonymous: function () {
      return UserProfile.then(function (userProfile) {
        if (userProfile.$isAnonymous()) {
          return Access.OK;
        } else {
          return $q.reject(Access.FORBIDDEN);
        }
      });
    },

    isAuthenticated: function () {
      return UserProfile.then(function (userProfile) {
        if (userProfile.$isAuthenticated()) {
          return Access.OK;
        } else {
          return $q.reject(Access.UNAUTHORIZED);
        }
      });
    }

  };

  return Access;

}])

UserProfileコピー現在のユーザ特性、および実装$hasRole$hasAnyRole$isAnonymous及び$isAuthenticated方法ロジック(プラス$refresh方法は、後述します)。

.factory("UserProfile", ["Auth", function (Auth) {

  var userProfile = {};

  var clearUserProfile = function () {
    for (var prop in userProfile) {
      if (userProfile.hasOwnProperty(prop)) {
        delete userProfile[prop];
      }
    }
  };

  var fetchUserProfile = function () {
    return Auth.getProfile().then(function (response) {
      clearUserProfile();
      return angular.extend(userProfile, response.data, {

        $refresh: fetchUserProfile,

        $hasRole: function (role) {
          return userProfile.roles.indexOf(role) >= 0;
        },

        $hasAnyRole: function (roles) {
          return !!userProfile.roles.filter(function (role) {
            return roles.indexOf(role) >= 0;
          }).length;
        },

        $isAnonymous: function () {
          return userProfile.anonymous;
        },

        $isAuthenticated: function () {
          return !userProfile.anonymous;
        }

      });
    });
  };

  return fetchUserProfile();

}])

Auth サーバーのリクエストを担当し、ユーザープロフィール(リクエストに添付されたアクセストークンにリンクされているなど)を知る:

.service("Auth", ["$http", function ($http) {

  this.getProfile = function () {
    return $http.get("api/auth");
  };

}])

サーバーはリクエスト時にそのようなJSONオブジェクトを返すことが期待されていますGET api/auth

{
  "name": "John Doe", // plus any other user information
  "roles": ["ROLE_ADMIN", "ROLE_USER"], // or any other role (or no role at all, i.e. an empty array)
  "anonymous": false // or true
}

最後に、Accesspromiseを拒否した場合、を使用するui.routerと、$stateChangeErrorイベントが発生します。

.run(["$rootScope", "Access", "$state", "$log", function ($rootScope, Access, $state, $log) {

  $rootScope.$on("$stateChangeError", function (event, toState, toParams, fromState, fromParams, error) {
    switch (error) {

    case Access.UNAUTHORIZED:
      $state.go("signIn");
      break;

    case Access.FORBIDDEN:
      $state.go("forbidden");
      break;

    default:
      $log.warn("$stateChangeError event catched");
      break;

    }
  });

}])

を使用しているngRoute場合、$routeChangeErrorイベントが発生します。

.run(["$rootScope", "Access", "$location", "$log", function ($rootScope, Access, $location, $log) {

  $rootScope.$on("$routeChangeError", function (event, current, previous, rejection) {
    switch (rejection) {

    case Access.UNAUTHORIZED:
      $location.path("/signin");
      break;

    case Access.FORBIDDEN:
      $location.path("/forbidden");
      break;

    default:
      $log.warn("$stateChangeError event catched");
      break;

    }
  });

}])

ユーザープロファイルには、コントローラーからもアクセスできます。

.state("home", {
  /* ... */
  controller: "HomeController",
  resolve: {
    userProfile: "UserProfile"
  }
})

UserProfile次に、リクエスト時にサーバーから返されたプロパティが含まれますGET api/auth

.controller("HomeController", ["$scope", "userProfile", function ($scope, userProfile) {

  $scope.title = "Hello " + userProfile.name; // "Hello John Doe" in the example

}])

UserProfileAccess新しいユーザープロファイルでルートを処理できるように、ユーザーがサインインまたはサインアウトするときに更新する必要があります。ページ全体をリロードするか、を呼び出すことができますUserProfile.$refresh()。ログイン時の例:

.service("Auth", ["$http", function ($http) {

  /* ... */

  this.signIn = function (credentials) {
    return $http.post("api/auth", credentials).then(function (response) {
      // authentication succeeded, store the response access token somewhere (if any)
    });
  };

}])
.state("signIn", {
  /* ... */
  controller: "SignInController",
  resolve: {
    /* ... */
    userProfile: "UserProfile"
  }
})
.controller("SignInController", ["$scope", "$state", "Auth", "userProfile", function ($scope, $state, Auth, userProfile) {

  $scope.signIn = function () {
    Auth.signIn($scope.credentials).then(function () {
      // user successfully authenticated, refresh UserProfile
      return userProfile.$refresh();
    }).then(function () {
      // UserProfile is refreshed, redirect user somewhere
      $state.go("home");
    });
  };

}])

3
私はこれが最もシンプルで最も拡張可能な答えだと思います
Jotham

2
@LeblancMenesesありがとう:)明確にするために:UNAUTHORIZEDは「あなたが誰であるかわからないので、このリソースへのアクセスが許可されているかどうかを確認できません。最初にサインインしてください」禁止されている「私たちはあなたが誰であるかを知っています、そしてあなたのプロフィールはあなたがこのリソースにアクセスすることを許可していません」を意味します
sp00m

1
優れたソリューション、サーバー側のSpring認証に適合する可能性
Jan Peter

1
これまでで最高のソリューション!
レナンフランカ

1
@jsbishtすべては、アクセストークンを格納する場所に依存します(最後のスニペットを参照)。JSメモリにのみ保存する場合、はい:F5は認証情報を削除します。しかし、それを永続的なストレージ(たとえば、cookie / localStorage / sessionStorage)に保存する場合、いいえ:F5は認証情報を削除しません(トークンをすべての$ httpリクエストに、または少なくとも送信されたリクエストに添付する限り)。 rest / users / profile、サーバーは添付のトークンにリンクされたユーザーのプロファイルを返すことが期待されているため)。ただし、Cookieストレージを使用する場合はCSRFに注意してください。
sp00m 2016年

21

個々のルートのカスタム動作を定義する最も簡単な方法は、かなり簡単です。

1)routes.jsrequireAuth希望するルートの新しいプロパティ(など)を作成します

angular.module('yourApp').config(function($routeProvider) {
    $routeProvider
        .when('/home', {
            templateUrl: 'templates/home.html',
            requireAuth: true // our custom property
        })
        .when('/login', {
            templateUrl: 'templates/login.html',
        })
        .otherwise({
            redirectTo: '/home'
        });
})

2)内の要素にバインドされていない最上位のコントローラーでng-view(angularとの競合を避けるため$routeProvider)、newUrlrequireAuthプロパティがあるかどうかを確認し、それに応じて動作します

 angular.module('YourApp').controller('YourController', function ($scope, $location, session) {

     // intercept the route change event
     $scope.$on('$routeChangeStart', function (angularEvent, newUrl) {

         // check if the custom property exist
         if (newUrl.requireAuth && !session.user) {

             // user isn’t authenticated
             $location.path("/login");
         }
     });
 });

1
すべてのルートに 'requireAuth:true'属性を1か所で指定できますか?私のシナリオでは、それらはログインページではなく、サードパーティの残りの呼び出しから認証されるためです。そのため、1つの場所で指定したかったので、今後追加されるルートにも適用する必要があります。
Raghuveer

1
私が知っていることではありません。おそらく、で定義された特別なプロパティを持たないすべてのルートをチェックできますroutes.js
DotBot 2016

1
素晴らしくシンプルな例それは私のニーズにとても役立ちました。
エラー505

6

Angularでユーザー登録とログイン機能をセットアップする方法について数か月前に投稿しました。http://jasonwatmore.com/post/2015/03/10/AngularJS-User-Registration-andで確認できます。-Login-Example.aspx

ユーザーが$locationChangeStartイベントにログインしているかどうかを確認します。これは、これを示すメインのapp.jsです。

(function () {
    'use strict';
 
    angular
        .module('app', ['ngRoute', 'ngCookies'])
        .config(config)
        .run(run);
 
    config.$inject = ['$routeProvider', '$locationProvider'];
    function config($routeProvider, $locationProvider) {
        $routeProvider
            .when('/', {
                controller: 'HomeController',
                templateUrl: 'home/home.view.html',
                controllerAs: 'vm'
            })
 
            .when('/login', {
                controller: 'LoginController',
                templateUrl: 'login/login.view.html',
                controllerAs: 'vm'
            })
 
            .when('/register', {
                controller: 'RegisterController',
                templateUrl: 'register/register.view.html',
                controllerAs: 'vm'
            })
 
            .otherwise({ redirectTo: '/login' });
    }
 
    run.$inject = ['$rootScope', '$location', '$cookieStore', '$http'];
    function run($rootScope, $location, $cookieStore, $http) {
        // keep user logged in after page refresh
        $rootScope.globals = $cookieStore.get('globals') || {};
        if ($rootScope.globals.currentUser) {
            $http.defaults.headers.common['Authorization'] = 'Basic ' + $rootScope.globals.currentUser.authdata; // jshint ignore:line
        }
 
        $rootScope.$on('$locationChangeStart', function (event, next, current) {
            // redirect to login page if not logged in and trying to access a restricted page
            var restrictedPage = $.inArray($location.path(), ['/login', '/register']) === -1;
            var loggedIn = $rootScope.globals.currentUser;
            if (restrictedPage && !loggedIn) {
                $location.path('/login');
            }
        });
    }
 
})();

素敵な書き込み。参考にした。@ジェイソンありがとう。
Venkat Kotra 16

2

この方法が一番簡単だと思いますが、個人的な好みかもしれません。

ログインルート(およびその他の匿名ルート(例:/ register、/ logout、/ refreshTokenなど))を指定する場合は、以下を追加します。

allowAnonymous: true

だから、このようなもの:

$stateProvider.state('login', {
    url: '/login',
    allowAnonymous: true, //if you move this, don't forget to update
                          //variable path in the force-page check.
    views: {
        root: {
            templateUrl: "app/auth/login/login.html",
            controller: 'LoginCtrl'
        }
    }
    //Any other config
}

チェックで「allowAnonymous:false」を指定する必要はなく、存在しない場合はfalseと見なされます。ほとんどのURLが強制的に認証されるアプリでは、これはより少ない作業です。そしてより安全です。新しいURLに追加するのを忘れた場合、発生する可能性のある最悪の事態は匿名URLが保護されていることです。逆に「requireAuthentication:true」を指定してURLに追加し忘れると、機密ページが一般に漏らされます。

次に、コードデザインに最適と思われる場所でこれを実行します。

//I put it right after the main app module config. I.e. This thing:
angular.module('app', [ /* your dependencies*/ ])
       .config(function (/* you injections */) { /* your config */ })

//Make sure there's no ';' ending the previous line. We're chaining. (or just use a variable)
//
//Then force the logon page
.run(function ($rootScope, $state, $location, User /* My custom session obj */) {
    $rootScope.$on('$stateChangeStart', function(event, newState) {
        if (!User.authenticated && newState.allowAnonymous != true) {
            //Don't use: $state.go('login');
            //Apparently you can't set the $state while in a $state event.
            //It doesn't work properly. So we use the other way.
            $location.path("/login");
        }
    });
});

1

app.js

'use strict';
// Declare app level module which depends on filters, and services
var app= angular.module('myApp', ['ngRoute','angularUtils.directives.dirPagination','ngLoadingSpinner']);
app.config(['$routeProvider', function($routeProvider) {
  $routeProvider.when('/login', {templateUrl: 'partials/login.html', controller: 'loginCtrl'});
  $routeProvider.when('/home', {templateUrl: 'partials/home.html', controller: 'homeCtrl'});
  $routeProvider.when('/salesnew', {templateUrl: 'partials/salesnew.html', controller: 'salesnewCtrl'});
  $routeProvider.when('/salesview', {templateUrl: 'partials/salesview.html', controller: 'salesviewCtrl'});
  $routeProvider.when('/users', {templateUrl: 'partials/users.html', controller: 'usersCtrl'});
    $routeProvider.when('/forgot', {templateUrl: 'partials/forgot.html', controller: 'forgotCtrl'});


  $routeProvider.otherwise({redirectTo: '/login'});


}]);


app.run(function($rootScope, $location, loginService){
    var routespermission=['/home'];  //route that require login
    var salesnew=['/salesnew'];
    var salesview=['/salesview'];
    var users=['/users'];
    $rootScope.$on('$routeChangeStart', function(){
        if( routespermission.indexOf($location.path()) !=-1
        || salesview.indexOf($location.path()) !=-1
        || salesnew.indexOf($location.path()) !=-1
        || users.indexOf($location.path()) !=-1)
        {
            var connected=loginService.islogged();
            connected.then(function(msg){
                if(!msg.data)
                {
                    $location.path('/login');
                }

            });
        }
    });
});

loginServices.js

'use strict';
app.factory('loginService',function($http, $location, sessionService){
    return{
        login:function(data,scope){
            var $promise=$http.post('data/user.php',data); //send data to user.php
            $promise.then(function(msg){
                var uid=msg.data;
                if(uid){
                    scope.msgtxt='Correct information';
                    sessionService.set('uid',uid);
                    $location.path('/home');
                }          
                else  {
                    scope.msgtxt='incorrect information';
                    $location.path('/login');
                }                  
            });
        },
        logout:function(){
            sessionService.destroy('uid');
            $location.path('/login');
        },
        islogged:function(){
            var $checkSessionServer=$http.post('data/check_session.php');
            return $checkSessionServer;
            /*
            if(sessionService.get('user')) return true;
            else return false;
            */
        }
    }

});

sessionServices.js

'use strict';

app.factory('sessionService', ['$http', function($http){
    return{
        set:function(key,value){
            return sessionStorage.setItem(key,value);
        },
        get:function(key){
            return sessionStorage.getItem(key);
        },
        destroy:function(key){
            $http.post('data/destroy_session.php');
            return sessionStorage.removeItem(key);
        }
    };
}])

loginCtrl.js

'use strict';

app.controller('loginCtrl', ['$scope','loginService', function ($scope,loginService) {
    $scope.msgtxt='';
    $scope.login=function(data){
        loginService.login(data,$scope); //call login service
    };

}]);

1

使用できますresolve

angular.module('app',[])
.config(function($routeProvider)
{
    $routeProvider
    .when('/', {
        templateUrl  : 'app/views/login.html',
        controller   : 'YourController',
        controllerAs : 'Your',
        resolve: {
            factory : checkLoginRedirect
        }
    })
}

そして、解決の機能:

function checkLoginRedirect($location){

    var user = firebase.auth().currentUser;

    if (user) {
        // User is signed in.
        if ($location.path() == "/"){
            $location.path('dash'); 
        }

        return true;
    }else{
        // No user is signed in.
        $location.path('/');
        return false;
    }   
}

Firebaseには、オブザーバーをインストールするのに役立つメソッドもあります.run

.run(function(){

    firebase.auth().onAuthStateChanged(function(user) {
        if (user) {
            console.log('User is signed in.');
        } else {
            console.log('No user is signed in.');
        }
    });
  }

0

たとえば、アプリケーションにはapとaucという2人のユーザーがいます。各ルートに追加のプロパティを渡し、$ routeChangeStartで取得したデータに基づいてルーティングを処理しています。

これを試して:

angular.module("app").config(['$routeProvider',
function ($routeProvider) {

    $routeProvider.
            when('/ap', {
                templateUrl: 'template1.html',
                controller: 'template1',
                isAp: 'ap',
            }).
            when('/auc', {
                templateUrl: 'template2.html',
                controller: 'template2',
                isAp: 'common',
            }).
            when('/ic', {
                templateUrl: 'template3.html',
                controller: 'template3',
                isAp: 'auc',
            }).
            when('/mup', {
                templateUrl: 'template4.html',
                controller: 'template4',
                isAp: 'ap',
            }).

            when('/mnu', {
                templateUrl: 'template5.html',
                controller: 'template5',
                isAp: 'common',
            }).                               
            otherwise({
                redirectTo: '/ap',
            });
   }]);

app.js:

.run(['$rootScope', '$location', function ($rootScope, $location) {                
    $rootScope.$on("$routeChangeStart", function (event, next, current) {
        if (next.$$route.isAp != 'common') {
            if ($rootScope.userTypeGlobal == 1) {
                if (next.$$route.isAp != 'ap') {
                    $location.path("/ap");
                }
            }
            else {
                if (next.$$route.isAp != 'auc') {
                    $location.path("/auc");
                }                        
            }
        }

    });
}]);

0

クライアント側でセッションを心配しているのはなぜでしょうか。つまり、状態/ URLが変更されたとき、tempelateのデータをロードするためにajax呼び出しを行っていると思います。

Note :- To Save user's data you may use `resolve` feature of `ui-router`.
 Check cookie if it exist load template , if even cookies doesn't exist than 
there is no chance of logged in , simply redirect to login template/page.

これで、任意のAPIを使用してサーバーからajaxデータが返されます。これで、ユーザーのログイン状態に応じて、サーバーを使用して標準の戻り値の型を返します。それらの戻りコードを確認し、コントローラーで要求を処理してください。注:-ネイティブでAjax呼び出しを必要としないコントローラーの場合、次のようにサーバーに空のリクエストを呼び出すことができます。server.location/api/checkSession.phpこれはcheckSession.phpです。

<?php/ANY_LANGUAGE
session_start();//You may use your language specific function if required
if(isset($_SESSION["logged_in"])){
set_header("200 OK");//this is not right syntax , it is just to hint
}
else{
set_header("-1 NOT LOGGED_IN");//you may set any code but compare that same       
//code on client side to check if user is logged in or not.
}
//thanks.....

他の回答に示されているように、コントローラー内のクライアント側または任意のサービスを介して

    $http.get(dataUrl)
    .success(function (data){
        $scope.templateData = data;
    })
    .error(function (error, status){
        $scope.data.error = { message: error, status: status};
        console.log($scope.data.error.status);
if(status == CODE_CONFIGURED_ON_SERVER_SIDE_FOR_NON_LOGGED_IN){
//redirect to login
  });

注:-明日または将来更新します


-1

2つのメインサイトでユーザー認証を確認する必要があります。

  • ユーザーが状態を変更したら、'$routeChangeStart'コールバックを使用して確認します
  • $ httpリクエストがAngularから送信されたとき、インターセプターを使用します。
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.