Advertisement
minafaw3

personModal

Sep 19th, 2024
31
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
text 21.06 KB | None | 0 0
  1. import {
  2. styled, Button, Grid, Box, Stack, Typography, Alert,
  3. } from '@mui/material';
  4. import FieldSet from 'components/FieldSet';
  5. import TextField from 'components/TextField';
  6. import { selectors as authSelector } from 'ducks/Auth';
  7. import { selectors as locationSelectors } from 'ducks/Location';
  8. import { operations as modalOperations } from 'ducks/Modal';
  9. import { DELETE_PERSON } from 'constants/modalTypes';
  10. import * as rootSelectors from 'ducks/selectors';
  11. import {
  12. constants as teamConstants,
  13. operations as teamOperations,
  14. selectors as teamSelectors,
  15. actions as teamActions,
  16. } from 'ducks/Team';
  17. import { Formik, FormikErrors } from 'formik';
  18. import If from 'lib/If';
  19. import React, { useEffect, useRef, useState } from 'react';
  20. import { useTranslation } from 'react-i18next';
  21. import { connect, useSelector, useDispatch } from 'react-redux';
  22. import { getTeamMemberSchema } from 'schemas/validation';
  23. import PhoneInput from 'shared/PhoneInput/PhoneInput';
  24. import TeamMemberModalLocationDropdown from 'shared/TeamMemberModalLocationDropdown';
  25. import TeamMemberModalRoleDropdown from 'shared/TeamMemberModalRoleDropdown';
  26. import { getChangedValues } from 'utils/helpers';
  27. import { trackEvent } from '@sbd-ctg/user-behavior-tracking';
  28. import { SELECT_ALL_VALUE } from 'constants/app';
  29. import Modal from '../../Components/Modal';
  30. import ModalButton from '../../Components/ModalButton';
  31. import ModalHeader from '../../Components/ModalHeader';
  32.  
  33. const StyledFormModal = styled(Modal)(() => ({
  34. maxWidth: 600,
  35. }));
  36.  
  37. interface TeamMember {
  38. status: string,
  39. name: string,
  40. email: string,
  41. firstName: string,
  42. lastName: string,
  43. memberId: string,
  44. division: string,
  45. employeeId: string,
  46. inviteStatus: string,
  47. role: {
  48. userId: string,
  49. roleId: string,
  50. },
  51. locations: {
  52. locationId: string,
  53. name: string,
  54. }[],
  55. invite: {
  56. employeeId: string,
  57. division: string,
  58. status: string,
  59. },
  60. }
  61.  
  62. interface UpdatedPerson {
  63. email?: string;
  64. memberId?: string | null;
  65. roleId?: number;
  66. resources?: {
  67. locations?: string[];
  68. };
  69. locations?: string[];
  70. }
  71. interface PersonModalProps {
  72. createPerson: (person: any) => Promise<any>;
  73. formType?: 'create' | 'update';
  74. hideModal: () => void;
  75. activateUser: (data: { companyId: string; email: string }) => Promise<any>;
  76. rejectUser: (email: string, company: { companyId: string }) => Promise<any>;
  77. resendInvitation1: (person: any) => Promise<any>;
  78. resendInvitation2: (person: any) => Promise<any>;
  79. showModal: (modal: string, data: any) => void;
  80. loadTeamMembers: () => void;
  81. fetchActiveUserJobSitesListGet: (memberId: string, companyId: string) => Promise<any>;
  82. fetchPendingUserJobSitesListGet: (email: string, companyId: string) => Promise<any>;
  83. teamMember?: TeamMember;
  84. updatePerson: (email: string, person: any) => Promise<any>;
  85. }
  86.  
  87. const PersonModal = ({
  88. createPerson,
  89. formType = 'create',
  90. hideModal,
  91. showModal,
  92. resendInvitation1,
  93. resendInvitation2,
  94. activateUser,
  95. rejectUser,
  96. loadTeamMembers,
  97. teamMember,
  98. updatePerson,
  99. fetchActiveUserJobSitesListGet,
  100. fetchPendingUserJobSitesListGet,
  101. }: PersonModalProps) => {
  102. const { t } = useTranslation();
  103. const formikRef = useRef<any>();
  104. const dispatch = useDispatch();
  105. const teamMembers = useSelector(rootSelectors.getCurrentCompanyTeamMembers);
  106. const companyId = useSelector((state: any) => state.global.selectedCompanyId);
  107. const locations = useSelector(locationSelectors.getAllListedLocations);
  108. const userCountry = useSelector(authSelector.getUserCountry);
  109.  
  110. useEffect(() => {
  111. if (!teamMembers) {
  112. loadTeamMembers();
  113. }
  114. }, [teamMembers, loadTeamMembers]);
  115.  
  116. const isUpdating = formType === 'update';
  117. const initialInviteStatus = teamMember?.inviteStatus || '';
  118. const [canApprove, setCanApprove] = useState<boolean>(
  119. formType === 'create' ? false : initialInviteStatus === 'PENDING',
  120. );
  121.  
  122. const [pendingDataUser, setPendingUser] = useState<any>({});
  123. const [showOwnerErrorMsg, setShowOwnerErrorMsg] = useState(false);
  124. const [showMemberErrorMsg, setShowMemberErrorMsg] = useState(false);
  125. const [errorBanner, setErrorBanner] = useState('');
  126. const [temporaryAccountId, setTemporaryAccountId] = useState<string | null>(null);
  127.  
  128. let employeeId = '';
  129. if (teamMember) {
  130. if (teamSelectors.hasPendingInvite(teamMember)) {
  131. employeeId = teamMember.invite.employeeId || '';
  132. } else {
  133. employeeId = teamMember.employeeId || '';
  134. }
  135. }
  136.  
  137. function getPhoneData() {
  138. let phone = teamSelectors.getMemberPhone(teamMember) || '';
  139. let country = teamSelectors.getMemberCountry(teamMember) || userCountry;
  140. country = country.toLowerCase();
  141. if (country === 'us' && phone.length === 10) {
  142. phone = `1${phone}`;
  143. }
  144.  
  145. return {
  146. phone,
  147. country,
  148. };
  149. }
  150.  
  151. const initData = isUpdating
  152. ? {
  153. email: teamMember?.email || '',
  154. name: teamSelectors.getMemberName(teamMember),
  155. firstName: teamMember?.firstName || '',
  156. lastName: teamMember?.lastName || '',
  157. employeeId,
  158. ...getPhoneData(),
  159. roleId: teamMember?.role.roleId || '',
  160. division: teamMember?.division || '',
  161. locations:
  162. teamMember?.locations?.map((loc: any) => ({
  163. label: loc.name,
  164. value: loc.locationId,
  165. })) || [],
  166. }
  167. : {
  168. name: '',
  169. email: '',
  170. phone: '',
  171. roleId: '',
  172. inviteAsSMS: false,
  173. country: userCountry,
  174. employeeId,
  175. locations: [],
  176. };
  177.  
  178. async function fetchAndUpdateLocations() {
  179. try {
  180. let apiResult;
  181.  
  182. if (teamMember?.status === 'invited') {
  183. apiResult = await fetchPendingUserJobSitesListGet(teamMember.email, companyId);
  184. } else {
  185. apiResult = await fetchActiveUserJobSitesListGet(teamMember!.memberId!, companyId);
  186. }
  187.  
  188. if (!apiResult.error && apiResult?.payload?.data?.data) {
  189. const locationsData = apiResult.payload.data
  190. .data.map((l: { name: string; id: string }) => ({
  191. label: l.name,
  192. value: l.id,
  193. }));
  194. if (formikRef.current) {
  195. formikRef.current.setFieldValue('locations', locationsData);
  196. }
  197. }
  198. } catch (error) {
  199. console.error('Failed to fetch locations', error);
  200. }
  201. }
  202.  
  203. useEffect(() => {
  204. if (isUpdating && teamMember && !teamSelectors.isAdmin(teamMember)) {
  205. fetchAndUpdateLocations();
  206. }
  207. }, [isUpdating, teamMember]);
  208.  
  209. function handleCloseModal() {
  210. if (isUpdating) {
  211. trackEvent('edit_cancel', { category: 'People' });
  212. }
  213. hideModal();
  214. }
  215.  
  216. function rejectUserTrigger() {
  217. rejectUser(teamMember!.email!, { companyId }).then(() => {
  218. dispatch(teamActions.refreshPeopleTable());
  219. hideModal();
  220. });
  221. }
  222.  
  223. function handleDelete() {
  224. if (canApprove) {
  225. rejectUserTrigger();
  226. } else {
  227. showModal(DELETE_PERSON, { teamMember: teamMember || pendingDataUser });
  228. }
  229. }
  230.  
  231. function activateUserTrigger() {
  232. activateUser({
  233. companyId,
  234. email: pendingDataUser.email || teamMember!.email,
  235. } as any).then((response) => {
  236. trackEvent('active_user', { category: 'People' });
  237. setTemporaryAccountId(response.payload.data.data.accountId);
  238. setCanApprove(false);
  239. dispatch(teamActions.refreshPeopleTable());
  240. });
  241. }
  242.  
  243. function handleResendInvitation(e: React.MouseEvent<HTMLButtonElement>) {
  244. e.preventDefault();
  245. const personData = formikRef.current.values;
  246. resendInvitation2(personData)
  247. .then((response) => {
  248. if (response.payload.status === 200) {
  249. resendInvitation1({
  250. ...personData,
  251. country: personData.country.toUpperCase(),
  252. });
  253. }
  254. })
  255. .then(hideModal);
  256. }
  257.  
  258. function preparePersonData(values: any) {
  259. const fullName = `${values.firstName} ${values.lastName}`;
  260. const selectedLocationIds = values.locations.reduce((acc: any, location: any) => {
  261. if (location.value !== SELECT_ALL_VALUE) {
  262. acc.push(location.value);
  263. }
  264. return acc;
  265. }, []);
  266. const isAllJobSitesAssigned = selectedLocationIds.length > 0
  267. && locations.length > 0
  268. && selectedLocationIds.length >= locations.length;
  269. return { fullName, isAllJobSitesAssigned, selectedLocationIds };
  270. }
  271.  
  272. function handleCreatePerson(values: any) {
  273. const { fullName, isAllJobSitesAssigned, selectedLocationIds } = preparePersonData(values);
  274. const newPerson = {
  275. ...values,
  276. name: fullName,
  277. isAllJobSitesAssigned,
  278. };
  279.  
  280. if (values.roleId <= teamConstants.ROLES.ADMIN) {
  281. delete newPerson.resources;
  282. delete newPerson.locations;
  283. } else {
  284. newPerson.resources = { locations: selectedLocationIds };
  285. delete newPerson.locations;
  286. }
  287.  
  288. createPerson(newPerson).then((response: any) => {
  289. if (response.error === 'PENDING_INVITE_CONFLICT') {
  290. setPendingUser(response.pendingRequest);
  291. setShowOwnerErrorMsg(true);
  292. setErrorBanner(response.error);
  293. } else if (response === 'OWNER_INVITE_CONFLICT') {
  294. setShowOwnerErrorMsg(true);
  295. setErrorBanner(response);
  296. } else if (response === 'MEMBER_INVITE_CONFLICT' || response === 'Unexpected Error') {
  297. setShowMemberErrorMsg(true);
  298. } else {
  299. setShowOwnerErrorMsg(false);
  300. setShowMemberErrorMsg(false);
  301. hideModal();
  302. }
  303. });
  304. }
  305.  
  306. function handleResources(updatedPerson: UpdatedPerson, values: any, personRole: any) {
  307. const newUpdatedPerson = { ...updatedPerson };
  308.  
  309. if ([teamConstants.ROLES.MANAGER, teamConstants.ROLES.SITE_ADMIN].includes(personRole)) {
  310. newUpdatedPerson.resources = { locations: values.locations };
  311. } else if (
  312. newUpdatedPerson.locations
  313. && newUpdatedPerson.locations.length === initData.locations.length
  314. && newUpdatedPerson.locations
  315. .every((location: any, i: number) => location === initData.locations[i])
  316. ) {
  317. delete newUpdatedPerson.resources;
  318. } else if (personRole === teamConstants.ROLES.ADMIN) {
  319. delete newUpdatedPerson.resources;
  320. }
  321.  
  322. if (newUpdatedPerson.resources && newUpdatedPerson.resources.locations) {
  323. const { resources } = newUpdatedPerson;
  324. const newLocations = resources?.locations?.filter((locId: any) => {
  325. const location = locations.find(({ locationId }: any) => locationId === locId);
  326. return !location?.parentLocation
  327. || !resources?.locations?.includes(location.parentLocation);
  328. });
  329. newUpdatedPerson.resources = { ...resources, locations: newLocations };
  330. }
  331.  
  332. return newUpdatedPerson;
  333. }
  334.  
  335. function handleUpdatePerson(values: any) {
  336. const { fullName, isAllJobSitesAssigned, selectedLocationIds } = preparePersonData(values);
  337. const updatedValues = {
  338. ...values,
  339. name: fullName,
  340. isAllJobSitesAssigned,
  341. };
  342.  
  343. ['lastName', 'firstName', 'locations'].forEach(prop => delete updatedValues[prop]);
  344. const updatedPerson: UpdatedPerson = getChangedValues(initData, updatedValues);
  345. const personRole = updatedPerson.roleId || values.roleId;
  346.  
  347. if (temporaryAccountId) {
  348. updatedPerson.memberId = temporaryAccountId;
  349. }
  350.  
  351. handleResources(updatedPerson, values, personRole);
  352.  
  353. if (Object.keys(updatedPerson).length === 0) {
  354. hideModal();
  355. } else {
  356. const { memberId, email } = teamMember || updatedPerson;
  357. const person = {
  358. email,
  359. memberId: memberId === null ? email : memberId,
  360. ...updatedPerson,
  361. resources: {
  362. locations: selectedLocationIds,
  363. },
  364. };
  365. updatePerson(email!, person).then(hideModal);
  366. }
  367. }
  368.  
  369. function handleSubmit(values: any) {
  370. if (temporaryAccountId || formType === 'update') {
  371. handleUpdatePerson(values);
  372. } else {
  373. handleCreatePerson(values);
  374. }
  375. }
  376.  
  377. const PersonInfoForm = ({
  378. error,
  379. touchedField,
  380. disabled,
  381. }: {
  382. error: string | string[] | FormikErrors<any> | FormikErrors<any>[];
  383. touchedField: boolean;
  384. disabled?: boolean;
  385. }) => {
  386. const errorMessage = Array.isArray(error) ? error.join(', ') : error;
  387. return (
  388. <FieldSet title={t('PersonModal.Headers.ContactInfo')}>
  389. <Grid container spacing={2}>
  390. <Grid item xs={6}>
  391. <TextField
  392. label={t('PersonModal.Fields.FirstName')}
  393. name="firstName"
  394. disabled={disabled}
  395. testId="person-name"
  396. required
  397. fullWidth
  398. />
  399. </Grid>
  400. <Grid item xs={6}>
  401. <TextField
  402. label={t('PersonModal.Fields.LastName')}
  403. name="lastName"
  404. disabled={disabled}
  405. testId="person-last-name"
  406. required
  407. fullWidth
  408. />
  409. </Grid>
  410. <Grid item xs={12}>
  411. <Grid container rowSpacing={2}>
  412. <Grid item xs={12}>
  413. <TextField
  414. label={t('PersonModal.Fields.Email')}
  415. testId="person-email"
  416. name="email"
  417. type="email"
  418. required
  419. disabled={isUpdating || !!disabled || !!temporaryAccountId}
  420. error={showMemberErrorMsg || (touchedField && !!errorMessage)}
  421. handleChange={() => setShowMemberErrorMsg(false)}
  422. helperText={showMemberErrorMsg ? t('PersonModal.ExistingTeamMember') : undefined}
  423. fullWidth
  424. />
  425. </Grid>
  426. <Grid item xs={12}>
  427. <PhoneInput
  428. label={t('PersonModal.Fields.Phone')}
  429. dataTestid="person-phonenum"
  430. name="phone"
  431. disabled={disabled}
  432. section="people"
  433. isDark={false}
  434. autoComplete="off"
  435. countryField={undefined}
  436. />
  437. </Grid>
  438. </Grid>
  439. </Grid>
  440. </Grid>
  441. </FieldSet>
  442. );
  443. };
  444.  
  445. const errorDescription: any = {
  446. OWNER_INVITE_CONFLICT: t('PersonModal.Errors.UnableInviteDescription'),
  447. PENDING_INVITE_CONFLICT: t('PersonModal.Errors.MemberJoined'),
  448. };
  449.  
  450. const ResendInvite = () => (
  451. <Alert severity="warning" style={{ marginBottom: '32px' }}>
  452. <Typography variant="body1" fontWeight={500}>
  453. {t('PersonModal.ResendInvite.InviteExpired')}
  454. </Typography>
  455. <Typography variant="body1">{t('PersonModal.ResendInvite.TimeExpired')}</Typography>
  456. <Button
  457. color="primary"
  458. variant="contained"
  459. onClick={handleResendInvitation}
  460. style={{ marginTop: '12px' }}
  461. size="small"
  462. type="submit"
  463. >
  464. {t('PersonModal.ResendInvite.ResendInvite')}
  465. </Button>
  466. </Alert>
  467. );
  468.  
  469. const ApproveSection = () => (
  470. <Alert severity="warning" style={{ marginBottom: '32px' }}>
  471. <Typography variant="body1" fontWeight={500}>
  472. {t('PersonModal.PendingSection.PendingUser')}
  473. </Typography>
  474. <Typography variant="body1">{t('PersonModal.PendingSection.JoinCode')}</Typography>
  475. <Button
  476. color="primary"
  477. variant="contained"
  478. onClick={activateUserTrigger}
  479. style={{ marginTop: '12px' }}
  480. size="small"
  481. type="button"
  482. >
  483. {t('PersonModal.PendingSection.ActivateUser')}
  484. </Button>
  485. </Alert>
  486. );
  487.  
  488. const getButtons = (submitForm: () => void, disabled: boolean) => (
  489. <Stack direction="row" justifyContent="flex-end">
  490. <If condition={!canApprove && (isUpdating || temporaryAccountId)}>
  491. <ModalButton buttonVariant="delete" onClick={handleDelete} data-testid="delete-invite">
  492. {t('FormModal.DeleteText')}
  493. </ModalButton>
  494. </If>
  495. <ModalButton onClick={handleCloseModal} data-testid="cancel-invite" buttonVariant="cancel">
  496. {t('PersonModal.CancelText')}
  497. </ModalButton>
  498. <ModalButton onClick={submitForm} data-testid="invite-person-save" disabled={disabled}>
  499. {isUpdating ? t('PersonModal.Update.ConfirmText') : t('PersonModal.Create.ConfirmText')}
  500. </ModalButton>
  501. </Stack>
  502. );
  503.  
  504. const formTitle = isUpdating ? t('PersonModal.Update.Title') : t('PersonModal.Create.Title');
  505.  
  506. const disabledSubmitButton = (values: any) => !values.firstName
  507. || !values.lastName
  508. || !values.email
  509. || !values.roleId
  510. || (values.roleId > teamConstants.ROLES.ADMIN
  511. && (!values.locations || values.locations.length === 0));
  512.  
  513. return (
  514. <Grid container rowSpacing={2}>
  515. <Formik
  516. onSubmit={handleSubmit}
  517. validationSchema={getTeamMemberSchema(teamMembers, initData)}
  518. initialValues={Object.keys(pendingDataUser).length > 0 ? pendingDataUser : initData}
  519. innerRef={formikRef as any}
  520. >
  521. {({
  522. values, touched, errors, submitForm,
  523. }) => (
  524. <StyledFormModal
  525. className="tool-modal"
  526. header={(
  527. <ModalHeader
  528. noBorder
  529. noTransform
  530. title={formTitle}
  531. onClose={handleCloseModal}
  532. testId={{ closeButton: 'close-new-person' }}
  533. />
  534. )}
  535. footer={getButtons(submitForm, disabledSubmitButton(values))}
  536. >
  537. <If condition={showOwnerErrorMsg}>
  538. <Alert severity="error" style={{ marginBottom: '32px' }}>
  539. <Typography variant="body1" fontWeight={500}>
  540. {t('PersonModal.Errors.InviteTitle')}
  541. </Typography>
  542. <Typography variant="body1">{errorDescription[errorBanner]}</Typography>
  543. </Alert>
  544. </If>
  545. <If condition={canApprove}>
  546. <ApproveSection />
  547. </If>
  548. <If
  549. condition={
  550. !canApprove
  551. && !temporaryAccountId
  552. && isUpdating
  553. && teamMember?.inviteStatus === 'EXPIRED'
  554. }
  555. >
  556. <ResendInvite />
  557. </If>
  558. <Box padding="0 32px">
  559. <PersonInfoForm
  560. error={errors.email || ''}
  561. disabled={canApprove}
  562. touchedField={!!touched.email}
  563. />
  564. <Grid item xs={12}>
  565. <FieldSet title={t('PersonModal.Headers.Details')}>
  566. <Grid container rowSpacing={2}>
  567. {(canApprove
  568. || Boolean(temporaryAccountId)
  569. || formType !== 'update'
  570. || teamSelectors.hasPendingInvite(teamMember)) && (
  571. <Grid item xs={12}>
  572. <TextField
  573. label={t('PersonModal.Fields.IdNumber')}
  574. name="employeeId"
  575. disabled={canApprove}
  576. testId="person-id-number"
  577. maxLength={28}
  578. fullWidth
  579. />
  580. </Grid>
  581. )}
  582. <Grid item xs={12}>
  583. <TextField
  584. label={t('PersonModal.Fields.Division')}
  585. name="division"
  586. disabled={canApprove}
  587. testId="person-division"
  588. fullWidth
  589. />
  590. </Grid>
  591. <Grid item xs={12}>
  592. <TeamMemberModalRoleDropdown disabled={canApprove} />
  593. </Grid>
  594. <If
  595. condition={
  596. values.roleId > teamConstants.ROLES.ADMIN
  597. || (values.roleId * 1 === 0 && values.roleId === '')
  598. }
  599. >
  600. <Grid item xs={12}>
  601. <TeamMemberModalLocationDropdown disabled={canApprove} />
  602. </Grid>
  603. </If>
  604. </Grid>
  605. </FieldSet>
  606. </Grid>
  607. </Box>
  608. </StyledFormModal>
  609. )}
  610. </Formik>
  611. </Grid>
  612. );
  613. };
  614.  
  615. const mapDispatchToProps = {
  616. createPerson: teamOperations.createAndLoadTeamMember,
  617. resendInvitation1: teamOperations.resendAndLoadMember as any,
  618. resendInvitation2: teamOperations.resendInvitation2 as any,
  619. activateUser: teamOperations.activateUser as any,
  620. rejectUser: teamOperations.rejectUser as any,
  621. hideModal: modalOperations.hideModal,
  622. showModal: modalOperations.showModal,
  623. updatePerson: teamOperations.updateAndLoadTeamMember,
  624. loadTeamMembers: teamOperations.getTeamLegacy,
  625. fetchActiveUserJobSitesListGet: teamOperations.fetchActiveUserJobSitesListGet as any,
  626. fetchPendingUserJobSitesListGet: teamOperations.fetchPendingUserJobSitesListGet as any,
  627. };
  628.  
  629. export default connect(null, mapDispatchToProps)(PersonModal);
  630.  
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement