user.ts 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438
  1. import type { UserInfo, LoginInfo } from '/#/store';
  2. import type { ErrorMessageMode, SuccessMessageMode } from '/#/axios';
  3. import { defineStore } from 'pinia';
  4. import { store } from '/@/store';
  5. import { PageEnum } from '/@/enums/pageEnum';
  6. import { ROLES_KEY, TOKEN_KEY, USER_INFO_KEY, LOGIN_INFO_KEY, DB_DICT_DATA_KEY, TENANT_ID, PWD_KEY } from '/@/enums/cacheEnum';
  7. import { getAuthCache, setAuthCache } from '/@/utils/auth';
  8. import { AutoLoginParams, GetUserInfoModel, LoginParams, ThirdLoginParams } from '/@/api/sys/model/userModel';
  9. import { autoLoginApi, doLogout, getUserInfo, loginApi, phoneLoginApi, thirdLogin } from '/@/api/sys/user';
  10. import { useI18n } from '/@/hooks/web/useI18n';
  11. import { useMessage } from '/@/hooks/web/useMessage';
  12. import { router } from '/@/router';
  13. import { usePermissionStore } from '/@/store/modules/permission';
  14. import { RouteRecordRaw } from 'vue-router';
  15. import { PAGE_NOT_FOUND_ROUTE, QIANKUN_ROUTE } from '/@/router/routes/basic';
  16. import { isArray } from '/@/utils/is';
  17. import { useGlobSetting } from '/@/hooks/setting';
  18. import { JDragConfigEnum } from '/@/enums/jeecgEnum';
  19. import { RoleEnum } from '/@/enums/roleEnum';
  20. import { useSso } from '/@/hooks/web/useSso';
  21. import { getActions } from '/@/qiankun/state';
  22. import { MOCK_LOGIN_PASSWORD, MOCK_LOGIN_UESRNAME } from '../constant';
  23. import { AesEncryption } from '/@/utils/cipher';
  24. import { loginCipher } from '/@/settings/encryptionSetting';
  25. interface UserState {
  26. userInfo: Nullable<UserInfo>;
  27. token?: string;
  28. roleList: RoleEnum[];
  29. dictItems?: [];
  30. sessionTimeout?: boolean;
  31. lastUpdateTime: number;
  32. tenantid?: string | number;
  33. shareTenantId?: Nullable<string | number>;
  34. loginInfo?: Nullable<LoginInfo>;
  35. }
  36. export const useUserStore = defineStore({
  37. id: 'app-user',
  38. state: (): UserState => ({
  39. // 用户信息
  40. userInfo: null,
  41. // token
  42. token: undefined,
  43. // 角色列表
  44. roleList: [],
  45. // 字典
  46. dictItems: [],
  47. // session过期时间
  48. sessionTimeout: false,
  49. // Last fetch time
  50. lastUpdateTime: 0,
  51. //租户id
  52. tenantid: '',
  53. // 分享租户ID
  54. // 用于分享页面所属租户与当前用户登录租户不一致的情况
  55. shareTenantId: null,
  56. //登录返回信息
  57. loginInfo: null,
  58. }),
  59. getters: {
  60. getUserInfo(): UserInfo {
  61. return this.userInfo || getAuthCache<UserInfo>(USER_INFO_KEY) || {};
  62. },
  63. getLoginInfo(): LoginInfo {
  64. return this.loginInfo || getAuthCache<LoginInfo>(LOGIN_INFO_KEY) || {};
  65. },
  66. getToken(): string {
  67. return this.token || getAuthCache<string>(TOKEN_KEY);
  68. },
  69. getAllDictItems(): [] {
  70. return this.dictItems || getAuthCache(DB_DICT_DATA_KEY);
  71. },
  72. getRoleList(): RoleEnum[] {
  73. return this.roleList.length > 0 ? this.roleList : getAuthCache<RoleEnum[]>(ROLES_KEY);
  74. },
  75. getSessionTimeout(): boolean {
  76. return !!this.sessionTimeout;
  77. },
  78. getLastUpdateTime(): number {
  79. return this.lastUpdateTime;
  80. },
  81. getTenant(): string | number {
  82. return this.tenantid || getAuthCache<string | number>(TENANT_ID);
  83. },
  84. // 是否有分享租户id
  85. hasShareTenantId(): boolean {
  86. return this.shareTenantId != null && this.shareTenantId !== '';
  87. },
  88. // 目前用户角色列表为空数组,所以使用既定的用户名判断
  89. getIsMockLogin(): boolean {
  90. return this.getUserInfo.username === MOCK_LOGIN_UESRNAME;
  91. },
  92. },
  93. actions: {
  94. /** 设置用户密码并加密,理论上加密、解密的工作应仅在此模块进行 */
  95. setPassword(password: string) {
  96. // setAuthCache(PWD_KEY, AES.encrypt(password, PWD_KEY));
  97. setAuthCache(PWD_KEY, btoa(password));
  98. },
  99. setToken(info: string | undefined) {
  100. this.token = info ? info : ''; // for null or undefined value
  101. setAuthCache(TOKEN_KEY, info);
  102. },
  103. setRoleList(roleList: RoleEnum[]) {
  104. this.roleList = roleList;
  105. setAuthCache(ROLES_KEY, roleList);
  106. },
  107. setUserInfo(info: UserInfo | null) {
  108. this.userInfo = info;
  109. this.lastUpdateTime = new Date().getTime();
  110. setAuthCache(USER_INFO_KEY, info);
  111. },
  112. setLoginInfo(info: LoginInfo | null) {
  113. this.loginInfo = info;
  114. setAuthCache(LOGIN_INFO_KEY, info);
  115. },
  116. setAllDictItems(dictItems) {
  117. this.dictItems = dictItems;
  118. setAuthCache(DB_DICT_DATA_KEY, dictItems);
  119. },
  120. setTenant(id) {
  121. this.tenantid = id;
  122. setAuthCache(TENANT_ID, id);
  123. },
  124. setShareTenantId(id: NonNullable<typeof this.shareTenantId>) {
  125. this.shareTenantId = id;
  126. },
  127. setSessionTimeout(flag: boolean) {
  128. this.sessionTimeout = flag;
  129. },
  130. resetState() {
  131. this.userInfo = null;
  132. this.dictItems = [];
  133. this.token = '';
  134. this.roleList = [];
  135. this.sessionTimeout = false;
  136. },
  137. /**
  138. * 登录事件
  139. */
  140. async login(
  141. params: LoginParams & {
  142. goHome?: boolean;
  143. mode?: ErrorMessageMode;
  144. successMode?: SuccessMessageMode;
  145. }
  146. ): Promise<GetUserInfoModel | null> {
  147. try {
  148. const { goHome = true, mode, successMode, ...loginParams } = params;
  149. // 进行加密
  150. const encryption = new AesEncryption({ key: loginCipher.key, iv: loginCipher.iv });
  151. encryption.encryptByAES(loginParams.password);
  152. // loginParams.password = encryption.encryptByAES(loginParams.password);
  153. const data = await loginApi(loginParams, mode, successMode);
  154. const { token, userInfo } = data;
  155. // save token
  156. this.setToken(token);
  157. // this.setTenant(userInfo.loginTenantId);
  158. return this.afterLoginAction(goHome, data);
  159. } catch (error) {
  160. return Promise.reject(error);
  161. }
  162. },
  163. /**
  164. * 扫码登录事件
  165. */
  166. async qrCodeLogin(token): Promise<GetUserInfoModel | null> {
  167. try {
  168. // save token
  169. this.setToken(token);
  170. return this.afterLoginAction(true, {});
  171. } catch (error) {
  172. return Promise.reject(error);
  173. }
  174. },
  175. /**
  176. * 登录完成处理
  177. * @param goHome
  178. */
  179. async afterLoginAction(goHome?: boolean, data?: any): Promise<any | null> {
  180. const glob = useGlobSetting();
  181. if (!this.getToken) return null;
  182. //获取用户信息
  183. const userInfo = await this.getUserInfoAction();
  184. const sessionTimeout = this.sessionTimeout;
  185. if (sessionTimeout) {
  186. this.setSessionTimeout(false);
  187. } else {
  188. const permissionStore = usePermissionStore();
  189. if (!permissionStore.isDynamicAddedRoute) {
  190. const routes = await permissionStore.buildRoutesAction();
  191. routes.forEach((route) => {
  192. router.addRoute(route as unknown as RouteRecordRaw);
  193. });
  194. router.addRoute(PAGE_NOT_FOUND_ROUTE as unknown as RouteRecordRaw);
  195. router.addRoute(QIANKUN_ROUTE as unknown as RouteRecordRaw);
  196. permissionStore.setDynamicAddedRoute(true);
  197. }
  198. this.setLoginInfo({ ...data, isLogin: true });
  199. //update-begin-author:liusq date:2022-5-5 for:登录成功后缓存拖拽模块的接口前缀
  200. localStorage.setItem(JDragConfigEnum.DRAG_BASE_URL, useGlobSetting().domainUrl);
  201. //update-end-author:liusq date:2022-5-5 for: 登录成功后缓存拖拽模块的接口前缀
  202. goHome && (await router.replace((userInfo && userInfo.homePath) || glob.homePath || PageEnum.BASE_HOME));
  203. // update-begin-author:sunjianlei date:20230306 for: 修复登录成功后,没有正确重定向的问题
  204. const redirect = router.currentRoute.value?.query?.redirect as string;
  205. // 判断是否有 redirect 重定向地址
  206. //update-begin---author:wangshuai ---date:20230424 for:【QQYUN-5195】登录之后直接刷新页面导致没有进入创建组织页面------------
  207. if (redirect && goHome) {
  208. //update-end---author:wangshuai ---date:20230424 for:【QQYUN-5195】登录之后直接刷新页面导致没有进入创建组织页面------------
  209. // 当前页面打开
  210. window.open(redirect, '_self');
  211. return data;
  212. }
  213. // update-end-author:sunjianlei date:20230306 for: 修复登录成功后,没有正确重定向的问题
  214. goHome && (await router.replace((userInfo && userInfo.homePath) || glob.homePath || PageEnum.BASE_HOME));
  215. }
  216. if (useGlobSetting().openQianKun) {
  217. const actions = getActions();
  218. actions.setGlobalState({ token: this.getToken, userInfo: userInfo, isMounted: false });
  219. }
  220. return data;
  221. },
  222. /**
  223. * 手机号登录
  224. * @param params
  225. */
  226. async phoneLogin(
  227. params: LoginParams & {
  228. goHome?: boolean;
  229. mode?: ErrorMessageMode;
  230. }
  231. ): Promise<GetUserInfoModel | null> {
  232. try {
  233. const { goHome = true, mode, ...loginParams } = params;
  234. const data = await phoneLoginApi(loginParams, mode);
  235. const { token } = data;
  236. // save token
  237. this.setToken(token);
  238. return this.afterLoginAction(goHome, data);
  239. } catch (error) {
  240. return Promise.reject(error);
  241. }
  242. },
  243. /**
  244. * 获取用户信息
  245. */
  246. async getUserInfoAction(): Promise<UserInfo | null> {
  247. if (!this.getToken) {
  248. return null;
  249. }
  250. const { userInfo, sysAllDictItems } = await getUserInfo();
  251. if (userInfo) {
  252. const { roles = [] } = userInfo;
  253. if (isArray(roles)) {
  254. const roleList = roles.map((item) => item.value) as RoleEnum[];
  255. this.setRoleList(roleList);
  256. } else {
  257. userInfo.roles = [];
  258. this.setRoleList([]);
  259. }
  260. this.setUserInfo(userInfo);
  261. }
  262. /**
  263. * 添加字典信息到缓存
  264. * @updateBy:lsq
  265. * @updateDate:2021-09-08
  266. */
  267. if (sysAllDictItems) {
  268. this.setAllDictItems(sysAllDictItems);
  269. }
  270. return userInfo;
  271. },
  272. /**
  273. * 退出登录
  274. */
  275. async logout(goLogin = false) {
  276. if (this.getToken) {
  277. try {
  278. await doLogout();
  279. } catch {
  280. console.log('注销Token失败');
  281. }
  282. }
  283. // //update-begin-author:taoyan date:2022-5-5 for: src/layouts/default/header/index.vue showLoginSelect方法 获取tenantId 退出登录后再次登录依然能获取到值,没有清空
  284. // let username:any = this.userInfo && this.userInfo.username;
  285. // if(username){
  286. // removeAuthCache(username)
  287. // }
  288. // //update-end-author:taoyan date:2022-5-5 for: src/layouts/default/header/index.vue showLoginSelect方法 获取tenantId 退出登录后再次登录依然能获取到值,没有清空
  289. this.setToken('');
  290. setAuthCache(TOKEN_KEY, null);
  291. this.setSessionTimeout(false);
  292. this.setUserInfo(null);
  293. this.setLoginInfo(null);
  294. this.setTenant(null);
  295. //update-begin-author:liusq date:2022-5-5 for:退出登录后清除拖拽模块的接口前缀
  296. localStorage.removeItem(JDragConfigEnum.DRAG_BASE_URL);
  297. //update-end-author:liusq date:2022-5-5 for: 退出登录后清除拖拽模块的接口前缀
  298. //如果开启单点登录,则跳转到单点统一登录中心
  299. const openSso = useGlobSetting().openSso;
  300. if (openSso == 'true') {
  301. await useSso().ssoLoginOut();
  302. }
  303. //update-begin---author:wangshuai ---date:20230224 for:[QQYUN-3440]新建企业微信和钉钉配置表,通过租户模式隔离------------
  304. //退出登录的时候需要用的应用id
  305. // if(isOAuth2AppEnv()){
  306. // let tenantId = getAuthCache(OAUTH2_THIRD_LOGIN_TENANT_ID);
  307. // removeAuthCache(OAUTH2_THIRD_LOGIN_TENANT_ID);
  308. // goLogin && await router.push({ name:"Login",query:{ tenantId:tenantId }})
  309. // }else{
  310. // // update-begin-author:sunjianlei date:20230306 for: 修复登录成功后,没有正确重定向的问题
  311. // goLogin && (await router.push({
  312. // path: PageEnum.BASE_LOGIN,
  313. // query: {
  314. // // 传入当前的路由,登录成功后跳转到当前路由
  315. // redirect: router.currentRoute.value.fullPath,
  316. // }
  317. // }));
  318. // // update-end-author:sunjianlei date:20230306 for: 修复登录成功后,没有正确重定向的问题
  319. // }
  320. goLogin &&
  321. (await router.push({
  322. path: PageEnum.BASE_LOGIN,
  323. query: {
  324. // 传入当前的路由,登录成功后跳转到当前路由
  325. redirect: router.currentRoute.value.fullPath,
  326. },
  327. }));
  328. //update-end---author:wangshuai ---date:20230224 for:[QQYUN-3440]新建企业微信和钉钉配置表,通过租户模式隔离------------
  329. },
  330. /**
  331. * 登录事件
  332. */
  333. async ThirdLogin(
  334. params: ThirdLoginParams & {
  335. goHome?: boolean;
  336. mode?: ErrorMessageMode;
  337. }
  338. ): Promise<any | null> {
  339. try {
  340. const { goHome = true, mode, ...ThirdLoginParams } = params;
  341. const data = await thirdLogin(ThirdLoginParams, mode);
  342. const { token } = data;
  343. // save token
  344. this.setToken(token);
  345. return this.afterLoginAction(goHome, data);
  346. } catch (error) {
  347. return Promise.reject(error);
  348. }
  349. },
  350. /**
  351. * 退出询问
  352. */
  353. confirmLoginOut() {
  354. // debugger;
  355. const { createConfirm } = useMessage();
  356. const { t } = useI18n();
  357. createConfirm({
  358. iconType: 'warning',
  359. title: t('sys.app.logoutTip'),
  360. content: t('sys.app.logoutMessage'),
  361. onOk: async () => {
  362. await this.logout(true);
  363. },
  364. });
  365. },
  366. /** 模拟用户登录行为,使用既定的账号,账号权限将受限 */
  367. async mockLogin(
  368. params: Partial<LoginParams> & {
  369. goHome?: boolean;
  370. mode?: ErrorMessageMode;
  371. successMode?: SuccessMessageMode;
  372. } = {}
  373. ) {
  374. try {
  375. const loginParams = {
  376. username: MOCK_LOGIN_UESRNAME,
  377. password: MOCK_LOGIN_PASSWORD,
  378. checkKey: new Date().getTime(),
  379. successMode: 'none' as SuccessMessageMode,
  380. ...params,
  381. };
  382. return this.login(loginParams);
  383. } catch (error) {
  384. return Promise.reject(error);
  385. }
  386. },
  387. /** 续登录,即登出后再次模拟登录并刷新当前页面,不需要用户重复登录"自动"登录账户 */
  388. async redoMockLogin(
  389. params: Partial<LoginParams> & {
  390. goHome?: boolean;
  391. mode?: ErrorMessageMode;
  392. successMode?: SuccessMessageMode;
  393. } = {}
  394. ) {
  395. await this.logout();
  396. await this.mockLogin({
  397. goHome: false,
  398. ...params,
  399. });
  400. router.go(0);
  401. },
  402. /** 用户自动登录,即不需要用户密码即可登录 */
  403. async autoLogin(
  404. params: AutoLoginParams & {
  405. goHome?: boolean;
  406. mode?: ErrorMessageMode;
  407. successMode?: SuccessMessageMode;
  408. }
  409. ) {
  410. const { goHome = true, mode, successMode = 'none', ...loginParams } = params;
  411. // 进行加密
  412. // const encryption = new AesEncryption({ key: loginCipher.key, iv: loginCipher.iv });
  413. // loginParams.password = encryption.encryptByAES(loginParams.password);
  414. // encryption.encryptByAES(loginParams.password);
  415. const data = await autoLoginApi(loginParams, mode, successMode);
  416. const { token, userInfo } = data;
  417. // save token
  418. this.setToken(token);
  419. // this.setTenant(userInfo.loginTenantId);
  420. await this.afterLoginAction(goHome, data);
  421. return;
  422. },
  423. },
  424. });
  425. // Need to be used outside the setup
  426. export function useUserStoreWithOut() {
  427. return useUserStore(store);
  428. }