Angular--頁面間切換及傳值的四種方法

1. 基於ui-router的頁面跳轉傳參
(1) 在AngularJS的app.js中用ui-router定義路由,好比如今有兩個頁面,一個頁面(producers.html)放置了多個producers,點擊其中一個目標,頁面跳轉到對應的producer頁,同時將producerId這個參數傳過去。html

.state('producers', { url: '/producers', templateUrl: 'views/producers.html', controller: 'ProducersCtrl' }) .state('producer', { url: '/producer/:producerId', templateUrl: 'views/producer.html', controller: 'ProducerCtrl' }) 


(2) 在producers.html中,定義點擊事件,好比ng-click="toProducer(producerId)",在ProducersCtrl中,定義頁面跳轉函數 (使用ui-router的$state.go接口):git

.controller('ProducersCtrl', function ($scope, $state) { $scope.toProducer = function (producerId) { $state.go('producer', {producerId: producerId}); }; }); 


(3) 在ProducerCtrl中,經過ui-router的$stateParams獲取參數producerId,譬如:angularjs

.controller('ProducerCtrl', function ($scope, $state, $stateParams) { var producerId = $stateParams.producerId; }); 


2. 基於factory的頁面跳轉傳參
舉例:你有N個頁面,每一個頁面都須要用戶填選信息,最終引導用戶至尾頁提交,同時後一個頁面要顯示前面全部頁面填寫的信息。這個時候用factory傳參是比較合理的選擇(下面的代碼是一個簡化版,根據需求能夠不一樣定製):github

.factory('myFactory', function () { //定義factory返回對象 var myServices = {}; //定義參數對象 var myObject = {}; /**  * 定義傳遞數據的set函數  * @param {type} xxx  * @returns {*}  * @private  */ var _set = function (data) { myObject = data; }; /**  * 定義獲取數據的get函數  * @param {type} xxx  * @returns {*}  * @private  */ var _get = function () { return myObject; }; // Public APIs myServices.set = _set; myServices.get = _get; // 在controller中經過調set()和get()方法可實現提交或獲取參數的功能 return myServices; }); 


3. 基於factory和$rootScope.$broadcast()的傳參
(1) 舉例:在一個單頁中定義了nested views,你但願讓全部子做用域都監聽到某個參數的變化,而且做出相應動做。好比一個地圖應用,某個$state中定義元素input,輸入地址後,地圖要定位,同時另外一個狀態下的列表要顯示出該位置周邊商鋪的信息,此時多個$scope都在監聽地址變化。
PS: $rootScope.$broadcast()能夠很是方便的設置全局事件,並讓全部子做用域都監聽到。後端

.factory('addressFactory', ['$rootScope', function ($rootScope) { // 定義所要返回的地址對象 var address = {}; // 定義components數組,數組包括街道,城市,國家等 address.components = []; // 定義更新地址函數,經過$rootScope.$broadcast()設置全局事件'AddressUpdated' // 全部子做用域都能監聽到該事件 address.updateAddress = function (value) { this.components = value.slice(); $rootScope.$broadcast('AddressUpdated'); }; // 返回地址對象 return address; }]); 


(2) 在獲取地址的controller中:api

// 動態獲取地址,接口方法省略 var component = { addressLongName: xxxx, addressShortName: xxxx, cityLongName: xxxx, cityShortName: xxxx }; // 定義地址數組 $scope.components = []; $scope.$watch('components', function () { // 將component對象推入$scope.components數組 components.push(component); // 更新addressFactory中的components addressFactory.updateAddress(components); }); 


(3) 在監聽地址變化的controller中:數組

// 經過addressFactory中定義的全局事件'AddressUpdated'監聽地址變化 $scope.$on('AddressUpdated', function () { // 監聽地址變化並獲取相應數據 var street = address.components[0].addressLongName; var city = address.components[0].cityLongName; // 經過獲取的地址數據能夠作相關操做,譬如獲取該地址周邊的商鋪,下面代碼爲本人虛構 shopFactory.getShops(street, city).then(function (data) { if(data.status === 200){ $scope.shops = data.shops; }else{ $log.error('對不起,獲取該位置周邊商鋪數據出錯: ', data); } }); }); 


4. 基於localStorage或sessionStorage的頁面跳轉傳參
注意事項:經過LS或SS傳參,必定要監聽變量,不然參數改變時,獲取變量的一端不會更新。AngularJS有一些現成的WebStorage dependency可使用,譬如gsklee/ngStorage · GitHubgrevory/angular-local-storage · GitHub。下面使用ngStorage來簡述傳參過程:
(1) 上傳參數到localStorage - Controller Apromise

// 定義並初始化localStorage中的counter屬性 $scope.$storage = $localStorage.$default({ counter: 0 }); // 假設某個factory(此例暫且命名爲counterFactory)中的updateCounter()方法 // 能夠用於更新參數counter counterFactory.updateCounter().then(function (data) { // 將新的counter值上傳到localStorage中 $scope.$storage.counter = data.counter; }); 


(2) 監聽localStorage中的參數變化 - Controller B安全

$scope.counter = $localStorage.counter; $scope.$watch('counter', function(newVal, oldVal) { // 監聽變化,並獲取參數的最新值 $log.log('newVal: ', newVal); });
做者:Ye Huang
連接:http://www.zhihu.com/question/33565135/answer/69651500
來源:知乎
著做權歸做者全部,轉載請聯繫做者得到受權。

5. 基於localStorage/sessionStorage和Factory的頁面傳參
因爲傳參出現的不一樣的需求,將不一樣方式組合起來可幫助你構建低耦合便於擴展和維護的代碼。
舉例:應用的Authentication(受權)。用戶登陸後,後端傳回一個時限性的token,該用戶下次訪問應用,經過檢測token和相關參數,可獲取用戶權限,於是無須再次登陸便可進入相應頁面(Automatically Login)。其次全部的APIs都須要在HTTP header裏注入token才能與服務器傳輸數據。此時咱們看到token扮演一個重要角色:(a)用於檢測用戶權限,(b)保證先後端數據傳輸安全性。如下實例中使用 GitHub - gsklee/ngStorage: localStorage and sessionStorage done right for AngularJS.GitHub - Narzerus/angular-permission: Simple route authorization via roles/permissions
(1)定義一個名爲auth.service.js的factory,用於處理和authentication相關的業務邏輯,好比login,logout,checkAuthentication,getAuthenticationParams等。此處略去其餘業務,只專一Authentication的部分。
(function() { 'use strict'; angular .module('myApp') .factory('authService', authService); /** @ngInject */ function authService($http, $log, $q, $localStorage, PermissionStore, ENV) { var apiUserPermission = ENV.baseUrl + 'user/permission'; var authServices = { login: login, logout: logout, getAuthenticationParams: getAuthenticationParams, checkAuthentication: checkAuthentication }; return authServices; //////////////// /**  * 定義處理錯誤函數,私有函數。  * @param {type} xxx  * @returns {*}  * @private  */ function handleError(name, error) { return $log.error('XHR Failed for ' + name + '.\n', angular.toJson(error, true)); } /**  * 定義login函數,公有函數。  * 若登陸成功,把服務器返回的token存入localStorage。  * @param {type} xxx  * @returns {*}  * @public  */ function login(loginData) { var apiLoginUrl = ENV.baseUrl + 'user/login'; return $http({ method: 'POST', url: apiLoginUrl, params: { username: loginData.username, password: loginData.password } }) .then(loginComplete) .catch(loginFailed); function loginComplete(response) { if (response.status === 200 && _.includes(response.data.authorities, 'admin')) { // 將token存入localStorage。 $localStorage.authtoken = response.headers().authtoken; setAuthenticationParams(true); } else { $localStorage.authtoken = ''; setAuthenticationParams(false); } } function loginFailed(error) { handleError('login()', error); } } /**  * 定義logout函數,公有函數。  * 清除localStorage和PermissionStore中的數據。  * @public  */ function logout() { $localStorage.$reset(); PermissionStore.clearStore(); } /**  * 定義傳遞數據的setter函數,私有函數。  * 用於設置isAuth參數。  * @param {type} xxx  * @returns {*}  * @private  */ function setAuthenticationParams(param) { $localStorage.isAuth = param; } /**  * 定義獲取數據的getter函數,公有函數。  * 用於獲取isAuth和token參數。  * 經過setter和getter函數,能夠避免使用第四種方法所提到的$watch變量。  * @param {type} xxx  * @returns {*}  * @public  */ function getAuthenticationParams() { var authParams = { isAuth: $localStorage.isAuth, authtoken: $localStorage.authtoken }; return authParams; } /*  * 第一步: 檢測token是否有效.  * 若token有效,進入第二步。  *  * 第二步: 檢測用戶是否依舊屬於admin權限.  *  * 只有知足上述兩個條件,函數纔會返回true,不然返回false。  * 請參看angular-permission文檔瞭解其工做原理https://github.com/Narzerus/angular-permission/wiki/Managing-permissions  */ function checkAuthentication() { var deferred = $q.defer(); $http.get(apiUserPermission).success(function(response) { if (_.includes(response.authorities, 'admin')) { deferred.resolve(true); } else { deferred.reject(false); } }).error(function(error) { handleError('checkAuthentication()', error); deferred.reject(false); }); return deferred.promise; } } })(); 

(2)定義名爲index.run.js的文件,用於在應用載入時自動運行權限檢測代碼。
(function() { 'use strict'; angular .module('myApp') .run(checkPermission); /** @ngInject */ /**  * angular-permission version 3.0.x.  * https://github.com/Narzerus/angular-permission/wiki/Managing-permissions.  *  * 第一步: 運行authService.getAuthenticationParams()函數.  * 返回true:用戶以前成功登錄過。於是localStorage中已儲存isAuth和authtoken兩個參數。  * 返回false:用戶或許已logout,或是首次訪問應用。於是強制用戶至登陸頁輸入用戶名密碼登陸。  *  * 第二步: 運行authService.checkAuthentication()函數.  * 返回true:用戶的token依舊有效,同時用戶依然擁有admin權限。於是無需手動登陸,頁面將自動重定向到admin頁面。  * 返回false:要麼用戶token已通過期,或用戶再也不屬於admin權限。於是強制用戶至登陸頁輸入用戶名密碼登陸。  */ function checkPermission(PermissionStore, authService) { PermissionStore .definePermission('ADMIN', function() { var authParams = authService.getAuthenticationParams(); if (authParams.isAuth) { return authService.checkAuthentication(); } else { return false; } }); } })(); 

(3)定義名爲authInterceptor.service.js的文件,用於在全部該應用請求的HTTP requests的header中注入token。關於AngularJS的Interceptor,請參看 AngularJS
(function() { 'use strict'; angular .module('myApp') .factory('authInterceptorService', authInterceptorService); /** @ngInject */ function authInterceptorService($q, $injector, $location) { var authService = $injector.get('authService'); var authInterceptorServices = { request: request, responseError: responseError }; return authInterceptorServices; //////////////// // 將token注入全部HTTP requests的headers。 function request(config) { var authParams = authService.getAuthenticationParams(); config.headers = config.headers || {}; if (authParams.authtoken) config.headers.authtoken = authParams.authtoken; return config || $q.when(config); } function responseError(rejection) { if (rejection.status === 401) { authService.logout(); $location.path('/login'); } return $q.reject(rejection); } } })();
相關文章
相關標籤/搜索