angular – 如何在Ionic 3中有效地存储和使用身份验证
我目前正在开发适用于iOS /
Android的Ionic(3.4)应用程序.
我不熟悉身份验证过程或应用程序. 在提供程序中使用HTTP请求后,我得到了我的对象,即用户.但我完全不知道如何存储它或处理它.有什么好的做法: >我想只是将对象存储在提供程序中并在我拥有的每个页面中调用它? 最后,应用程序将如何对重新加载/重新启动做出反应:如何避免人们一次又一次填写表单? 这是我的服务: @Injectable() export class UserProvider { data = {}; username: string; password: string; constructor(private _http: Http) { console.log('Hello UserProvider Provider'); } getUser(username:string,password:string){ let urlSearchParams = new URLSearchParams(); urlSearchParams.append('username',username); urlSearchParams.append('password',password); let params = urlSearchParams.toString() var headers = new Headers(); headers.append('Content-Type','application/x-www-form-urlencoded; charset=UTF-8'); return this._http .post("http://api.minesdedouai.fr/user/login",params,{headers:headers} ) .map(response => response.json()) } } 我知道登录请求应该使用一些令牌,但正如我所说,这是一个小学生的API,我们不是专业的,而且它正在工作. 这是在组件(页面)中的某个地方使用服务的方法. onLogin(form: NgForm) { if (form.valid) { this._userProvider.getUser(this.login.username,this.login.password) .subscribe((response) => { this.user = response; console.log("Authentification Success"); this.navCtrl.push(TabsPage,{user: this.user}); },(error) => { if (error.status===403){ console.log("Wrong User") } else{ console.log(error); } }); } } 非常感谢你 解决方法
我会告诉你我如何在我的离子应用程序上处理身份验证.
第一步包括创建要存储的数据的表示.我曾经存储过一些用户的信息和一个jwt令牌来进行身份验证. user.ts: export class AuthenticatedUser { private _username: string; private _id: number; private _token: string; public static GetNewInstance(): AuthenticatedUser { return new AuthenticatedUser(null,null,null) } public static ParseFromObject(object): AuthenticatedUser { const model = AuthenticatedUser.GetNewInstance(); if (object) { model.username = object.username; model.id = object.id; model.token = object.token; } return model; } constructor(username: string,id: number,token: string) { this._username = username; this._id = id; this._token = token; } get username(): string { return this._username; } set username(value: string) { this._username = value; } get id(): number { return this._id; } set id(value: number) { this._id = value; } get token(): string { return this._token; } set token(value: string) { this._token = value; } } > GetNewInstance方法用于返回实例化的AuthenticatedUser变量. 之后我创建了一些服务.第一个是UserService.我用它来访问我本地存储中的AuthenticatedUser.在本地存储中,数据是持久性的,关闭应用程序时不会删除. user.service.ts: export class UsersService { private _user: Subject<AuthenticatedUser> = new Subject<AuthenticatedUser>(); constructor(private storage: Storage) {} /* ---------------------------------------------------------------------------------------------------------------- */ /* Observable use object */ public subscribeToUserService(callback) { return this._user.subscribe(callback); } public updateUserService(user: AuthenticatedUser) { this._user.next(user); } /* ---------------------------------------------------------------------------------------------------------------- */ /* User storage management */ /** * Write user properties in the local storage. * * @param user * @returns {Promise<AuthenticatedUser>} */ createOnStorage(user: AuthenticatedUser): Promise<AuthenticatedUser> { return new Promise((resolve) => { this.getOnStorage().then((res) => { if (res) { this.deleteOnStorage().then(() => { }); } }).then(() => { this.updateUserService(user); this.storage.set('user',JSON.stringify(user)); resolve(); }); }); } /** * Get user properties from local storage. * * @returns {Promise<AuthenticatedUser>} */ getOnStorage(): Promise<AuthenticatedUser> { return new Promise((resolve) => { this.updateUserService(JSON.parse(this.storage.get('user'))); resolve(this.storage.get('user')); }); } /** * Get user properties from local storage. * * @returns {Promise<AuthenticatedUser>} */ getOnStorageSync() { this.updateUserService(JSON.parse(this.storage.get('user'))); return this.storage.get('user'); } /** * Update user properties from local storage. * * @param user * @returns {Promise<AuthenticatedUser>} */ updateOnStorage(user: AuthenticatedUser): Promise<AuthenticatedUser> { return new Promise((resolve) => { resolve(this.storage.get('user')); }); } /** * Delete user properties from local storage. * * @returns {Promise<AuthenticatedUser>} */ deleteOnStorage(): Promise<AuthenticatedUser> { return new Promise((resolve) => { this.storage.clear(); resolve(); }); } } 第二项服务是ApiService.此服务用于发送不同的HTTP方法并处理答案.在此服务中,我们将格式化标头并访问authenticatedUser的令牌. @Injectable() export class ApiService { private baseUrl = "https://my.api.co"; private user: AuthenticatedUser; /* ---------------------------------------------------------------------------------------------------------------- */ constructor(private userService: UserService,private http: Http) { getAuthUser() } private getAuthUser() { this.userService.getOnStorage.then( (user) => { this.user = user; }); } /** * Get the Json Web Token from the local storage. * * @returns {RequestOptions} */ private formatHeader(): RequestOptions { const headers: Headers = new Headers(); if (this.user.token) { headers.append('Authorization','Bearer ' + this.user.token); } return new RequestOptions({headers}); } /** * Get the body of an HTTP response. * * @param res * @returns {any|{}} */ private handleBody(res: Response) { return res.json() || {}; } /** * Format the error message of an HTTP response. * * @param error * @returns {any} */ private handleError(error: Response | any) { let errorModel: any = {}; if (error instanceof Response) { const body = error.json() || ''; const err = body.error || JSON.stringify(body); errorModel = { status: error.status,message: `${error.status} - ${err.cause} ` }; } else { errorModel = { status: error.status,message: error.toString()}; } return Observable.throw(errorModel); } /* ---------------------------------------------------------------------------------------------------------------- */ /** * Perform a PUT request. * * @param url * @param auth * @param body * @returns {Observable<>} */ putRequest(url: string,body: Object,auth: boolean = true): Observable<Object> { let header = null; if (auth) { header = ApiService.formatHeader(); } return this.http.put(this.BASE_URL + url,body,header) .map(ApiService.handleBody) .catch(ApiService.handleError); } /** * Perform a POST request. * * @param url * @param auth * @param body * @returns {Observable<>} */ postRequest(url: string,auth: boolean = true): Observable<Object> { let header = null; if (auth) { header = ApiService.formatHeader(); } return this.http.post(this.BASE_URL + url,header) .map(ApiService.handleBody) .catch(ApiService.handleError); } /** * Perform a HEAD request. * * @param url * @param auth * @returns {Observable<>} */ headRequest(url: string,auth: boolean = true): Observable<Object> { let header = null; if (auth) { header = ApiService.formatHeader(); } return this.http.head(this.BASE_URL + url,header) .map(ApiService.handleBody) .catch(ApiService.handleError); } /** * Perform a GET request. * * @param url * @param auth * @returns {Promise<>} */ getRequest(url: string,auth: boolean = true): Observable<Object> { let header = null if(auth) { header = ApiService.formatHeader(); } return this.http.get(this.BASE_URL + url,header) .map(ApiService.handleBody) .catch(ApiService.handleError); } /** * Perform a DELETE request. * * @param url * @param auth * @returns {Observable<>} */ deleteRequest(url: string,auth: boolean = true): Observable<Object> { let header = null; if (auth) { header = ApiService.formatHeader(); } return this.http.delete(this.BASE_URL + url,header) .map(ApiService.handleBody) .catch(ApiService.handleError); } 最后一项服务是AuthService.此服务将发送登录/注销请求. auth.service.ts: @Injectable() export class AuthService { private user: AuthenticatedUser; /* ---------------------------------------------------------------------------------------------------------------- */ constructor(private userService: userService,private apiService: ApiService) { this.getAuthUser(); } getAuthUser() { this.userService.getOnStorage().then( (user) => { this.user = user; } ); } /* ---------------------------------------------------------------------------------------------------------------- */ /** * Request an authentication access. * * @param email the email of the user * @param password the password of the user * @returns {Promise<any>} */ login(email: string,password: string): Promise<AuthentificatedUser> { return new Promise((resolve,reject) => { this.apiService.postRequest('/auth',{email: email,password: password}) .subscribe( res => resolve(AuthentificatedUser.ParseFromObject(res)),error => reject(<any>error)); }); } /** * Logout a user from the authentication process. * * @returns {Promise<any>} */ logout(): Promise<any> { return new Promise((resolve) => { this.userService.deleteOnStorage().then(() => { resolve(); }); }); } /** * Check whether a user is already logged in. * * @returns {boolean} */ isLoggedIn() { if (this.user.token) { return true; } else { return false; } } /* ---------------------------------------------------------------------------------------------------------------- */ } 在您的登录页面中: this.authService.login('login','password').then( (user) => { this.userSerivce.createOnStorage(user); this.navCtrl.push(HomePage); }).catch( (err) => { //show the error } ); 您必须做的最后一件事是检查用户是否已连接或将用户重定向到登录屏幕. export HomePage() { private user: AuthenticatedUser; constructor(private userService: UserService) { this.getAuthUser(); } private getAuthUser() { this.userService.getOnStorage().then( (user) => { this.user = user; if (!this.user.token) { this.navCtrl.push(LoginPage) } } ); } } (编辑:李大同) 【声明】本站内容均来自网络,其相关言论仅代表作者个人观点,不代表本站立场。若无意侵犯到您的权利,请及时与联系站长删除相关内容! |