user.service.ts 5.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158
  1. import { Injectable } from '@angular/core';
  2. import { BehaviorSubject, Observable, of, throwError } from 'rxjs';
  3. import { tap, catchError } from 'rxjs/operators';
  4. import { HealthReport } from '../health-record/health-record.page';
  5. import { environment } from 'src/environments/environment';
  6. import { HttpClient, HttpHeaders } from '@angular/common/http';
  7. // 定义用户信息接口
  8. export interface UserInfo {
  9. id?: number; // 修改为 id 字段
  10. username: string;
  11. email?: string;
  12. phone?: string;
  13. gender?: string;
  14. birthday?: string | null;
  15. userAvatar?: string; // 头像的Base64编码字符串
  16. userType?: string;
  17. reports?: HealthReport[];
  18. medicalHistory?: string; // 添加 medicalHistory 字段 // 添加 reports 字段
  19. }
  20. export interface User {
  21. username: string;
  22. password: string;
  23. // 可以根据需要添加更多的用户属性
  24. }
  25. @Injectable({
  26. providedIn: 'root'
  27. })
  28. export class UserService {
  29. userInfoSubject = new BehaviorSubject<UserInfo | null>(null);
  30. public userInfo$ = this.userInfoSubject.asObservable();
  31. constructor(private http: HttpClient) {
  32. this.loadUserInfo(); // 应用启动时加载本地存储的用户信息
  33. }
  34. async updateUserInfo(userInfo: Partial<UserInfo>): Promise<void> {
  35. try {
  36. const currentUserInfo = this.userInfoSubject.value || {}; // 如果为空则提供一个空对象
  37. const updatedUserInfo: UserInfo = {
  38. id: userInfo.id ?? (currentUserInfo as UserInfo).id,
  39. username: userInfo.username ?? (currentUserInfo as UserInfo).username ?? '', // 确保 username 不会是 undefined
  40. email: userInfo.email ?? (currentUserInfo as UserInfo).email,
  41. phone: userInfo.phone ?? (currentUserInfo as UserInfo).phone,
  42. gender: userInfo.gender ?? (currentUserInfo as UserInfo).gender,
  43. birthday: userInfo.birthday ?? (currentUserInfo as UserInfo).birthday,
  44. userAvatar: userInfo.userAvatar ?? (currentUserInfo as UserInfo).userAvatar ?? '../../assets/images/user.png',
  45. userType: userInfo.userType ?? (currentUserInfo as UserInfo).userType ?? '普通用户'
  46. };
  47. console.log('Updating userInfo:', updatedUserInfo);
  48. await this.saveUserInfoToLocalStorage(updatedUserInfo);
  49. this.userInfoSubject.next(updatedUserInfo);
  50. } catch (error) {
  51. console.error('Failed to update user info:', error);
  52. throw error;
  53. }
  54. }
  55. getUserInfo(): Observable<UserInfo | null> {
  56. return this.userInfo$.pipe(
  57. tap(userInfo => {
  58. if (!userInfo) {
  59. this.loadUserInfo(); // 如果没有用户信息,则尝试加载
  60. }
  61. }),
  62. catchError(error => {
  63. console.error('Error fetching user info:', error);
  64. return of(null); // 返回 null 或者你可以选择返回一个默认用户对象
  65. })
  66. );
  67. }
  68. private async saveUserInfoToLocalStorage(userInfo: UserInfo): Promise<void> {
  69. console.log('Saving userInfo to localStorage:', userInfo);
  70. try {
  71. localStorage.setItem('userInfo', JSON.stringify(userInfo));
  72. } catch (error) {
  73. console.error('Failed to save userInfo to localStorage:', error);
  74. throw error;
  75. }
  76. }
  77. private async loadUserInfo(): Promise<void> {
  78. try {
  79. const storedUserInfo = localStorage.getItem('userInfo');
  80. if (storedUserInfo) {
  81. const parsedUserInfo: UserInfo = JSON.parse(storedUserInfo);
  82. this.userInfoSubject.next({
  83. ...parsedUserInfo,
  84. id: parsedUserInfo.id, // 确保 id 被正确传递
  85. username: parsedUserInfo.username || '',
  86. userAvatar: parsedUserInfo.userAvatar || '../../assets/images/user.png',
  87. userType: parsedUserInfo.userType || '普通用户',
  88. gender: parsedUserInfo.gender || '',
  89. phone: parsedUserInfo.phone || '',
  90. birthday: parsedUserInfo.birthday ?? null,
  91. email: parsedUserInfo.email || '',
  92. reports: parsedUserInfo.reports || [],
  93. medicalHistory: parsedUserInfo.medicalHistory || ''
  94. });
  95. }
  96. // else {
  97. // // 如果没有本地用户信息,尝试从服务器获取(假设有一个获取用户信息的API)
  98. // const userInfoResponse = await this.http.get<UserInfo>(`${environment.apiUrl}/getUserInfo`).toPromise();
  99. // this.saveUserInfoToLocalStorage(userInfoResponse);
  100. // this.userInfoSubject.next(userInfoResponse);
  101. // }
  102. } catch (error) {
  103. console.error('Failed to parse userInfo from localStorage:', error);
  104. this.userInfoSubject.next(null);
  105. }
  106. }
  107. loginUser(username: string, password: string): Observable<any> {
  108. const loginUrl = `${environment.apiUrl}/api/login`;
  109. return this.http.post(loginUrl, { username, password }, {
  110. withCredentials: true,
  111. headers: new HttpHeaders({
  112. 'Content-Type': 'application/json'
  113. })
  114. }).pipe(
  115. tap(async (response: any) => {
  116. await this.saveUserInfoToLocalStorage(response);
  117. this.userInfoSubject.next(response);
  118. }),
  119. catchError(error => {
  120. let errorMessage = '登录失败';
  121. if (error.error instanceof ErrorEvent) {
  122. errorMessage = `Error: ${error.error.message}`;
  123. } else {
  124. errorMessage = `Service returned code: ${error.status}, body was: ${error.message || error.statusText}`;
  125. }
  126. console.error('登录请求出错:', errorMessage);
  127. return throwError(() => new Error(errorMessage));
  128. })
  129. );
  130. }
  131. registerNewUser(user: User): Observable<any> {
  132. const registerUrl = `${environment.apiUrl}/api/register`;
  133. return this.http.post(registerUrl, user).pipe(
  134. tap(async (response: any) => {
  135. await this.saveUserInfoToLocalStorage(response);
  136. this.userInfoSubject.next(response);
  137. }),
  138. catchError(error => {
  139. console.error('Registration failed:', error);
  140. return throwError(() => new Error('Registration failed'));
  141. })
  142. );
  143. }
  144. }