user.ts 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437
  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. loginParams.password = encryption.encryptByAES(loginParams.password);
  152. const data = await loginApi(loginParams, mode, successMode);
  153. const { token, userInfo } = data;
  154. // save token
  155. this.setToken(token);
  156. // this.setTenant(userInfo.loginTenantId);
  157. return this.afterLoginAction(goHome, data);
  158. } catch (error) {
  159. return Promise.reject(error);
  160. }
  161. },
  162. /**
  163. * 扫码登录事件
  164. */
  165. async qrCodeLogin(token): Promise<GetUserInfoModel | null> {
  166. try {
  167. // save token
  168. this.setToken(token);
  169. return this.afterLoginAction(true, {});
  170. } catch (error) {
  171. return Promise.reject(error);
  172. }
  173. },
  174. /**
  175. * 登录完成处理
  176. * @param goHome
  177. */
  178. async afterLoginAction(goHome?: boolean, data?: any): Promise<any | null> {
  179. const glob = useGlobSetting();
  180. if (!this.getToken) return null;
  181. //获取用户信息
  182. const userInfo = await this.getUserInfoAction();
  183. const sessionTimeout = this.sessionTimeout;
  184. if (sessionTimeout) {
  185. this.setSessionTimeout(false);
  186. } else {
  187. const permissionStore = usePermissionStore();
  188. if (!permissionStore.isDynamicAddedRoute) {
  189. const routes = await permissionStore.buildRoutesAction();
  190. routes.forEach((route) => {
  191. router.addRoute(route as unknown as RouteRecordRaw);
  192. });
  193. router.addRoute(PAGE_NOT_FOUND_ROUTE as unknown as RouteRecordRaw);
  194. // router.addRoute(QIANKUN_ROUTE as unknown as RouteRecordRaw);
  195. permissionStore.setDynamicAddedRoute(true);
  196. }
  197. this.setLoginInfo({ ...data, isLogin: true });
  198. //update-begin-author:liusq date:2022-5-5 for:登录成功后缓存拖拽模块的接口前缀
  199. localStorage.setItem(JDragConfigEnum.DRAG_BASE_URL, useGlobSetting().domainUrl);
  200. //update-end-author:liusq date:2022-5-5 for: 登录成功后缓存拖拽模块的接口前缀
  201. goHome && (await router.replace((userInfo && userInfo.homePath) || glob.homePath || PageEnum.BASE_HOME));
  202. // update-begin-author:sunjianlei date:20230306 for: 修复登录成功后,没有正确重定向的问题
  203. const redirect = router.currentRoute.value?.query?.redirect as string;
  204. // 判断是否有 redirect 重定向地址
  205. //update-begin---author:wangshuai ---date:20230424 for:【QQYUN-5195】登录之后直接刷新页面导致没有进入创建组织页面------------
  206. if (redirect && goHome) {
  207. //update-end---author:wangshuai ---date:20230424 for:【QQYUN-5195】登录之后直接刷新页面导致没有进入创建组织页面------------
  208. // 当前页面打开
  209. window.open(redirect, '_self');
  210. return data;
  211. }
  212. // update-end-author:sunjianlei date:20230306 for: 修复登录成功后,没有正确重定向的问题
  213. goHome && (await router.replace((userInfo && userInfo.homePath) || glob.homePath || PageEnum.BASE_HOME));
  214. }
  215. if (useGlobSetting().openQianKun) {
  216. const actions = getActions();
  217. actions.setGlobalState({ token: this.getToken, userInfo: userInfo, isMounted: false });
  218. }
  219. return data;
  220. },
  221. /**
  222. * 手机号登录
  223. * @param params
  224. */
  225. async phoneLogin(
  226. params: LoginParams & {
  227. goHome?: boolean;
  228. mode?: ErrorMessageMode;
  229. }
  230. ): Promise<GetUserInfoModel | null> {
  231. try {
  232. const { goHome = true, mode, ...loginParams } = params;
  233. const data = await phoneLoginApi(loginParams, mode);
  234. const { token } = data;
  235. // save token
  236. this.setToken(token);
  237. return this.afterLoginAction(goHome, data);
  238. } catch (error) {
  239. return Promise.reject(error);
  240. }
  241. },
  242. /**
  243. * 获取用户信息
  244. */
  245. async getUserInfoAction(): Promise<UserInfo | null> {
  246. if (!this.getToken) {
  247. return null;
  248. }
  249. const { userInfo, sysAllDictItems } = await getUserInfo();
  250. if (userInfo) {
  251. const { roles = [] } = userInfo;
  252. if (isArray(roles)) {
  253. const roleList = roles.map((item) => item.value) as RoleEnum[];
  254. this.setRoleList(roleList);
  255. } else {
  256. userInfo.roles = [];
  257. this.setRoleList([]);
  258. }
  259. this.setUserInfo(userInfo);
  260. }
  261. /**
  262. * 添加字典信息到缓存
  263. * @updateBy:lsq
  264. * @updateDate:2021-09-08
  265. */
  266. if (sysAllDictItems) {
  267. this.setAllDictItems(sysAllDictItems);
  268. }
  269. return userInfo;
  270. },
  271. /**
  272. * 退出登录
  273. */
  274. async logout(goLogin = false) {
  275. if (this.getToken) {
  276. try {
  277. await doLogout();
  278. } catch {
  279. console.log('注销Token失败');
  280. }
  281. }
  282. // //update-begin-author:taoyan date:2022-5-5 for: src/layouts/default/header/index.vue showLoginSelect方法 获取tenantId 退出登录后再次登录依然能获取到值,没有清空
  283. // let username:any = this.userInfo && this.userInfo.username;
  284. // if(username){
  285. // removeAuthCache(username)
  286. // }
  287. // //update-end-author:taoyan date:2022-5-5 for: src/layouts/default/header/index.vue showLoginSelect方法 获取tenantId 退出登录后再次登录依然能获取到值,没有清空
  288. this.setToken('');
  289. setAuthCache(TOKEN_KEY, null);
  290. this.setSessionTimeout(false);
  291. this.setUserInfo(null);
  292. this.setLoginInfo(null);
  293. this.setTenant(null);
  294. //update-begin-author:liusq date:2022-5-5 for:退出登录后清除拖拽模块的接口前缀
  295. localStorage.removeItem(JDragConfigEnum.DRAG_BASE_URL);
  296. //update-end-author:liusq date:2022-5-5 for: 退出登录后清除拖拽模块的接口前缀
  297. //如果开启单点登录,则跳转到单点统一登录中心
  298. const openSso = useGlobSetting().openSso;
  299. if (openSso == 'true') {
  300. await useSso().ssoLoginOut();
  301. }
  302. //update-begin---author:wangshuai ---date:20230224 for:[QQYUN-3440]新建企业微信和钉钉配置表,通过租户模式隔离------------
  303. //退出登录的时候需要用的应用id
  304. // if(isOAuth2AppEnv()){
  305. // let tenantId = getAuthCache(OAUTH2_THIRD_LOGIN_TENANT_ID);
  306. // removeAuthCache(OAUTH2_THIRD_LOGIN_TENANT_ID);
  307. // goLogin && await router.push({ name:"Login",query:{ tenantId:tenantId }})
  308. // }else{
  309. // // update-begin-author:sunjianlei date:20230306 for: 修复登录成功后,没有正确重定向的问题
  310. // goLogin && (await router.push({
  311. // path: PageEnum.BASE_LOGIN,
  312. // query: {
  313. // // 传入当前的路由,登录成功后跳转到当前路由
  314. // redirect: router.currentRoute.value.fullPath,
  315. // }
  316. // }));
  317. // // update-end-author:sunjianlei date:20230306 for: 修复登录成功后,没有正确重定向的问题
  318. // }
  319. goLogin &&
  320. (await router.push({
  321. path: PageEnum.BASE_LOGIN,
  322. query: {
  323. // 传入当前的路由,登录成功后跳转到当前路由
  324. redirect: router.currentRoute.value.fullPath,
  325. },
  326. }));
  327. //update-end---author:wangshuai ---date:20230224 for:[QQYUN-3440]新建企业微信和钉钉配置表,通过租户模式隔离------------
  328. },
  329. /**
  330. * 登录事件
  331. */
  332. async ThirdLogin(
  333. params: ThirdLoginParams & {
  334. goHome?: boolean;
  335. mode?: ErrorMessageMode;
  336. }
  337. ): Promise<any | null> {
  338. try {
  339. const { goHome = true, mode, ...ThirdLoginParams } = params;
  340. const data = await thirdLogin(ThirdLoginParams, mode);
  341. const { token } = data;
  342. // save token
  343. this.setToken(token);
  344. return this.afterLoginAction(goHome, data);
  345. } catch (error) {
  346. return Promise.reject(error);
  347. }
  348. },
  349. /**
  350. * 退出询问
  351. */
  352. confirmLoginOut() {
  353. // debugger;
  354. const { createConfirm } = useMessage();
  355. const { t } = useI18n();
  356. createConfirm({
  357. iconType: 'warning',
  358. title: t('sys.app.logoutTip'),
  359. content: t('sys.app.logoutMessage'),
  360. onOk: async () => {
  361. await this.logout(true);
  362. },
  363. });
  364. },
  365. /** 模拟用户登录行为,使用既定的账号,账号权限将受限 */
  366. async mockLogin(
  367. params: Partial<LoginParams> & {
  368. goHome?: boolean;
  369. mode?: ErrorMessageMode;
  370. successMode?: SuccessMessageMode;
  371. } = {}
  372. ) {
  373. try {
  374. const loginParams = {
  375. username: MOCK_LOGIN_UESRNAME,
  376. password: MOCK_LOGIN_PASSWORD,
  377. checkKey: new Date().getTime(),
  378. successMode: 'none' as SuccessMessageMode,
  379. ...params,
  380. };
  381. return this.login(loginParams);
  382. } catch (error) {
  383. return Promise.reject(error);
  384. }
  385. },
  386. /** 续登录,即登出后再次模拟登录并刷新当前页面,不需要用户重复登录"自动"登录账户 */
  387. async redoMockLogin(
  388. params: Partial<LoginParams> & {
  389. goHome?: boolean;
  390. mode?: ErrorMessageMode;
  391. successMode?: SuccessMessageMode;
  392. } = {}
  393. ) {
  394. await this.logout();
  395. await this.mockLogin({
  396. goHome: false,
  397. ...params,
  398. });
  399. router.go(0);
  400. },
  401. /** 用户自动登录,即不需要用户密码即可登录 */
  402. async autoLogin(
  403. params: AutoLoginParams & {
  404. goHome?: boolean;
  405. mode?: ErrorMessageMode;
  406. successMode?: SuccessMessageMode;
  407. }
  408. ) {
  409. const { goHome = true, mode, successMode = 'none', ...loginParams } = params;
  410. // 进行加密
  411. // const encryption = new AesEncryption({ key: loginCipher.key, iv: loginCipher.iv });
  412. // loginParams.password = encryption.encryptByAES(loginParams.password);
  413. // encryption.encryptByAES(loginParams.password);
  414. const data = await autoLoginApi(loginParams, mode, successMode);
  415. const { token, userInfo } = data;
  416. // save token
  417. this.setToken(token);
  418. // this.setTenant(userInfo.loginTenantId);
  419. await this.afterLoginAction(goHome, data);
  420. return;
  421. },
  422. },
  423. });
  424. // Need to be used outside the setup
  425. export function useUserStoreWithOut() {
  426. return useUserStore(store);
  427. }